二叉树的深度

题目描述

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

思路

递归解法分别计算左树和右树的高度,有子节点高度就+1,取左右节点较大的那个。
非递归解法按照广度优先遍历去遍历整个树,每次队列走完一个层次高度就+1

递归解法
/**
public class TreeNode {
    int val = 0;
    TreeNode left = null;
    TreeNode right = null;

    public TreeNode(int val) {
        this.val = val;

    }

}
*/
public class Solution {
    public int TreeDepth(TreeNode root) {
        if(root==null){
            return 0;
        }
//计算左子树的高度
        int left=TreeDepth(root.left);
//计算右子树的高度
        int right=TreeDepth(root.right);
        return left>right?left+1:right+1;
        
    }
}
非递归解法
import java.util.Queue;
import java.util.LinkedList;
 
public class Solution {
    public int TreeDepth(TreeNode pRoot)
    {
        if(pRoot == null){
            return 0;
        }
        Queue queue = new LinkedList();
        queue.add(pRoot);
        int depth = 0, count = 0, nextCount = 1;
        while(queue.size()!=0){
            TreeNode top = queue.poll();
            count++;
            if(top.left != null){
                queue.add(top.left);
            }
            if(top.right != null){
                queue.add(top.right);
            }
//nextCount每层元素的个数,利用count来记录该层的元素是否全部弹出,如果全部弹出就depth+1,depth计算从上到下
            if(count == nextCount){
                nextCount = queue.size();
                count = 0;
                depth++;
            }
        }
        return depth;
    }
}

你可能感兴趣的:(二叉树的深度)