题解 | #二叉树的最大深度#

二叉树的最大深度

http://www.nowcoder.com/practice/8a2b2bf6c19b4f23a9bdb9b233eefa73

递归实现:

/**
 * struct TreeNode {
 *    int val;
 *    struct TreeNode *left;
 *    struct TreeNode *right;
 * };
 */
class Solution {
public:
    int maxDepth(TreeNode* root) {
        // write code here
        if (root == nullptr) return 0;
        if (root->left == nullptr && root->right == nullptr) return 1;
        int ldepth = maxDepth(root->left);
        int rdepth = maxDepth(root->right);
        return 1 + max(ldepth, rdepth);
    }
};

BFS:

// BFS
class Solution {
public:
    int maxDepth(TreeNode* root) {
        // write code here
        if (root == nullptr) return 0;
        queue<TreeNode*> que;
        que.push(root);
        int count = 0;
        while (!que.empty()) {
            int n = que.size();
            while (n--) {
                if(que.front()->left) que.push(que.front()->left);
                if(que.front()->right) que.push(que.front()->right);
                que.pop();
            }
            count++;
        }
        return count;
    }
};

DFS:

class Solution {
public:
    int maxDepth(TreeNode* root) {
        // write code here
        if (root == nullptr) return 0;
        stack<TreeNode*> stk;  // 记录节点
        stack<int> level;  // 记录第几层
        stk.push(root);
        level.push(1);
        int count = 0;
        while (!stk.empty()) {
            TreeNode *node = stk.top();
            int tmp = level.top();
            stk.pop();
            level.pop();
            count = max(count, tmp);   // 记录最深层数
            if (node->left) {
                stk.push(node->left);
                level.push(tmp + 1);
            }
            if (node->right) {
                stk.push(node->right);
                level.push(tmp + 1);
            }
        }
        return count;
    }
};
全部评论

相关推荐

重生2012之我是java程序员:换个稍微正式点的照片吧
点赞 评论 收藏
分享
不愿透露姓名的神秘牛友
11-21 19:05
点赞 评论 收藏
分享
点赞 收藏 评论
分享
牛客网
牛客企业服务