MySQL의 비트 유형을 Go의 유형으로 매핑하는 방법
MySQL에서는 bit(1) 데이터 유형을 사용하여 부울 값을 저장합니다. Go로 마이그레이션할 때 개발자는 매핑할 적절한 Go 유형을 결정해야 하는 과제에 직면하는 경우가 많습니다.
질문:
제공된 예에서 MySQL 테이블에는 비트(1) 유형이 삭제되었습니다. Go 구조체에서 이 열을 나타내려면 어떤 Go 유형을 사용해야 합니까?
답변:
권장되는 접근 방식은 sqlx 라이브러리에서 제공하는 사용자 정의 데이터 유형을 사용하는 것입니다. sqlx는 BIT(1) 값을 구체적으로 처리하는 BitBool이라는 유형을 정의합니다.
// BitBool is an implementation of a bool for the MySQL type BIT(1). // This type allows you to avoid wasting an entire byte for MySQL's boolean type TINYINT. type BitBool bool
BitBool은 Go의 bool 유형과 MySQL의 BIT(1) 유형 간 변환에 필요한 인터페이스를 구현합니다.
// Value implements the driver.Valuer interface, // and turns the BitBool into a bitfield (BIT(1)) for MySQL storage. func (b BitBool) Value() (driver.Value, error) { if b { return []byte{1}, nil } else { return []byte{0}, nil } } // Scan implements the sql.Scanner interface, // and turns the bitfield incoming from MySQL into a BitBool func (b *BitBool) Scan(src interface{}) error { v, ok := src.([]byte) if !ok { return errors.New("bad []byte type assertion") } *b = v[0] == 1 return nil }
제공된 Go 구조체에서 삭제는 다음과 같이 선언되어야 합니다.
Deleted BitBool `form:"-"`
위 내용은 MySQL의 `bit(1)` 유형을 Go 유형에 어떻게 매핑해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!