來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/cong-shang-dao-xia-da-yin-er-cha-shu-lcof
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。javascript
從上到下打印出二叉樹的每一個節點,同一層的節點按照從左到右的順序打印。css
例如:
給定二叉樹: [3,9,20,null,null,15,7],java
3
/ \
9 20
/ \
15 7
返回:node
[3,9,20,15,7]
網絡
提示:函數
節點總數 <= 1000this
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {number[]} */ var levelOrder = function(root) { if(!root) return []; let res = []; let arr = [root]; while(arr.length){ let str = arr.shift(); res.push(str.val); str.left && arr.push(str.left); str.right && arr.push(str.right); } return res; };
來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/cong-shang-dao-xia-da-yin-er-cha-shu-iii-lcof
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。code
請實現一個函數按照之字形順序打印二叉樹,即第一行按照從左到右的順序打印,第二層按照從右到左的順序打印,第三行再按照從左到右的順序打印,其餘行以此類推。blog
例如:
給定二叉樹: [3,9,20,null,null,15,7],ip
3
/ \
9 20
/ \
15 7
返回其層次遍歷結果:
[
[3],
[20,9],
[15,7]
]
提示:
節點總數 <= 1000
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {number[][]} */ var levelOrder = function(root) { if(!root) return []; let res = []; let arr = []; let num = 1; arr.push(root); while(arr.length){ let temp = []; let len = arr.length; for(let i=0; i<len; i++){ let node = arr.shift(); if(num % 2 == 1){ temp.push(node.val); }else{ temp.unshift(node.val); } node.left && arr.push(node.left); node.right && arr.push(node.right); } res.push(temp); num++; } return res; };
來源:力扣(LeetCode)
連接:https://leetcode-cn.com/problems/er-cha-shu-de-jing-xiang-lcof
著做權歸領釦網絡全部。商業轉載請聯繫官方受權,非商業轉載請註明出處。
請完成一個函數,輸入一個二叉樹,該函數輸出它的鏡像。
例如輸入:
4
/ \
2 7
/ \ / \
1 3 6 9
鏡像輸出:
4
/ \
7 2
/ \ / \
9 6 3 1
示例 1:
輸入:root = [4,2,7,1,3,6,9]
輸出:[4,7,2,9,6,3,1]
限制:
0 <= 節點個數 <= 1000
注意:本題與主站 226 題相同:https://leetcode-cn.com/problems/invert-binary-tree/
/** * Definition for a binary tree node. * function TreeNode(val) { * this.val = val; * this.left = this.right = null; * } */ /** * @param {TreeNode} root * @return {TreeNode} */ var mirrorTree = function(root) { if(!root) return null; let left = root.left; root.left = root.right; root.right = left; mirrorTree(root.left); mirrorTree(root.right); return root; };