确定将 YAML 字段动态解析为预定义结构的最佳方法可能是 Go 中的常见挑战。让我们检查提供的场景并探索可用的最佳选项。
给定具有不同内容的 YAML 文件和一组表示不同数据类型的结构,目标是动态解析这些字段到适当的结构中。提供的方法涉及使用中间映射,但寻求更优雅的解决方案。
利用 YAML v2.1.0 Yaml 解析器,这是一种改进的方法:
<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>
该解决方案通过在 T 类型中嵌入结构体的 kind 和 spec 字段来优雅地处理动态解析。 yamlNode 类型有助于解组 Spec 接口,从而允许选择适当的具体结构。
对于 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 字段动态解析为所需的结构类型,而不需要中间映射或其他步骤。
以上是如何在不使用中间映射的情况下将 YAML 字段动态解析为 Go 中的特定结构?的详细内容。更多信息请关注PHP中文网其他相关文章!