将 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中文网其他相关文章!