JSON 编组:保留浮点数中的尾随零
在 Go 中使用 json.Marshal() 将数据序列化为 JSON 时,尾随浮点数中的零经常被去掉。当接收端期望带有小数位的浮点值时,这可能会出现问题。
解决方案:自定义 Marshal 函数
防止 json.Marshal() 的有效方法删除尾随零的方法是为包含浮点值的类型定义自定义 MarshalJSON() 方法。这允许您手动控制序列化过程。
考虑以下示例:
type MyFloat float64 func (f MyFloat) MarshalJSON() ([]byte, error) { // Check if the float is an integer (no decimal part). if math.Trunc(float64(f)) == float64(f) { // Serialize as an integer without the trailing zero. return []byte(strconv.FormatInt(int64(f), 10)), nil } // Serialize as a floating-point number with the trailing zero. return []byte(strconv.FormatFloat(float64(f), 'f', -1, 64)), nil }
在此示例中,MyFloat 类型定义了一个自定义 MarshalJSON() 方法,该方法检查 float 是否为一个整数(没有小数部分)并相应地序列化它。对于浮点数,它会将它们完整地序列化为尾随零。
用法:
一旦定义了自定义 MarshalJSON() 方法,就可以使用它序列化包含 MyFloat 类型的对象。例如:
type MyStruct struct { Value MyFloat Unit string } // Serialize MyStruct using the custom MarshalJSON method. data, err := json.Marshal(MyStruct{40.0, "some_string"})
这将导致以下 JSON 输出:
{ "Value": 40.0, "Unit": "some_string" }
注意:
以上是如何在 Go 的浮点数 JSON 封送处理中保留尾随零?的详细内容。更多信息请关注PHP中文网其他相关文章!