zoukankan      html  css  js  c++  java
  • Java for LeetCode 103 Binary Tree Zigzag Level Order Traversal

    Given a binary tree, return the zigzag level order traversal of its nodes' values. (ie, from left to right, then right to left for the next level and alternate between).

    For example:
    Given binary tree {3,9,20,#,#,15,7},

        3
       / 
      9  20
        /  
       15   7
    

    return its zigzag level order traversal as:

    [
      [3],
      [20,9],
      [15,7]
    ]
    

    解题思路:

    直接在上题加一条反转语句即可,JAVA实现如下:

        public List<List<Integer>> zigzagLevelOrder(TreeNode root) {
            List<List<Integer>> list = new ArrayList<List<Integer>>();
    		if (root == null)
    			return list;
    		Queue<TreeNode> queue = new LinkedList<TreeNode>();
    		queue.add(root);
    		while (queue.size() != 0) {
    			List<Integer> alist = new ArrayList<Integer>();
    			for (TreeNode child : queue)
    				alist.add(child.val);
    			if(list.size()%2!=0)
    				Collections.reverse(alist);
    			list.add(new ArrayList<Integer>(alist));
    			Queue<TreeNode> queue2 = queue;
    			queue = new LinkedList<TreeNode>();
    			for (TreeNode child : queue2) {
    				if (child.left != null)
    					queue.add(child.left);
    				if (child.right != null)
    					queue.add(child.right);
    			}
    		}
    		return list;
        }
    
  • 相关阅读:
    python之字典方法
    python之字符串方法
    python strip()方法使用
    Airtest自动化测试工具介绍
    selenium 环境配置
    一个自定义线程池的小Demo
    简单工厂模式
    BootStrap入门_创建第一个例子
    MongoDB的索引
    MongoDB的查询
  • 原文地址:https://www.cnblogs.com/tonyluis/p/4523693.html
Copyright © 2011-2022 走看看