Leetcode 199. 二叉樹的右檢視 二叉樹的遍歷
阿新 • • 發佈:2018-12-24
給定一棵二叉樹,想象自己站在它的右側,按照從頂部到底部的順序,返回從右側所能看到的節點值。
示例:
輸入: [1,2,3,null,5,null,4] 輸出: [1, 3, 4] 解釋: 1 <--- / \ 2 3 <--- \ \ 5 4 <---
此題有兩種解法,一種是二叉樹的層序遍歷,一種是遞迴左右子樹。。
1.層序遍歷:
只需要在普通的層序遍歷中的先遍歷左子樹再右子樹的順序顛倒即可。。。即先右子樹再左子樹,然後取隊首元素即可。。
程式碼如下:
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class Solution { public: vector<int> rightSideView(TreeNode* root) { vector<int> re; if(root==NULL) return re; queue<TreeNode*>q; q.push(root); while (!q.empty()) { int Size=q.size(); if(Size) re.push_back(q.front()->val); //取出元素 while (Size--) { TreeNode* t=q.front(); q.pop(); if(t->right) q.push(t->right); if(t->left) q.push(t->left); } } return re; } };
耗時:4ms
2遞迴遍歷:
先遞迴右子樹,再遞迴左子樹, 如果節點的值比當前最大高度高的話, 直接push進去。 。
程式碼如下:
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class Solution { public: int Maxdep=0; vector<int> re; vector<int> rightSideView(TreeNode* root) { if(root==NULL) return re; traverse (root,1); return re; } void traverse (TreeNode* root,int depth) { if(depth>Maxdep) { re.push_back(root->val); Maxdep=depth; } if(root->right) traverse (root->right,depth+1); if(root->left) traverse (root->left,depth+1); } };