Home >Backend Development >Golang >How to Capture All Elements in an XML Array During Unmarshaling in Golang?
Problem:
When unmarshalling an XML array into a struct, only the first element of the array is retrieved.
Original Code:
<code class="go">type HostSystemIdentificationInfo []struct { IdentiferValue string `xml:"identifierValue"` IdentiferType struct { Label string `xml:"label"` Summary string `xml:"summary"` Key string `xml:"key"` } `xml:"identifierType"` } func unmarshal(xmlBytes []byte) (HostSystemIdentificationInfo, error) { var t HostSystemIdentificationInfo err := xml.Unmarshal(xmlBytes, &t) return t, err }</code>
Issue:
The above code attempts to unmarshal an XML string into a slice of structs HostSystemIdentificationInfo, but it only captures the first element of the array.
Solution:
To capture all elements of the XML array, you need to use an XML decoder and call its Decode method multiple times. The code below demonstrates how to achieve this:
<code class="go">// ... (same struct definitions as in the original code) func unmarshal(xmlBytes []byte) (HostSystemIdentificationInfo, error) { dec := xml.NewDecoder(bytes.NewReader(xmlBytes)) var t HostSystemIdentificationInfo for { err := dec.Decode(&t) if err == io.EOF { break } if err != nil { return nil, err } } return t, nil }</code>
Explanation:
Usage:
<code class="go">xmlBytes = []byte(` <HostSystemIdentificationInfo xsi:type="HostSystemIdentificationInfo"> <identifierValue>...</identifierValue> <identifierType>...</identifierType> </HostSystemIdentificationInfo> <HostSystemIdentificationInfo xsi:type="HostSystemIdentificationInfo"> <identifierValue>...</identifierValue> <identifierType>...</identifierType> </HostSystemIdentificationInfo> `) t, err := unmarshal(xmlBytes) if err != nil { log.Fatal(err) } fmt.Println(t) // All elements of the XML array will be printed</code>
The above is the detailed content of How to Capture All Elements in an XML Array During Unmarshaling in Golang?. For more information, please follow other related articles on the PHP Chinese website!