Go:将 XML 解组嵌套结构到接口{}

我来自 Python 背景,这是我第一次正式涉足 Go,所以我认为事情还没有开始。


我目前正在 Go 中实现 Affiliate Window XML API。API 遵循请求和响应的标准结构,因此为此我试图保持干燥。信封始终具有相同的结构,如下所示:


<Envelope>

    <Header></Header>

    <Body></Body>

</Envelope>

内容Header和Body依据是什么,我请求,将是不同的反应,所以我创建了一个基地Envelope struct


type Envelope struct {

    XMLName xml.Name    `xml:"http://schemas.xmlsoap.org/soap/envelope/ Envelope"`

    NS1     string      `xml:"xmlns:ns1,attr"`

    XSD     string      `xml:"xmlns:xsd,attr"`

    Header  interface{} `xml:"http://schemas.xmlsoap.org/soap/envelope/ Header"`

    Body    interface{} `xml:"Body"`

}

这适用于为请求编组 XML,但我在解组时遇到问题:


func NewResponseEnvelope(body interface{}) *Envelope {

    envelope := NewEnvelope()

    envelope.Header = &ResponseHeader{}

    envelope.Body = body

    return envelope

}


func main() {

    responseBody := &GetMerchantListResponseBody{}

    responseEnvelope := NewResponseEnvelope(responseBody)


    b := bytes.NewBufferString(response)

    xml.NewDecoder(b).Decode(responseEnvelope)

    fmt.Println(responseEnvelope.Header.Quota) // Why can't I access this?

}

这个http://play.golang.org/p/v-MkfEyFPM在代码中可能比我用文字更好地描述了这个问题:p


郎朗坤
浏览 193回答 1
1回答

动漫人物

该类型的Header内场Envelope结构是interface{}它是不是一个struct,所以你不能引用任何字段。为了引用名为 的字段Quota,您必须Header使用包含Quota字段的静态类型进行声明,如下所示:type HeaderStruct struct {&nbsp; &nbsp; Quota string}type Envelope struct {&nbsp; &nbsp; // other fields omitted&nbsp; &nbsp; Header HeaderStruct}如果您不知道它将是什么类型或者您不能提交单一类型,您可以将其保留为interface{},但是您必须使用类型开关或类型断言在运行时将其转换为静态类型,后者看起来像这样:headerStruct, ok := responseEnvelope.Header.(HeaderStruct)// if ok is true, headerStruct is of type HeaderStruct// else responseEnvelope.Header is not of type HeaderStruct另一种选择是使用反射来访问Envelope.Header值的命名字段,但如果可能,请尝试以其他方式解决它。如果您有兴趣了解有关 Go 反射的更多信息,我建议您先阅读The Laws of Reflection博客文章。
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Go