首页 > 代码库 > [LeetCode]Binary Tree Inorder Traversal
[LeetCode]Binary Tree Inorder Traversal
Given a binary tree, return the inorder traversal of its nodes‘ values.
For example:
Given binary tree {1,#,2,3}
,
1 2 / 3
return [1,3,2]
.
Note: Recursive solution is trivial, could you do it iteratively?
confused what "{1,#,2,3}"
means? > read more on how binary tree is serialized on OJ.
OJ‘s Binary Tree Serialization:
The serialization of a binary tree follows a level order traversal, where ‘#‘ signifies a path terminator where no node exists below.
Here‘s an example:
1 / 2 3 / 4 5The above binary tree is serialized as
"{1,2,3,#,#,4,#,#,5}"
.递归方法
/** * Definition for binary tree * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ public class Solution { public List<Integer> inorderTraversal(TreeNode root) { if(root == null){ List<Integer> list = new ArrayList<Integer>(); return list; } if(root.left==null&&root.right==null){ List<Integer> list = new ArrayList<Integer>(); list.add(root.val); return list; } List<Integer> leftList = inorderTraversal(root.left); List<Integer> rightList = inorderTraversal(root.right); List<Integer> res = new ArrayList<>(); res.addAll(leftList); res.add(root.val); res.addAll(rightList); return res; } }
stack维护
/** * Definition for binary tree * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * } */ public class Solution { public List<Integer> inorderTraversal(TreeNode root) { Stack<TreeNode> stack = new Stack<>(); List<Integer> res = new ArrayList<Integer>(); while(root!=null||!stack.isEmpty()){ if(root!=null){ stack.push(root); root = root.left; }else{ root = stack.pop(); res.add(root.val); root = root.right; } } return res; } }
[LeetCode]Binary Tree Inorder Traversal
声明:以上内容来自用户投稿及互联网公开渠道收集整理发布,本网站不拥有所有权,未作人工编辑处理,也不承担相关法律责任,若内容有误或涉及侵权可进行投诉: 投诉/举报 工作人员会在5个工作日内联系你,一经查实,本站将立刻删除涉嫌侵权内容。