读取 XML 文件
为了使用 XOM 加载 XML 数据,你需要创建一个 Builder
,你可以将其构建为 Document
。
Builder builder = new Builder();
Document doc = builder.build(file);
要获取 xml 文件中最高父元素的根元素,需要在 Document
实例上使用 getRootElement()
。
Element root = doc.getRootElement();
现在,Element 类有许多方便的方法,使得读取 xml 非常容易。下面列出了一些最有用的内容:
getChildElements(String name)
- 返回一个作为元素数组的Elements
实例getFirstChildElement(String name)
- 返回带有该标记的第一个子元素。getValue()
- 返回元素内的值。getAttributeValue(String name)
- 返回具有指定名称的属性的值。
当你调用 getChildElements()
时,你会得到一个 Elements
实例。从这里你可以循环并调用 get(int index)
方法来检索里面的所有元素。
Elements colors = root.getChildElements("color");
for (int q = 0; q < colors.size(); q++){
Element color = colors.get(q);
}
示例: 以下是读取 XML 文件的示例:
XML 文件:
阅读和打印代码:
import java.io.File;
import java.io.IOException;
import nu.xom.Builder;
import nu.xom.Document;
import nu.xom.Element;
import nu.xom.Elements;
import nu.xom.ParsingException;
public class XMLReader {
public static void main(String[] args) throws ParsingException, IOException{
File file = new File("insert path here");
// builder builds xml data
Builder builder = new Builder();
Document doc = builder.build(file);
// get the root element <example>
Element root = doc.getRootElement();
// gets all element with tag <person>
Elements people = root.getChildElements("person");
for (int q = 0; q < people.size(); q++){
// get the current person element
Element person = people.get(q);
// get the name element and its children: first and last
Element nameElement = person.getFirstChildElement("name");
Element firstNameElement = nameElement.getFirstChildElement("first");
Element lastNameElement = nameElement.getFirstChildElement("last");
// get the age element
Element ageElement = person.getFirstChildElement("age");
// get the favorite color element
Element favColorElement = person.getFirstChildElement("fav_color");
String fName, lName, ageUnit, favColor;
int age;
try {
fName = firstNameElement.getValue();
lName = lastNameElement.getValue();
age = Integer.parseInt(ageElement.getValue());
ageUnit = ageElement.getAttributeValue("unit");
favColor = favColorElement.getValue();
System.out.println("Name: " + lName + ", " + fName);
System.out.println("Age: " + age + " (" + ageUnit + ")");
System.out.println("Favorite Color: " + favColor);
System.out.println("----------------");
} catch (NullPointerException ex){
ex.printStackTrace();
} catch (NumberFormatException ex){
ex.printStackTrace();
}
}
}
}
这将在控制台中打印出来:
Name: Smith, Dan
Age: 23 (years)
Favorite Color: greenName: Autry, Bob
Age: 3 (months)
Favorite Color: N/A```