JSON Snake Case 키를 Camel Case 키로 변환
Go에서는 다음을 사용하여 JSON 객체의 snake_case 키를 camelCase 키로 재귀적으로 변환할 수 있습니다. Go의 데이터 구조와 JSON 인코딩/디코딩 기능을 기반으로 한 기술입니다.
한 가지 접근 방식 JSON 태그만 다른 두 구조체를 정의하여 둘 사이를 쉽게 변환할 수 있습니다. 다음 코드는 이를 보여줍니다.
<code class="go">package main import ( "encoding/json" "fmt" ) type ESModel struct { AB string `json:"a_b"` } type APIModel struct { AB string `json:"aB"` } func main() { b := []byte(`{ "a_b": "c" }`) var x ESModel json.Unmarshal(b, &x) b, _ = json.MarshalIndent(APIModel(x), "", " ") fmt.Println(string(b)) }</code>
보다 일반적인 변환의 경우 대체 방법은 JSON 문서를 맵으로 언마샬링하는 것입니다. 성공하면 주요 수정 사항을 적용하고 맵의 각 값에 대해 재귀 호출을 수행할 수 있습니다.
<code class="go">package main import ( "bytes" "encoding/json" "fmt" "strings" ) func main() { b := json.RawMessage(`{ "a_b": "c", "d_e": ["d"], "e_f": { "g_h": { "i_j": "k", "l_m": {} } } }`) x := convertKeys(b) buf := &bytes.Buffer{} json.Indent(buf, []byte(x), "", " ") fmt.Println(buf.String()) } func convertKeys(j json.RawMessage) json.RawMessage { m := make(map[string]json.RawMessage) if err := json.Unmarshal([]byte(j), &m); err != nil { return j } for k, v := range m { fixed := fixKey(k) delete(m, k) m[fixed] = convertKeys(v) } b, err := json.Marshal(m) if err != nil { return j } return json.RawMessage(b) } func fixKey(key string) string { return strings.ToUpper(key) }</code>
위 내용은 Go에서 JSON 키를 snake_case에서 camelCase로 변환하려면 어떻게 해야 하나요?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!