leetcode每日一题 python解法 3月10日
2020-03-10 本文已影响0人
Never肥宅
难度:简单
题目内容:
给定一棵二叉树,你需要计算它的直径长度。一棵二叉树的直径长度是任意两个结点路径长度中的最大值。这条路径可能穿过根结点。
示例 :
给定二叉树
1
/ \
2 3
/ \
4 5
返回 3, 它的长度是路径 [4,2,1,3] 或者 [5,2,1,3]。
注意:两结点之间的路径长度是以它们之间边的数目表示。
题解:
很基本的数据结构内容二叉树
来思考一下
一个最长的路径肯定是过某个节点,那么这个节点的左子树深度加上右子树深度再加一(他自己)就是过他的路径的最长的长度,那么只要找到所有节点的左子树深度+右子树深度,就能找到最长路径了
所以其实这个题求的是子树深度。
递归一下
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def __init__(self):
self.radius = 0
def diameterOfBinaryTree(self, root: TreeNode) -> int:
if root == None:
return 0
self.treeDepth(root)
return self.radius
def treeDepth(self,root):
if root.left == None:
leftDepth = 0
else:
leftDepth = self.treeDepth(root.left)
if root.right == None:
rightDepth = 0
else:
rightDepth = self.treeDepth(root.right)
if leftDepth + rightDepth > self.radius:
self.radius = leftDepth + rightDepth
return max(leftDepth , rightDepth) + 1
image.png
不过时间不算很理想啊
来看看别人的优秀解答吧
试了一下leetcode解答,果然好了很多,不过思路是类似的
image.png
class Solution(object):
def diameterOfBinaryTree(self, root):
self.ans = 1
def depth(node):
# 访问到空节点了,返回0
if not node: return 0
# 左儿子为根的子树的深度
L = depth(node.left)
# 右儿子为根的子树的深度
R = depth(node.right)
# 计算d_node即L+R+1 并更新ans
self.ans = max(self.ans, L+R+1)
# 返回该节点为根的子树的深度
return max(L, R) + 1
depth(root)
return self.ans - 1
作者:LeetCode-Solution
链接:https://leetcode-cn.com/problems/diameter-of-binary-tree/solution/er-cha-shu-de-zhi-jing-by-leetcode-solution/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。