[LeetCode] 559. Maximum Depth of N-ary Tree

发布时间:2019-07-16 发布网站:脚本宝典
脚本宝典收集整理的这篇文章主要介绍了[LeetCode] 559. Maximum Depth of N-ary Tree脚本宝典觉得挺不错的,现在分享给大家,也给大家做个参考。

Problem

Given a n-ary tree, find its maximum depth.

The maximum depth is the number of nodes along the longest path from the root node down to the farthest leaf node.

For example, given a 3-ary tree:

NaryTreeExample.png

We should return its max depth, which is 3.

Note:

The depth of the tree is at most 1000.
The total number of nodes is at most 5000.

Solution

/*
// Definition for a Node.
class Node {
    public int val;
    public List<Node> children;

    public Node() {}

    public Node(int _val,List<Node> _children) {
        val = _val;
        children = _children;
    }
};
*/

class Solution {
    public int maxDepth(Node root) {
        return helper(root);
    }
    private int helper(Node root) {
        if (root == null) return 0;
        int maxDepth = 1;
        for (Node node: root.children) {
            maxDepth = Math.max(maxDepth, 1+helper(node));
        }
        return maxDepth;
    }
}

脚本宝典总结

以上是脚本宝典为你收集整理的[LeetCode] 559. Maximum Depth of N-ary Tree全部内容,希望文章能够帮你解决[LeetCode] 559. Maximum Depth of N-ary Tree所遇到的问题。

如果觉得脚本宝典网站内容还不错,欢迎将脚本宝典推荐好友。

本图文内容来源于网友网络收集整理提供,作为学习参考使用,版权属于原作者。
如您有任何意见或建议可联系处理。小编QQ:384754419,请注明来意。
标签: