二叉树的后序遍历的非递归算法与二叉树的先序和中序遍历的非递归算法相比稍微复杂一点。
大致思路是:如果当前结点左右子树均为空,则可以访问当前结点,或者左右子树不均为空,但是前一个访问的结点是当前结点的左孩子或者右孩子,则也可以访问当前结点,如果前面两种情况均不满足(即,当前结点的左右孩子不均为空,并且前一个访问的结点不是当前结点左右孩子中的任意一个),则若当前结点的右孩子不为空,将右孩子入栈,若当前结点的左孩子不为空,将左孩子入栈。
代码如下:
public static void postOrder(TreeNode root) {
if(root==null) return;
Stack<TreeNode> stack = new Stack<TreeNode>();
TreeNode current = null;
TreeNode pre = null;
stack.push(root);
while(!stack.isEmpty()) {
current = stack.peek();
if((current.left==null && current.right==null) || (pre!=null && (pre == current.left || pre == current.right))) {
System.out.println(current.val);
stack.pop();
pre = current;
}
else {
if(current.right!=null) {
stack.push(current.right);
}
if(current.left != null) {
stack.push(current.left);
}
}
}
}
参考:
http://www.cnblogs.com/dolphin0520/archive/2011/08/25/2153720.html