time.Time 필드에 대한 JSON 마샬링/역마샬링 사용자 정의
이 시나리오에서는 JSON에서 time.Time 필드와 함께 생략을 사용합니다. 마샬링/역마샬링 작업은 다른 데이터 유형만큼 간단하지 않습니다. 기본적으로 time.Time은 구조체이며 omitempty는 0 값을 빈 것으로 처리하지 않습니다.
해결책 1: 포인터 사용
이 문제를 해결하려면 포인터에 대한 time.Time 필드(*time.Time). 포인터에는 nil 값이 있으며 이는 JSON에서 빈 것으로 처리됩니다.
type MyStruct struct { Timestamp *time.Time `json:",omitempty"` Date *time.Time `json:",omitempty"` Field string `json:",omitempty"` }
이 수정을 사용하면 nil 포인터가 있는 필드가 JSON 출력에서 생략됩니다.
해결책 2 : 사용자 정의 Marshaler/Unmarshaler
또는 사용자 정의 Marshaler를 구현하고 time.Time 필드를 처리하기 위한 언마샬러. Marshaler에서 Time.IsZero() 메서드를 사용하여 time.Time 값이 비어 있는지 확인합니다. 비어 있으면 null JSON 값을 반환합니다. Unmarshaler에서 null JSON 값을 time.Time의 0 값으로 변환합니다.
예:
type MyStruct struct { Timestamp time.Time `json:",omitempty"` Date time.Time `json:",omitempty"` Field string `json:",omitempty"` } func (ms MyStruct) MarshalJSON() ([]byte, error) { type Alias MyStruct var null NullTime if ms.Timestamp.IsZero() { null = NullTime(ms.Timestamp) } return json.Marshal(&struct { Alias Timestamp NullTime `json:"Timestamp"` }{ Alias: Alias(ms), Timestamp: null, }) } func (ms *MyStruct) UnmarshalJSON(b []byte) error { type Alias MyStruct aux := &struct { *Alias Timestamp NullTime `json:"Timestamp"` }{ Alias: (*Alias)(ms), } if err := json.Unmarshal(b, &aux); err != nil { return err } ms.Timestamp = time.Time(aux.Timestamp) return nil } // NullTime represents a time.Time that can be null type NullTime time.Time func (t NullTime) MarshalJSON() ([]byte, error) { if t.IsZero() { return []byte("null"), nil } return []byte(fmt.Sprintf("\"%s\"", time.Time(t).Format(time.RFC3339))), nil } func (t *NullTime) UnmarshalJSON(b []byte) error { str := string(b) if str == "null" { *t = NullTime{} return nil } ts, err := time.Parse(time.RFC3339, str[1:len(str)-1]) if err != nil { return err } *t = NullTime(ts) return nil }
위 내용은 Go의 JSON 마샬링/역마샬링에서 `time.Time` 필드를 사용하여 `omitempty`를 효과적으로 처리하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!