我有一个 XML文档.某些字段具有自定义格式.例: document titlehello world/title lines line 1 line 2 line 3 /lines/document 我想将它导入结构,如: type Document struct { Title string `xml:"title"` Lines []string `xml
<document> <title>hello world</title> <lines> line 1 line 2 line 3 </lines> </document>
我想将它导入结构,如:
type Document struct { Title string `xml:"title"` Lines []string `xml:"lines"` }
有没有办法如何实现自定义解码器,它将行字符串拆分为行数组[[“第1行”,“第2行”,“第3行”])?
它可以使Lines字段成为字符串类型并在xml导入后进行拆分,但它似乎不是非常优雅的解决方案.有什么办法可以定义自定义解码器进行分割,并将其与xml解码器结合使用?
您可以通过定义符合xml.Unmarshaler接口的新类型来实现此目的.因此,不是将Lines设为一个[]字符串,而是使用适当的UnmarshalXML方法声明一个新类型.例如:type Lines []string func (l *Lines) UnmarshalXML(d *xml.Decoder, start xml.StartElement) error { var content string if err := d.DecodeElement(&content, &start); err != nil { return err } *l = strings.Split(content, "\n") return nil }
你可以在这里看到一个完整的例子:http://play.golang.org/p/3SBu3bOGjR
如果您也想支持这种类型的编码,您可以以类似的方式实现MarshalXML方法(构造您想要的字符串内容并将其传递给编码器).