Go语言 如何在解组XML时保持元素排序

eiee3dmh  于 2023-03-21  发布在  Go
关注(0)|答案(1)|浏览(168)

在XML中,元素的顺序非常重要
我有下面的XML:

  1. <s>
  2. <a toto="toto"/>
  3. <b data="data"/>
  4. <a toto="tata"/>
  5. <b data="doto"/>
  6. </s>

  1. type S struct {
  2. As []A `xml:"a"`
  3. Bs []B `xml:"b"`
  4. }
  5. xml.Unmarshal(MyXML, &S)

我可以从XML中获取所有数据,A和B都经过排序,但是我没有全局顺序的信息,因为A和B在不同的数组中排序。
有没有办法获得元素的全局顺序?(我无法控制XML数据)

ilmyapht

ilmyapht1#

我认为,在“encoding/xml”上没有这样的东西,因为由内部元素组成的是xml结构中的不同字段:

  1. <a toto="toto"/>
  2. <b data="data"/>

此行为的一个替代方法是在最终结构上实现xml.Unmarshaller接口,并手动解码xml字段,将它们保持为相同类型的数组。
大概是这样的

  1. type Child struct {
  2. Value string
  3. TagName string
  4. Toto string
  5. Data string
  6. }
  7. type S struct {
  8. Fields []Child
  9. }

并实现解组拆收器:

  1. func (s *S) UnmarshalXML(d *xml.Decoder, start xml.StartElement) error {
  2. c := Child{}
  3. for {
  4. // Token returns the next XML token in the input stream.
  5. // At the end of the input stream, Token returns nil, io.EOF.
  6. t, _ := d.Token()
  7. switch tt := t.(type) {
  8. case xml.StartElement:
  9. c.TagName = tt.Name.Local
  10. if c.TagName == "a" {
  11. c.Toto = tt.Attr[0].Value
  12. }
  13. if c.TagName == "b" {
  14. c.Data = tt.Attr[0].Value
  15. }
  16. case xml.CharData:
  17. c.Value = string(tt)
  18. case xml.EndElement:
  19. if tt.Name.Local == c.TagName {
  20. s.Fields = append(s.Fields, c)
  21. c = Child{}
  22. }
  23. case nil:
  24. return nil
  25. }
  26. }
  27. }

运行代码:Playground
这只是一个例子,但我认为这可能是一个天真的选择为您的情况。

展开查看全部

相关问题