18

假设我有一个简单的二叉树节点类,如下所示:

public class BinaryTreeNode {
    public String identifier = "";
    public BinaryTreeNode parent = null;
    public BinaryTreeNode left = null;
    public BinaryTreeNode right = null;

    public BinaryTreeNode(BinaryTreeNode parent, String identifier)
    {
        this.parent = parent; //passing null makes this the root node
        this.identifier = identifier;
    }

    public boolean IsRoot() {
        return parent == null;
    }
}

我将如何添加一种能够递归遍历任何大小的树的方法,从左到右访问每个现有节点,而无需重新访问已经遍历过的节点?

这会工作吗?:

public void traverseFrom(BinaryTreeNode rootNode)
{
    /* insert code dealing with this node here */

    if(rootNode.left != null)
        rootNode.left.traverseFrom(rootNode.left);

    if(rootNode.right != null)
        rootNode.traverseFrom(rootNode.right);
}
4

2 回答 2

36

您可以实现 3 种类型的二叉树遍历:

例子:

考虑以下二叉树:

在此处输入图像描述

Pre-order traversal sequence: F, B, A, D, C, E, G, I, H (root, left, right)
In-order traversal sequence: A, B, C, D, E, F, G, H ,I (left, root, right)
Post-order traversal sequence: A, C, E, D, B, H, I, G, F (left, right, root)

代码示例:

从左到右遍历二叉树,不按顺序遍历二叉树:

public void traverse (Node root){ // Each child of a tree is a root of its subtree.
    if (root.left != null){
        traverse (root.left);
    }
    System.out.println(root.data);
    if (root.right != null){
        traverse (root.right);
    }
}
于 2013-03-09T02:25:43.590 回答
8

codeMan 是对的。遍历将访问左侧的每个节点。一旦它到达左侧的最后一个节点,它就会开始沿着右侧节点返回。这是深度优先搜索 (DFS) 遍历。因此,每个节点只被访问一次,并且算法在 O(n) 时间内运行。快乐编码。

于 2013-03-09T02:29:19.393 回答