问题
给定一个二叉树,返回它的 前序 遍历。
示例:
输入: \([1,null,2,3]\)
1
\
2
/
3
输出: \([1,2,3]\)
进阶: 递归算法很简单,你可以通过迭代算法完成吗?
解法
没什么可说的。直接上代码吧。
代码
递归
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
private List<Integer> result = new LinkedList<>();
public List<Integer> preorderTraversal(TreeNode root) {
if (root == null) {
return result;
}
preorder(root);
return result;
}
public void preorder(TreeNode root) {
if (root == null) {
return;
}
//先将root.val加入result
result.add(root.val);
//递归左子树
preorder(root.left);
//递归右子树
preorder(root.right);
}
}
迭代
/**
* Definition for a binary tree node.
* public class TreeNode {
* int val;
* TreeNode left;
* TreeNode right;
* TreeNode(int x) { val = x; }
* }
*/
class Solution {
private List<Integer> result = new LinkedList<>();
public List<Integer> preorderTraversal(TreeNode root) {
if (root == null) {
return result;
}
Stack<TreeNode> stack = new Stack<>();
stack.push(root);
while (!stack.isEmpty()) {
TreeNode node = stack.pop();
result.add(node.val);
//需要注意这里right要先压栈 其他的基本无压力。
if (node.right !=null) {
stack.push(node.right);
}
if (node.left !=null) {
stack.push(node.left);
}
}
return result;
}
}