将 JSON []byte 编组为字符串
问题:
在 Go 中,编码时包含 JSON 形式的 []byte 字段的结构体,生成的 JSON 包含切片内容的非预期字符串表示形式。例如,代码:
type Msg struct { Content []byte } func main() { helloStr := "Hello" helloSlc := []byte(helloStr) json, _ := json.Marshal(Msg{helloSlc}) fmt.Println(string(json)) }
产生 JSON 字符串:
{"Content":"SGVsbG8="}
json.Marshal 对切片内容进行了哪些转换,原始字符串内容如何
答案:
Base64 编码
默认情况下,Go 的 json.Marshal 函数将 []byte 数组编码为用于表示 JSON 中原始字节的 base64 编码字符串。根据 JSON 规范,JSON 没有原始字节的本机表示。
自定义封送处理:
要保留原始字符串内容,可以使用自定义封送处理通过为 Msg 结构定义自定义 MarshalJSON 方法来实现:
import ( "encoding/json" "fmt" ) type Msg struct { Content []byte } func (m Msg) MarshalJSON() ([]byte, error) { return []byte(fmt.Sprintf(`{"Content": "%s"}`, m.Content)), nil } func main() { helloStr := "Hello" helloSlc := []byte(helloStr) json, _ := json.Marshal(Msg{helloSlc}) fmt.Println(string(json)) }
此自定义实现将 Content 字段编码为 JSON 对象中的字符串,保留其原始内容。
以上是将 Go 结构中的“[]byte”字段编组为 JSON 时如何保留原始字符串内容?的详细内容。更多信息请关注PHP中文网其他相关文章!