Go 中使用 []byte 字段对 JSON 进行编码和解码
在 Go 中,处理 JSON 数据通常涉及对数据结构进行编码和解码以及 JSON 格式。尝试将 []byte 字段表示的字符串序列化为 JSON 时会遇到一种常见情况。
通过 json.Marshal() 进行 Base64 转换
默认情况下,json .Marshal() 方法特殊对待 []byte 字段。它将它们编码为 base64 编码的字符串,而不是将它们序列化为原始字节。此转换是必要的,因为 JSON 没有二进制数据的本机表示形式。
与预期输出的偏差
要说明此行为,请考虑以下代码片段:
<code class="go">package main import ( "fmt" "encoding/json" ) type Msg struct { Content []byte } func main() { helloStr := "Hello" helloSlc := []byte(helloStr) fmt.Println(helloStr, helloSlc) obj := Msg{helloSlc} json, _ := json.Marshal(obj) fmt.Println(string(json)) }</code>
输出:
Hello [72 101 108 108 111] {"Content":"SGVsbG8="}
如您所见,JSON 字符串包含“Hello”字符串的 Base64 编码版本,而不是原始字符串本身。
理解转换
此行为的原因根源于 JSON 规范,该规范缺乏原始字节的本机表示。通过对 []byte 字段进行 Base64 编码,json.Marshal() 确保与 JSON 格式的兼容性,同时保留原始数据的完整性。
处理自定义编码
如果您更喜欢保留原始字节而不是对其进行 Base64 编码,则可以实现自定义序列化和反序列化逻辑。这通常涉及重写结构体的 MarshalJSON() 和 UnmarshalJSON() 方法。
自定义封送示例:
<code class="go">func (m *Msg) MarshalJSON() ([]byte, error) { type Alias Msg return json.Marshal((*Alias)(m)) }</code>
<code class="go">func (m *Msg) UnmarshalJSON(b []byte) error { type Alias Msg var a Alias if err := json.Unmarshal(b, &a); err != nil { return err } *m = Msg(a) return nil }</code>
以上是在编码和解码 JSON 时,如何处理 Go 中的 []byte 字段?的详细内容。更多信息请关注PHP中文网其他相关文章!