XML is a common data exchange format. In Go language, there are many ways to manipulate XML. Here's how to use XML in Go.
First, you need to import theencoding/xml
standard library into the Go program.
import "encoding/xml"
In Go, structures are used to represent XML data. Here is a sample XML as an example.
Harry Potter J.K. Rowling 2005 29.99 Learning XML Erik T. Ray 2003 39.95
You can create the following Go structure to represent it:
type Bookstore struct { XMLName xml.Name `xml:"bookstore"` Books []Book `xml:"book"` } type Book struct { XMLName xml.Name `xml:"book"` Category string `xml:"category,attr"` Title string `xml:"title"` Author string `xml:"author"` Year int `xml:"year"` Price float32 `xml:"price"` }
Then, you can usexml.Unmarshal( )
Function parses XML data into Go structure.
xml_data := []byte(``) var bookstore Bookstore err := xml.Unmarshal(xml_data, &bookstore) if err != nil { fmt.Println("error: ", err) return } fmt.Println(bookstore) Harry Potter J.K. Rowling 2005 29.99 Learning XML Erik T. Ray 2003 39.95
xml.Unmarshal()
Parses XML data into a structure and stores the result in thebookstore
variable.
Conversely, you can use thexml.Marshal()
function to marshal the structure into XML data.
bookstore := Bookstore { XMLName: xml.Name{Local: "bookstore"}, Books: []Book{ Book{ Category: "children", Title: "Harry Potter", Author: "J.K. Rowling", Year: 2005, Price: 29.99, }, Book{ Category: "web", Title: "Learning XML", Author: "Erik T. Ray", Year: 2003, Price: 39.95, }, }, } xml_data, err := xml.MarshalIndent(bookstore, "", " ") if err != nil { fmt.Println("error: ", err) } fmt.Printf("%s ", xml_data)
xml.MarshalIndent()
The function marshals thebookstore
structure into XML data and stores the result in the variablexml_data
. The first parameter is the structure to be grouped, the second parameter is the indented string to be used before each line, and the third parameter is the string to be used between each element.
In the structure, you can use XML names (such as
) and XML attributes (such ascategory
) as the label of the structure field.
type Book struct { XMLName xml.Name `xml:"book"` Category string `xml:"category,attr"` Title string `xml:"title"` Author string `xml:"author"` Year int `xml:"year"` Price int `xml:"price"` }
When parsing XML, the values of the structure fields will be automatically populated based on the XML data.
Use the above steps to use XML in Go. First, you need to import theencoding/xml
library, and then define a structure to represent XML data. XML data can be parsed into this structure, or this structure can be used to marshal XML data. To operate XML elements, you need to use the name and attributes of the XML element in the structure field tag.
The above is the detailed content of How to use XML in Go?. For more information, please follow other related articles on the PHP Chinese website!