剑指offer树55-I.二叉树最大深度
Posted trevo
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了剑指offer树55-I.二叉树最大深度相关的知识,希望对你有一定的参考价值。
二叉树最大深度
DFS递归法
/**
* 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 maxDepth(TreeNode* root) {
if(!root) return 0;
return max(maxDepth(root->left), maxDepth(root->right)) + 1;
}
};
BFS(借助队列)
/**
* 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 maxDepth(TreeNode* root) {
if(!root) return 0;
queue<TreeNode *> q;
q.push(root);
int res = 0;
while(!q.empty())
{
int n = q.size();
while(n--)
{
TreeNode* tmp = q.front();
q.pop();
if(tmp -> left) q.push(tmp -> left);
if(tmp -> right) q.push(tmp -> right);
}
res++;
}
return res;
}
};
以上是关于剑指offer树55-I.二叉树最大深度的主要内容,如果未能解决你的问题,请参考以下文章
Leetcode二叉树专题(仅需7道题就可以带你入门二叉树基本玩法)
算法leetcode|剑指 Offer 55 - I. 二叉树的深度|104. 二叉树的最大深度(rust和go)