在 Go 中将 JSON []byte 编组为字符串
将包含 []byte 字段的结构编码为 JSON 时,可能会出现意外的字符串表示形式结果。在此编码中,[]byte 字段被编组为 base64 编码的字符串,如文档中所述:
“数组和切片值编码为 JSON 数组,但 []byte 编码为 base64-编码字符串,nil 切片编码为空 JSON 对象。”
为了说明此行为,请考虑以下 Msg 结构:
<code class="go">type Msg struct { Content []byte }</code>
在以下示例中,字符串“Hello " 转换为 []byte 切片 helloSlc 并分配给 obj Msg 对象的 Content 字段:
<code class="go">helloStr := "Hello" helloSlc := []byte(helloStr) obj := Msg{helloSlc}</code>
使用 json.Marshal 将 obj 编码为 JSON 时,生成的 JSON 包含 base64 编码的字符串[]byte 字段的表示:
<code class="go">json, _ := json.Marshal(obj) fmt.Println(string(json))</code>
输出:
{"Content":"SGVsbG8="}
要获取 JSON 输出中的原始字符串值“Hello”,需要将 []byte 字段表示为在编码为 JSON 之前从其 Base64 编码表示显式解码。这可以使用编码/base64包来实现:
<code class="go">import ( "encoding/base64" "encoding/json" "fmt" ) type Msg struct { Content string } func main() { helloSlc := []byte("Hello") obj := Msg{string(base64.StdEncoding.EncodeToString(helloSlc))} json, _ := json.Marshal(obj) fmt.Println(string(json)) }</code>
输出:
{"Content":"Hello"}
以上是如何在 Go JSON 编码中将 []byte 字段编组为字符串?的详细内容。更多信息请关注PHP中文网其他相关文章!