我遇到了以下算法,它将五个节点插入到二叉树中,然后遍历树。
正在创建什么样的树结构?它是平衡的还是不平衡的?你怎么知道?这会影响算法进行的遍历类型吗?
import Prog1Tools.IOTools;
class Node {
Node left;
Node right;
int value;
public Node(int value) {
this.value = value;
}
}
public class GeneralTreeTest {
public static void main(String[] args) {
// build a simple tree add 5 nodes to the tree
Node root = new Node(5);
System.out.println("Tree Example");
System.out.println("Building tree with root value " + root.value);
insert(root, 1);
insert(root, 8);
insert(root, 6);
insert(root, 3);
insert(root, 9);
System.out.println("Traversing tree ");
printOrder(root);
}
public static void insert(Node node, int value) {
if (value < node.value) {
if (node.left != null) {
insert(node.left, value);
} else {
System.out.println(" Inserted " + value + " to left of "
+ node.value);
node.left = new Node(value);
}
} else if (value > node.value) {
if (node.right != null) {
insert(node.right, value);
} else {
System.out.println(" Inserted " + value + " to right of "
+ node.value);
node.right = new Node(value);
}
}
}
public static void printOrder(Node node) {
if (node != null) {
printOrder(node.left);
System.out.println(" Traversed " + node.value);
printOrder(node.right);
}
}
}
答案 0 :(得分:0)
是平衡的还是不平衡的?
你没有任何平衡逻辑。例如,您插入1,2,3,然后所有节点将继续向右。例如,在AVL平衡树中,1将向左旋转&#34;,2将成为根,因此平衡树。
你怎么知道它是一个还是另一个
您可以在树中绘制Node数据结构的指针。
会影响算法进行的遍历类型。
不应该&#39;吨。您当前正在打印左侧,然后是右侧打印。相同的顺序适用于任何类型的二叉树