欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

使用迭代的方式进行二叉树的中序遍历

程序员文章站 2022-06-17 19:53:54
...

一、题目

使用迭代的方式进行二叉树的中序遍历

二、代码 

引入的思想 ,沿根节点左孩子节点入栈,左边走不下去了,就打印节点,并转向右边,然后右边继续这个过程

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     int val;
 *     TreeNode left;
 *     TreeNode right;
 *     TreeNode(int x) { val = x; }
 * }
 */
class Solution {

    public List<Integer> inorderTraversal(TreeNode root) {
        List<Integer> result = new ArrayList<>();
        Stack<TreeNode> stack = new Stack<>();
        while(!stack.isEmpty() || root!=null){
            if(root != null){
                stack.push(root);
                root = root.left;
            }else{
                TreeNode temp = stack.pop();
                result.add(temp.val);
                root = temp.right;
            }
        }
        return result;

    }
}

 

相关标签: 算法 二叉树