如果您正在使用使用Snake_case 鍵的JSON 數據,並且需要將它們轉換為CamelCase ,你可以在Go 中有效率地做到這一點。本指南示範如何遞歸地完成此任務。
在 Go 1.8 中引入,您可以建立兩個僅在 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 { // Not a JSON object 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>
在此解中,convertKeys 函數遞歸地轉換JSON 對映的所有鍵。將fixKey函數替換為您自己的版本,以將snake_case轉換為camelCase。
以上是如何使用 Go 將 JSON 中的蛇形命名鍵轉換為駝峰式命名法?的詳細內容。更多資訊請關注PHP中文網其他相關文章!