如何在结构内部创建方法UnmarshalJSON,在内部使用json.Unmarshal而不导致堆栈溢出?
package xapo
type Xapo struct {}
func (x Xapo) UnmarshalJSON(data []byte) error {
err := json.Unmarshal(data, &x)
if err != nil {
return err
}
fmt.Println("done!")
return nil
}
有人可以解释一下为什么堆栈溢出吗?可以解决吗?
谢谢。
答案 0 :(得分:6)
您似乎可能正在尝试通过使用默认的拆组器进行自定义拆组,然后对数据进行后处理。但是,正如您所发现的,尝试此操作的明显方法会导致无限循环!
通常的解决方法是创建您的类型的别名,在该别名的实例上使用默认拆组器,对数据进行后处理,然后最终转换为原始类型并分配回目标实例。请注意,您将要在指针类型上实现UnmarshalJSON。
例如:
func (x *Xapo) UnmarshalJSON(data []byte) error {
// Create an alias of the target type to avoid recursion.
type Xapo2 Xapo
// Unmarshal into an instance of the aliased type.
var x2 Xapo2
err := json.Unmarshal(data, &x2)
if err != nil {
return err
}
// Perform post-processing here.
// TODO
// Cast the aliased instance type into the original type and assign.
*x = Xapo(x2)
return nil
}