我知道如何使用DOM解析XML文档:

<tagname> valueIWant </tagname>

但是,我现在尝试获取的元素的形式为
<photo farm="9" id="8147664661" isfamily="0" isfriend="0" ispublic="1"
       owner="8437609@N04" secret="4902a217af" server="8192" title="Rainbow"/>

我通常使用cel.getTextContent()返回值,但是在这种情况下不起作用。我认为cel.getAttributes()也不起作用...

理想情况下,我只需要获取id和owner的数值即可。但是,如果有人可以帮助您获取所有这些内容,那么我可以在以后删除不需要的部分。

最佳答案

您要检索的是元素附加的不同属性的值。看一下使用 getAttribute(String name) 方法来实现这一点

如果要检索所有属性,则可以使用 getAttributes() 进行所有操作并对其进行迭代。这两种方法的一个例子可能是这样的:

private void getData(Document document){
    if(document == null)
        return;

    NodeList list = document.getElementsByTagName("photo");
    Element photoElement = null;

    if(list.getLength() > 0){
        photoElement = (Element) list.item(0);
    }

    if(photoElement != null){
        System.out.println("ID: "+photoElement.getAttribute("id"));
        System.out.println("Owner: "+photoElement.getAttribute("owner"));

        NamedNodeMap childList = photoElement.getAttributes();
        Attr attribute;

        for(int index = 0; index < childList.getLength(); index++){
            if(childList.item(index).getNodeType() == Node.ATTRIBUTE_NODE){
                attribute = ((Attr)childList.item(index));
                System.out.println(attribute.getNodeName()+" : "+attribute.getNodeValue());
            }else{
                System.out.println(childList.item(index).getNodeType());
            }
        }
    }
}

09-26 03:32