6

我需要解组的 XML 格式如下:

data := `
<table>
    <name>
        <code>23764</code>
        <name>Smith, Jane</name>
    </name>
    <name>
        <code>11111</code>
        <name>Doe, John</name>
    </name>
</table>
`

我尝试了以下结构和代码无济于事:

type Customers struct {

    XMLName xml.Name `xml:"table"`
    Custs []Customer
}

type Customer struct {

    XMLName xml.Name `xml:"name"`
    Code string `xml:"code"`
    Name string `xml:"name"`
}

...

var custs Customers
err := xml.Unmarshal([]byte(data), &custs)
if err != nil {
    fmt.Printf("error: %v", err)
    return
}

fmt.Printf("%v", custs)

for _, cust := range custs.Custs {

    fmt.Printf("Cust:\n%v\n", cust)
}

范围没有打印出来,打印custs只会给我{{ table} []}

4

1 回答 1

18

正确的结构如下:

type Customer struct {
    Code string `xml:"code"`
    Name string `xml:"name"`
}

type Customers struct {
    Customers []Customer `xml:"name"`
}

你可以在这里的操场上试一试。问题是您没有为 .xml 分配 xml 标记[]Customer

你解决这个问题的方式,使用xml.Name也是正确的,但更冗长。您可以在此处查看工作代码。如果您出于某种原因需要使用该xml.Name字段,我建议您使用私有字段,以免结构的导出版本混乱。

于 2013-04-17T19:06:29.063 回答