题目:

给定一个二叉树,找出其最大深度。
二叉树的深度为根节点到最远叶子节点的距离。

样例:

给出一棵如下的二叉树:
clipboard.png

这个二叉树的最大深度为3.

思路:

如果只有一个根节点,那么树的深度为1.
如果只有根节点和左子树,那么树的深度为为左子树的深度+1,如果只有根节点和右子树,那么树的深度为右子树的深度+1。
如果既有左子树和右子树,那么树的深度为左右子树中深度的较大值+1。

参考答案:

/**
 * Definition of TreeNode:
 * class TreeNode {
 * public:
 *     int val;
 *     TreeNode *left, *right;
 *     TreeNode(int val) {
 *         this->val = val;
 *         this->left = this->right = NULL;
 *     }
 * }
 */
class Solution {
public:
    /**
     * @param root: The root of binary tree.
     * @return: An integer
     */
     //DFS思路
    int maxDepth(TreeNode *root) {
        // write your code here
        if(root == NULL)    return 0;
        int left = maxDepth(root->left);
        int right = maxDepth(root->right);
        
        return max(left,right)+1;
    }
};

wydong
40 声望5 粉丝

wyd


« 上一篇
实现 Trie
下一篇 »
翻转二叉树