题目描述
输入一棵二叉树,求该树的深度。从根结点到叶结点依次经过的结点(含根、叶结点)形成树的一条路径,最长路径的长度为树的深度。

思路:深度优先遍历,先从最下面一个节点开始,高度初始为1,然后上升到父节点,比较父节点的左右两个子树的高度,取较高的高度然后加一作为父节点的高度。
public class Solution {

public int TreeDepth(TreeNode pRoot)
{
    if(pRoot == null){
        return 0;
    }
    int left = TreeDepth(pRoot.left);
    int right = TreeDepth(pRoot.right);
    return Math.max(left, right) + 1;
}

}

第二种思路:从上往下遍历,每向下走一层,高度加+1;
public class Q_38 {

public int TreeDepth(TreeNode root) {
    if (root == null) return 0;
    return TreeDepth(root, 1);
}

public int TreeDepth(TreeNode root, int high) {
    if (root.left != null && root.right != null) {
        return Math.max(TreeDepth(root.left, high + 1), TreeDepth(root.right, high + 1));
    } else if (root.left != null) {
        return TreeDepth(root.left, high + 1);
    } else if (root.right != null) {
        return TreeDepth(root.right, high + 1);
    } else {
        return high;
    }
}

}