LeetCode-94-二叉树的中序遍历
94. 二叉树的中序遍历
难度简单
给定一个二叉树的根节点 root
,返回它的 中序 遍历。
示例 1:
img输入:root = [1,null,2,3]
输出:[1,3,2]
示例 2:
输入:root = []
输出:[]
示例 3:
输入:root = [1]
输出:[1]
示例 4:
img输入:root = [1,2]
输出:[2,1]
示例 5:
img输入:root = [1,null,2]
输出:[1,2]
提示:
- 树中节点数目在范围
[0, 100]
内 -100 <= Node.val <= 100
进阶: 递归算法很简单,你可以通过迭代算法完成吗?
- 递归解法
class Solution {
public List<Integer> inorderTraversal(TreeNode root) {
List<Integer> result = new ArrayList();
inorderTraversalPorcess(root,result);
return result;
}
public void inorderTraversalPorcess(TreeNode root,List<Integer> result) {
if(root==null) {
return ;
}
inorderTraversalPorcess(root.left,result);
result.add(root.val);
inorderTraversalPorcess(root.right,result);
}
}
image-20210603091616323
第一步:先push整条左边界
第二步:遇到NULL,pop,弹出打印
第三步:cur=cur.right; 循环第一步
class Solution {
public List<Integer> inorderTraversal(TreeNode cur) {
List<Integer> result = new ArrayList();
if (cur != null) {
Stack<TreeNode> stack = new Stack<TreeNode>();
while (!stack.isEmpty() || cur != null) {
if (cur != null) {//cur 不为null push
stack.push(cur);
cur = cur.left;
} else {//遇到NULL pop cur = cur.right;
cur = stack.pop();
result.add(cur.val);
cur = cur.right;
}
}
}
return result;
}
}
image-20210603091732507
- Morris遍历
Morris遍历算法的步骤如下:
1, 根据当前节点,找到其前序节点,如果前序节点的右孩子是空,那么把前序节点的右孩子指向当前节点,然后进入当前节点的左孩子。
2, 如果当前节点的左孩子为空,打印当前节点,然后进入右孩子。
3,如果当前节点的前序节点其右孩子指向了它本身,那么把前序节点的右孩子设置为空,打印当前节点,然后进入右孩子。
class Solution {
public List<Integer> inorderTraversal(TreeNode root) {
List<Integer> ans = new ArrayList<>();
if (root == null) {
return ans;
}
TreeNode cur = root;
TreeNode mostRight = null;
while (cur != null) {
mostRight = cur.left;
if (mostRight != null) {
while (mostRight.right != null && mostRight.right != cur) {
mostRight = mostRight.right;
}
if (mostRight.right == null) {
mostRight.right = cur;
cur = cur.left;
continue;
} else {
mostRight.right = null;
}
}
ans.add(cur.val);
cur = cur.right;
}
return ans;
}
}
image-20210603092121626
网友评论