在 Go 中将 YAML 字段动态解析为特定结构
YAML 文件通常包含可以由多种类型的结构表示的字段。为了简化代码和 YAML 文件,请考虑以下 YAML 示例:
kind: "foo" spec: fooVal: 4
kind: "bar" spec: barVal: 5
用于解析的相应结构为:
<code class="go">type Spec struct { Kind string `yaml:"kind"` Spec interface{} `yaml:"spec"` } type Foo struct { FooVal int `yaml:"fooVal"` } type Bar struct { BarVal int `yaml:"barVal"` }</code>
当使用 map[string] 接口时{ Spec 字段的 } 是一个选项,对于较大的 YAML 文件,它可能会变得复杂。
使用自定义 Unmarshaler 的优雅解决方案
另一种方法涉及为以下对象创建自定义 Unmarshaler规格类型。要与 yaml.v2 一起使用,请实现以下内容:
<code class="go">type yamlNode struct { unmarshal func(interface{}) error } func (n *yamlNode) UnmarshalYAML(unmarshal func(interface{}) error) error { n.unmarshal = unmarshal return nil } type Spec struct { Kind string `yaml:"kind"` Spec interface{} `yaml:"-"` }</code>
<code class="go">func (s *Spec) UnmarshalYAML(unmarshal func(interface{}) error) error { type S Spec type T struct { S `yaml:",inline"` Spec yamlNode `yaml:"spec"` } obj := &T{} if err := unmarshal(obj); err != nil { return err } *s = Spec(obj.S) switch s.Kind { case "foo": s.Spec = new(Foo) case "bar": s.Spec = new(Bar) default: panic("kind unknown") } return obj.Spec.unmarshal(s.Spec) }</code>
对于 yaml.v3,请使用以下内容:
<code class="go">type Spec struct { Kind string `yaml:"kind"` Spec interface{} `yaml:"-"` }</code>
<code class="go">func (s *Spec) UnmarshalYAML(n *yaml.Node) error { type S Spec type T struct { *S `yaml:",inline"` Spec yaml.Node `yaml:"spec"` } obj := &T{S: (*S)(s)} if err := n.Decode(obj); err != nil { return err } switch s.Kind { case "foo": s.Spec = new(Foo) case "bar": s.Spec = new(Bar) default: panic("kind unknown") } return obj.Spec.Decode(s.Spec) }</code>
此解决方案动态映射 YAML根据“kind”字段将字段添加到适当的结构,从而无需额外的步骤或内存消耗。
以上是如何在 Go 中将 YAML 字段动态解析为特定结构?的详细内容。更多信息请关注PHP中文网其他相关文章!