从Leetcode 每日一题练习继续讨论:
515. 在每个树行中找最大值
515. Find Largest Value in Each Tree Row
题解
本题是比较常规的遍历二叉树的题目,使用BFS进行层序遍历,并且在每一层遍历时保存当前层的最大值直到遍历完该层,将最大值放入结果数组中即可。
代码
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode() : val(0), left(nullptr), right(nullptr) {}
* TreeNode(int x) : val(x), left(nullptr), right(nullptr) {}
* TreeNode(int x, TreeNode *left, TreeNode *right) : val(x), left(left), right(right) {}
* };
*/
class Solution {
public:
vector<int> largestValues(TreeNode* root) {
if (!root) return {};
vector<int> result;
queue<TreeNode*> q;
q.push(root);
while (!q.empty()) {
int levelSize = q.size();
int maxVal = INT_MIN; // 初始化当前层的最大值
// 遍历当前层的所有节点
for (int i = 0; i < levelSize; i++) {
TreeNode* node = q.front();
q.pop();
// 更新当前层的最大值
maxVal = max(maxVal, node->val);
// 将下一层的节点加入队列
if (node->left) {
q.push(node->left);
}
if (node->right) {
q.push(node->right);
}
}
// 将当前层的最大值加入结果数组
result.push_back(maxVal);
}
return result;
}
};