我对GO很陌生,无法从XML文档中提取属性值。下面的代码产生以下输出:

应用程序ID:“”
应用名称:: ””

我的假设是,我在使用标签方面缺少一些东西,如果有人能指出正确的方向,我将不胜感激。

data:=`<?xml version="1.0" encoding="UTF-8"?>
    <applist>
        <app app_id="1234" app_name="abc"/>
    <app app_id="5678" app_name="def"/>
    </applist> `

type App struct {
    app_id   string  `xml:"app_id,attr"`
    app_name string  `xml:"app_name"`
}

type AppList struct {
    XMLName xml.Name `xml:"applist"`
    Apps  []App      `xml:"app"`
}

var portfolio AppList
err := xml.Unmarshal([]byte(data), &portfolio)
if err != nil {
    fmt.Printf("error: %v", err)
    return
}
fmt.Printf("application ID:: %q\n", portfolio.Apps[0].app_id)
fmt.Printf("application name:: %q\n", portfolio.Apps[0].app_name)

最佳答案

为了能够取出元素,您必须具有“导出”字段,这意味着app_id结构中的app_nameApp应该以大写字母开头。此外,您的app_name字段在其xml字段标签中也缺少,attr。请参阅下面的代码示例。我在需要更改的行上添加了注释。

package main

import (
    "fmt"
    "encoding/xml"
)

func main() {
    data:=`
    <?xml version="1.0" encoding="UTF-8"?>
    <applist>
        <app app_id="1234" app_name="abc"/>
        <app app_id="5678" app_name="def"/>
    </applist>
    `

    type App struct {
        App_id   string  `xml:"app_id,attr"`    // notice the capitalized field name here
        App_name string  `xml:"app_name,attr"`  // notice the capitalized field name here and the `xml:"app_name,attr"`
    }

    type AppList struct {
        XMLName xml.Name `xml:"applist"`
        Apps  []App      `xml:"app"`
    }

    var portfolio AppList
    err := xml.Unmarshal([]byte(data), &portfolio)
    if err != nil {
        fmt.Printf("error: %v", err)
        return
    }
    fmt.Printf("application ID:: %q\n", portfolio.Apps[0].App_id)       // the corresponding changes here for App
    fmt.Printf("application name:: %q\n", portfolio.Apps[0].App_name)   // the corresponding changes here for App
}

关于xml - 使用GO解析XML属性,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/36916504/

10-17 03:15