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

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

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.

For example:

Given the following binary tree,

1            <--- /   \2     3         <--- \     \  5     4       <---

 

You should return [1, 3, 4].

Credits:

分析:层次遍历,取最右面的元素:

方法一:双q法:

 

class Solution {    public:        vector
rightSideView(TreeNode *root) { queue
q1; queue
q2; vector
res; if(root != NULL) { q1.push(root); } while(!q1.empty()) { TreeNode * p = q1.front(); q1.pop(); if(p->left) q2.push(p->left); if(p->right) q2.push(p->right); if(q1.empty() /*&& !q2.empty()*/) { res.push_back(p->val); swap(q1, q2); } } return res; }};

 

方法二:单q+ NULL标记level结束法

/** * 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
rightSideView(TreeNode* root) { vector
rtn; if(root == NULL) return rtn; queue
q; TreeNode* pre = NULL; q.push(root); q.push(NULL);//mark the end of this level while(!q.empty()) { TreeNode * p = q.front(); q.pop(); if(p == NULL) { rtn.push_back(pre->val); if(!q.empty())// some elements still exist in q. q.push(NULL);//mark end of this level } else { if(p->left) q.push(p->left); if(p->right) q.push(p->right); } pre = p; } return rtn; }};

 

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

你可能感兴趣的文章
我的友情链接
查看>>
python基础教程_学习笔记19:标准库:一些最爱——集合、堆和双端队列
查看>>
javascript继承方式详解
查看>>
lnmp环境搭建
查看>>
自定义session扫描器精确控制session销毁时间--学习笔记
查看>>
PHP队列的实现
查看>>
单点登录加验证码例子
查看>>
[T-SQL]从变量与数据类型说起
查看>>
occActiveX - ActiveX with OpenCASCADE
查看>>
BeanUtils\DBUtils
查看>>
python模块--os模块
查看>>
Java 数组在内存中的结构
查看>>
《关爱码农成长计划》第一期报告
查看>>
学习进度表 04
查看>>
谈谈javascript中的prototype与继承
查看>>
时序约束优先级_Vivado工程经验与各种时序约束技巧分享
查看>>
minio 并发数_MinIO 参数解析与限制
查看>>
flash back mysql_mysqlbinlog flashback 使用最佳实践
查看>>
mysql存储引擎模式_MySQL存储引擎
查看>>
java 重写system.out_重写System.out.println(String x)方法
查看>>