使用 Go 在 SQL 中处理 JSON 和 NULL 值
在 SQL 数据库中处理 NULL 值可能是一个挑战,尤其是在使用 JSON 时。在 Go 中,Int64 和 String 等类型本身并不支持 NULL 值,因此需要 sql.NullInt64 和 sql.NullString 等包装类型。
但是,当这些包装类型在结构体和 JSON 中使用时使用 json 包生成,由于包装器的结构引入了额外的嵌套,生成的 JSON 格式与预期有所不同nature.
解决问题
要解决此问题,一种可行的解决方案是创建遵循 json.Marshaller 和 json.Unmarshaler 接口的自定义类型。通过嵌入 sql.NullInt64 类型,保留了 SQL 方法的优点,同时自定义 JSON 处理。下面是一个示例:
type JsonNullInt64 struct { sql.NullInt64 } func (v JsonNullInt64) MarshalJSON() ([]byte, error) { if v.Valid { return json.Marshal(v.Int64) } else { return json.Marshal(nil) } } func (v *JsonNullInt64) UnmarshalJSON(data []byte) error { // Unmarshalling into a pointer detects null values var x *int64 if err := json.Unmarshal(data, &x); err != nil { return err } if x != nil { v.Valid = true v.Int64 = *x } else { v.Valid = false } return nil }
通过使用自定义 JsonNullInt64 类型代替 sql.NullInt64,JSON 编码符合预期。
以上是如何使用 Go 有效处理 JSON 和 SQL 中的 NULL 值?的详细内容。更多信息请关注PHP中文网其他相关文章!