0

我想使用 Java DOM 在 xml 文件中插入一个节点。我实际上正在编辑一个虚拟文件的很多内容,以便像原始文件一样对其进行修改。

我想在以下文件之间添加一个打开节点和关闭节点;

            <?xml version="1.0" encoding="utf-8"?>
            <Memory xmlns:xyz="http://www.w3.org/2001/XMLSchema-instance"   
            xmlns:abc="http://www.w3.org/2001/XMLSchema" Derivative="ABC"            
            xmlns="http://..">

       ///////////<Address> ///////////(which I would like to insert)

            <Block ---------
            --------
            -------
            />

      ////////// </Address> /////////(which I would like to insert)

            <Parameters Thread ="yyyy" />
            </Memory>

我特此请求您让我知道如何在 xml 文件之间插入 - ?

提前致谢。!

我尝试做的是;

            Element child = doc.createElement("Address");
    child.appendChild(doc.createTextNode("Block"));
    root.appendChild(child);

但这给了我这样的输出;

        <Address> Block </Address> and not the way i expect :(

现在,我尝试添加这些行;

            Element cd = doc.createElement("Address");
            Node Block = root.getFirstChild().getNextSibling();
        cd.appendChild(Block);
        root.insertBefore(cd, root.getFirstChild());

但是,这不是我正在寻找的输出。我得到这个输出 ---------

4

3 回答 3

2

你想要的可能是:

Node parent = block.getParentNode()
Node blockRemoved = parent.removeChild(block);
// Create address
parent.appendChild(address);
address.appendChild(blockRemoved);

这是在 W3C DOM 下将节点重新附加到另一个位置的标准方法。

于 2012-04-14T23:26:47.523 回答
1

这里:

DocumentBuilder b = DocumentBuilderFactory.newInstance().newDocumentBuilder();
Document document = b.parse(...);

// Parent of existing Block elements and new Address elemet
// Might be retrieved differently depending on 
// actual structure
Element parent = document.getDocumentElement();
Element address = document.createElement("address");

NodeList nl = parent.getElementsByTagName("Block");
for (int i = 0; i < nl.getLength(); ++i) {
    Element block = (Element) nl.item(i);
    if (i == 0)
        parent.insertBefore(address, block);
    parent.removeChild(block);
    address.appendChild(block);
}

// UPDATE: how to pretty print

LSSerializer serializer = 
    ((DOMImplementationLS)document.getImplementation()).createLSSerializer();
serializer.getDomConfig().setParameter("format-pretty-print", Boolean.TRUE);
LSOutput output = 
    ((DOMImplementationLS)document.getImplementation()).createLSOutput();
output.setByteStream(System.out);
serializer.write(document, output);
于 2012-04-16T00:37:21.823 回答
0

我假设您使用的是 W3C DOM(例如http://www.w3.org/TR/REC-DOM-Level-1/level-one-core.html)。如果是这样试试

insertBefore(address, block);
于 2012-04-14T19:59:11.533 回答