如何在Java中将DOM节点从一个文档复制到另一个文档?

2022-09-01 07:14:17

我在将节点从一个文档复制到另一个文档时遇到问题。我已经从Node使用了adoptEd和importNode方法,但它们不起作用。我也尝试过 appendChild,但这会引发异常。我正在使用Xerces。这在那里没有实现吗?有没有另一种方法可以做到这一点?

List<Node> nodesToCopy = ...;
Document newDoc = ...;
for(Node n : nodesToCopy) {
    // this doesn't work
    newDoc.adoptChild(n);
    // neither does this
    //newDoc.importNode(n, true);
}

答案 1

问题在于Node包含许多关于其上下文的内部状态,其中包括它们的父系和它们所属的文档。既不将新节点放在目标文档中的任意位置,这就是代码失败的原因。adoptChild()importNode()

由于您要复制节点而不是将其从一个文档移动到另一个文档,因此您需要执行三个不同的步骤...

  1. 创建副本
  2. 将复制的节点导入目标文档
  3. 将复制的内容放在新文档中的正确位置
for(Node n : nodesToCopy) {
    // Create a duplicate node
    Node newNode = n.cloneNode(true);
    // Transfer ownership of the new node into the destination document
    newDoc.adoptNode(newNode);
    // Make the new node an actual item in the target document
    newDoc.getDocumentElement().appendChild(newNode);
}

Java 文档 API 允许您使用 组合前两个操作。importNode()

for(Node n : nodesToCopy) {
    // Create a duplicate node and transfer ownership of the
    // new node into the destination document
    Node newNode = newDoc.importNode(n, true);
    // Make the new node an actual item in the target document
    newDoc.getDocumentElement().appendChild(newNode);
}

参数 on 和 指定是否要深层复制,这意味着复制节点及其所有子节点。由于99%的时间你想要复制整个子树,你几乎总是希望这是真的。truecloneNode()importNode()


答案 2

adoptChild不会创建副本,它只是将节点移动到另一个父节点。

您可能需要 cloneNode() 方法。