Maximum Depth of Binary Tree-二叉樹的最大深度
阿新 • • 發佈:2018-06-02
code clas etc dep 是否 兩種 depth In .com
- 求二叉樹的最大深度,是常見的一種二叉樹算法問題,主要解決辦法有兩種,一種是使用遞歸求解,另一種是非遞歸方式求解。這裏給出遞歸求解方法。遞歸方法無需判斷左右子樹是否為空。
- 問題來源於https://leetcode.com/problems/maximum-depth-of-binary-tree/description/
- Java遞歸求解方法:
/** * Definition for a binary tree node. * public class TreeNode { * int val; * TreeNode left; * TreeNode right; * TreeNode(int x) { val = x; } * }*/ class Solution { public int maxDepth(TreeNode root) { if(root == null){ return 0; } return Math.max(maxDepth(root.right),maxDepth(root.left))+1; } }
Maximum Depth of Binary Tree-二叉樹的最大深度