在没有精确 Xpath 的情况下在 Go 中遍历 XML 数据
当使用 xml.UnMarshal 将 XML 解码为结构时,在处理动态时可能会遇到限制或分层数据集。为了解决这个问题,可以考虑利用自定义遍历机制以灵活的方式处理节点及其后代。
实现
定义递归节点结构体:
type Node struct { XMLName xml.Name Content []byte `xml:",innerxml"` Nodes []Node `xml:",any"` }
创建递归遍历的步行函数:
func walk(nodes []Node, f func(Node) bool) { for _, n := range nodes { if f(n) { walk(n.Nodes, f) } } }
这个函数递归遍历节点切片,对每个遇到的节点调用提供的函数 f
通过组合以上组件,可以如下遍历XML数据并处理节点:
// Create a slice of nodes from your XML data nodes := []Node{} // Recursively walk the nodes walk(nodes, func(n Node) bool { // Process the node here (e.g., check type, access attributes) return true })
示例属性
要在遍历中包含属性,请修改 Node 结构及其 UnmarshalXML 方法:
type Node struct { XMLName xml.Name Attrs []xml.Attr `xml:",any,attr"` Content []byte `xml:",innerxml"` Nodes []Node `xml:",any"` } func (n *Node) UnmarshalXML(d *xml.Decoder, start xml.StartElement) error { n.Attrs = start.Attr type node Node return d.DecodeElement((*node)(n), &start) }
结论
利用此递归遍历方式,可以高效地遍历和处理XML数据,而不需要依赖特定的X 路径。这提供了更大的灵活性,使您可以轻松处理动态或可变的 XML 结构。
以上是如何在Go中不使用XPath来遍历和处理XML数据?的详细内容。更多信息请关注PHP中文网其他相关文章!