Go에서 JSON 데이터를 내장 필드가 있는 구조체로 역마샬링할 때 내장 구조체가 해당 구조를 정의하는 경우 문제가 발생할 수 있습니다. 자신의 UnmarshalJSON 메서드를 사용합니다. 이는 JSON 라이브러리가 포함된 구조체의 UnmarshalJSON을 호출하고 포함 구조체에 정의된 필드를 무시하기 때문입니다.
다음 구조체 정의를 고려하세요.
<code class="go">type Outer struct { Inner Num int } type Inner struct { Data string } func (i *Inner) UnmarshalJSON(data []byte) error { i.Data = string(data) return nil }</code>
json.Unmarshal(data, &Outer{})를 사용하여 JSON을 Outer로 역마샬링할 때 Inner 필드는 UnmarshalJSON 메서드를 트리거하여 전체 JSON 문자열을 사용합니다. 이로 인해 Outer의 Num 필드가 무시됩니다.
이 문제를 해결하려면 포함된 Inner 구조체를 Outer:
<code class="go">type Outer struct { I Inner // make Inner an explicit field Num int `json:"Num"` }</code>의 명시적 필드로 변환하세요.
Inner를 명시적 필드로 만들면 JSON 라이브러리가 Num 필드를 포함하여 Outer의 적절한 필드로 데이터를 비정렬화하도록 할 수 있습니다.
<code class="go">import ( "encoding/json" "fmt" ) type Outer struct { I Inner // make Inner an explicit field Num int `json:"Num"` } type Inner struct { Data string } func (i *Inner) UnmarshalJSON(data []byte) error { i.Data = string(data) return nil } func main() { data := []byte(`{"Data": "Example", "Num": 42}`) var outer Outer err := json.Unmarshal(data, &outer) if err != nil { fmt.Println(err) } fmt.Println(outer.I.Data, outer.Num) // Output: Example 42 }</code>
위 내용은 Go에서 사용자 정의 UnmarshalJSON을 사용하여 임베디드 구조체를 처리하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!