1

我的输入结果24, 4, 2, 3, 9, 10, 32,我得到以下结果2, 3, 4, 24

我正在使用堆栈else if当我手动检查该程序时,即使有正确的子树,节点也不会在堆栈上的 4 处通过。

public void inorderNonRcursive(Node root){

    Stack s = new Stack();
    Node node = root;
    Node k;
    int c=0;

    if(node != null) {
        s.push(node);    
    }

    while(!s.stack.isEmpty()) {   

        //node=(Node) s.stack.get(s.stack.size()-1);
        System.out.println("first condition" + (node.getleft() != null && (node.getVisited() == false)) + "second condi" + (node.getRight() != null));

        if(node.getleft() != null && (node.getVisited() == false)) {
            node = node.getleft();
            s.push(node);
            System.out.println("   from 1           "+(++c)); 

        } else if(node.getRight() != null) {
            k = s.pop();
            System.out.println(k.getvalue());
            node=node.getRight();
            s.push(node);
            System.out.println("    from 2          "+(++c)); 

        } else {
            k = s.pop();
            System.out.println(k.getvalue());
            System.out.println("        from 3      "+(++c)); 
        }  

    }

}
4

2 回答 2

9

对我来说,设计中有两个问题:

  1. 该算法似乎是适用于迭代的递归算法,并且
  2. Node班级知道被访问。

这是一个不同的解决方案(您需要稍微调整一下):

// Inorder traversal:
// Keep the nodes in the path that are waiting to be visited
Stack s = new Stack(); 
// The first node to be visited is the leftmost
Node node = root;
while (node != null)
{
    s.push(node);
    node = node.left;
}
// Traverse the tree
while (s.size() > 0)
{
    // Visit the top node
    node = (Node)s.pop();
    System.out.println((String)node.data);
    // Find the next node
    if (node.right != null)
    {
        node = node.right;
        // The next node to be visited is the leftmost
        while (node != null)
        {
            s.push(node);
            node = node.left;
        }
    }
}

回顾我的第一条评论,您并没有说您编写了伪代码并对其进行了测试。我认为这是编写新算法的关键一步。

于 2012-10-03T23:07:06.290 回答
3

这看起来像是一个课堂练习,旨在帮助您理解二叉树。

在你写任何代码之前,画一张你的树的图片,在每个节点上都有一个值,比如“A”、“B”、“C”等。然后从根节点开始,看看你需要做什么按顺序访问每个节点。用伪代码写下你学到的东西,并按照它所说的来测试它。确保为每个节点测试你能想到的所有不同情况(你应该至少有三个)。在树中放置大约七个节点。

现在你可以开始你的代码了。输入您的伪代码作为注释,然后在每个注释之间插入您的 Java 代码。

享受 :-)

于 2012-10-03T05:39:37.350 回答