LeetCode-Binary Tree Right Side View
阿新 • • 發佈:2018-11-11
一、Description
Given a binary tree, imagine yourself standing on the right side of it, return the values of the nodes you can see ordered from top to bottom.
題目大意:給定一個二叉樹,返回一個list,裡面存放的是從右邊的視角看這棵樹得到的結點。
Example:
Input: [1,2,3,null,5,null,4] Output: [1, 3, 4] Explanation: 1 <--- / \ 2 3 <--- \ \ 5 4 <---
二、Analyzation
這個題的思路是通過層次遍歷,將每層放入佇列的最後一個結點加入到list中。其中層次遍歷的時候,按照先右結點後左結點的順序加入佇列,新增一個標記flag,如果按照從右向左的順序,一旦加入了一個結點,那麼該結點一定是該層最右的結點,這時將flag置為true,否則只要flag為false,就會繼續判斷,直到新增成功。
三、Accepted code
class Solution { public List<Integer> rightSideView(TreeNode root) { List<Integer> list = new ArrayList<>(); if (root == null) { return list; } Queue<TreeNode> queue = new LinkedList<>(); queue.add(root); list.add(root.val); while (!queue.isEmpty()) { int size = queue.size(); boolean flag = false; //標記每層是否有元素加入到List中 while (size > 0) { TreeNode node = queue.poll(); if (node.right != null) { queue.add(node.right); if (!flag) { list.add(node.right.val); flag = true; } } if (node.left != null) { queue.add(node.left); if (!flag) { list.add(node.left.val); flag = true; } } size--; } } return list; } }