我试图将一般树(具有一个或多个孩子的树)转换为二叉树。我的常规树由XML文件名“1.xml”表示,其中包含:
<A>
<B/>
<C>
<E/>
<F/>
</C>
<D/>
</A>
所以我可以像这样代表二叉树:
现在要将此树转换为二叉树,我使用以下方法:
A ---- # -------- # ------ #
| | |
B C--#--# D
| |
E F
(#(DIESE)的数量是指给定节点的兄弟数) 最右边的节点是树的根。
A <---- # <-------- # <------ #
| | |
B C<--#<--# D
| |
E F
更清楚的是二叉树就像这张图片
这样做我写这段代码:
public static Node NaireTreeToBinaryTree (Node node,Document d)
{
if (isLeaf(node))
{
return node;
}
else
{
List<Element> liste = GetChildren(node);
Node tmp= d.createElement(node.getNodeName());
for (int i=0;i<liste.size();i++)
{
Element root = d.createElement("DIESE");
root.appendChild(tmp);
Element child2 = d.createElement(NaireTreeToBinaryTree(liste.get(i),d).getNodeName());
root.appendChild(child2);
tmp=root;
}
return tmp;
}
}
public static void WritingIntoXML (Node node ,Document d)
{
try{
d.appendChild(node);
TransformerFactory transformerFactory = TransformerFactory.newInstance();
Transformer transformer = transformerFactory.newTransformer();
DOMSource source = new DOMSource(d);
// Output to console for testing
StreamResult result2 = new StreamResult(System.out);
transformer.transform(source, result);
}
catch(Exception e)
{
e.printStackTrace();
}
}
public static void main(String[] args) {
Node root = GetNodeParent("1.xml"); // Get the node parent
try{
DocumentBuilderFactory docFactory = DocumentBuilderFactory.newInstance();
DocumentBuilder docBuilder = docFactory.newDocumentBuilder();
Document doc = docBuilder.newDocument();
Node a =NaireTreeToBinaryTree (root, doc);
WritingIntoXML (a ,doc);
}
catch (Exception e )
{
e.printStackTrace();
}
}
我得到这个结果(我把DIESE(父节点的名称)代替#):
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
<DIESE>
<DIESE>
<DIESE>
<A/>
<B/>
</DIESE>
<DIESE/>
</DIESE>
<D/>
</DIESE>
树上缺少节点C,E,F所以我不知道为什么? 是递归方法中的问题 NaireTreeToBinaryTree
答案 0 :(得分:2)
正如您将看到的,一个复制错误,它取代了节点的新子树。
public static Node naireTreeToBinaryTree (Node node,Document d)
{
if (isLeaf(node))
{
//-return node;
return d.createElement(node.getNodeName());
}
else
{
List<Element> liste = getChildren(node);
Node tmp= d.createElement(node.getNodeName());
for (int i=0;i<liste.size();i++)
{
Element root = d.createElement("DIESE");
root.appendChild(tmp);
//-Element child2 = d.createElement(naireTreeToBinaryTree(liste.get(i),d).getNodeName());
Node child2 = naireTreeToBinaryTree(liste.get(i),d);
root.appendChild(child2);
tmp=root;
}
return tmp;
}
}