• Binary Tree Preorder Traversal leetcode java


    题目:

    Given a binary tree, return the preorder traversal of its nodes' values.

    For example:
    Given binary tree {1,#,2,3},

       1
        
         2
        /
       3
    

    return [1,2,3].

    Note: Recursive solution is trivial, could you do it iteratively?

    题解:

     递归做法如下:

     1     public void helper(TreeNode root, ArrayList<Integer> re){
     2         if(root==null)
     3             return;
     4         re.add(root.val);
     5         helper(root.left,re);
     6         helper(root.right,re);
     7     }
     8     public ArrayList<Integer> preorderTraversal(TreeNode root) {
     9         ArrayList<Integer> re = new ArrayList<Integer>();
    10         if(root==null)
    11             return re;
    12         helper(root,re);
    13         return re;
    14     }

     非递归方法:

     1 public ArrayList<Integer> preorderTraversal(TreeNode root) {
     2     ArrayList<Integer> res = new ArrayList<Integer>();
     3     if(root == null)
     4         return res;
     5     LinkedList<TreeNode> stack = new LinkedList<TreeNode>();
     6     while(root!=null || !stack.isEmpty()){
     7         if(root!=null){
     8             stack.push(root);
     9             res.add(root.val);
    10             root = root.left;
    11         }
    12         else{
    13             root = stack.pop();
    14             root = root.right;
    15         }
    16     }
    17     return res;
    18 }

  • 相关阅读:
    【LOJ#6277】数列分块1
    【LOJ6284】数列分块8
    【洛谷P3275】糖果
    【洛谷P3810】陌上花开
    【洛谷P1052】过河 离散化+dp
    【洛谷P2042】维护数列
    【模板】文艺平衡树
    【洛谷P4145】花神游历各国
    【洛谷P4878】布局
    hdu 5748(LIS)
  • 原文地址:https://www.cnblogs.com/springfor/p/3877182.html
Copyright © 2020-2023  润新知