博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
[LeetCode] Binary Tree Right Side View
阅读量:5877 次
发布时间:2019-06-19

本文共 1540 字,大约阅读时间需要 5 分钟。

A simple application of level-order traversal. Just push the last node in each level into the result.

The code is as follows.

1 class Solution { 2 public: 3     vector
rightSideView(TreeNode* root) { 4 vector
right; 5 if (!root) return right; 6 queue
toVisit; 7 toVisit.push(root); 8 while (!toVisit.empty()) { 9 TreeNode* rightNode = toVisit.back();10 right.push_back(rightNode -> val);11 int num = toVisit.size();12 for (int i = 0; i < num; i++) {13 TreeNode* node = toVisit.front();14 toVisit.pop();15 if (node -> left) toVisit.push(node -> left);16 if (node -> right) toVisit.push(node -> right);17 }18 }19 return right;20 }21 };

Well, the above code is of BFS. This problem can still be solved using DFS. The code is as follows. Play with it to see how it works :-)

1 class Solution { 2 public: 3     vector
rightSideView(TreeNode* root) { 4 vector
right; 5 if (!root) return right; 6 rightView(root, right, 0); 7 } 8 private: 9 void rightView(TreeNode* node, vector
& right, int level) {10 if (!node) return;11 if (level == right.size())12 right.push_back(node -> val);13 rightView(node -> right, right, level + 1);14 rightView(node -> left, right, level + 1);15 }16 };

 

转载地址:http://ckuix.baihongyu.com/

你可能感兴趣的文章
[日常] 算法-单链表的创建
查看>>
前端工程化系列[01]-Bower包管理工具的使用
查看>>
使用 maven 自动将源码打包并发布
查看>>
Spark:求出分组内的TopN
查看>>
Python爬取豆瓣《复仇者联盟3》评论并生成乖萌的格鲁特
查看>>
关于跨DB增量(增、改)同步两张表的数据小技巧
查看>>
飞秋无法显示局域网好友
查看>>
学员会诊之03:你那惨不忍睹的三层架构
查看>>
vue-04-组件
查看>>
Golang协程与通道整理
查看>>
解决win7远程桌面连接时发生身份验证错误的方法
查看>>
C/C++ 多线程机制
查看>>
js - object.assign 以及浅、深拷贝
查看>>
python mysql Connect Pool mysql连接池 (201
查看>>
Boost在vs2010下的配置
查看>>
android camera(四):camera 驱动 GT2005
查看>>
一起谈.NET技术,ASP.NET伪静态的实现及伪静态的意义
查看>>
20款绝佳的HTML5应用程序示例
查看>>
string::c_str()、string::c_data()及string与char *的正确转换
查看>>
11G数据的hive初测试
查看>>