尝试将字节切片 ([]byte) 转换为 JSON 格式时,开发人员经常会遇到意外的字符串表示形式。本文深入探讨了这种行为的原因,并提供了准确封送字节切片的解决方案。
考虑以下代码片段:
import ( "encoding/json" "fmt" "os" ) func main() { type ColorGroup struct { ByteSlice []byte SingleByte byte IntSlice []int } group := ColorGroup{ ByteSlice: []byte{0, 0, 0, 1, 2, 3}, SingleByte: 10, IntSlice: []int{0, 0, 0, 1, 2, 3}, } b, err := json.Marshal(group) if err != nil { fmt.Println("error:", err) } os.Stdout.Write(b) }
当执行后,这段代码输出:
{"ByteSlice":"AAAAAQID","SingleByte":10,"IntSlice":[0,0,0,1,2,3]}
有趣的是 ByteSlice 字段,它应该包含一个字节数组,已渲染为“AAAAAQID”。
解释位于 json 包的文档中:
数组和切片值编码为 JSON 数组,除了 []byte 编码为 Base64 编码字符串,nil 切片编码为 null JSON
在这种情况下,ByteSlice 字段(字节数组)不会编码为 JSON 数组,而是编码为 Base64 编码的字符串。
要按预期将 []byte 数据编组为 JSON,需要对 Base64 表示进行解码。下面是代码的更新版本:
package main import ( "encoding/base64" "encoding/json" "fmt" "os" ) func main() { type ColorGroup struct { ByteSlice []byte SingleByte byte IntSlice []int } group := ColorGroup{ ByteSlice: []byte{0, 0, 0, 1, 2, 3}, SingleByte: 10, IntSlice: []int{0, 0, 0, 1, 2, 3}, } // Decode ByteSlice from base64 before marshaling decodedByteSlice, err := base64.StdEncoding.DecodeString(string(group.ByteSlice)) if err != nil { fmt.Println("error:", err) } group.ByteSlice = decodedByteSlice b, err := json.Marshal(group) if err != nil { fmt.Println("error:", err) } os.Stdout.Write(b) }
现在,生成的 JSON 输出正确地将 ByteSlice 字段表示为字节数组:
{"ByteSlice":[0,0,0,1,2,3],"SingleByte":10,"IntSlice":[0,0,0,1,2,3]}
以上是为什么 Go 的 `json.Marshal` 将 []byte 转换为 Base64 字符串,如何修复它?的详细内容。更多信息请关注PHP中文网其他相关文章!