★★★★★★★ 파워 스냅(python) 50일째-30일째: 두 갈래 나무의 최대 경로와 ★★★★★★★★★★★
3484 단어 leetcode 문제 풀기
파워 버클 문제 (python) 50일-30일: 두 갈래 나무의 최대 경로와
제목 설명
비공 두 갈래 트리를 지정하고 최대 경로와 를 되돌려줍니다.
본고에서 경로는 나무의 임의의 노드에서 출발하여 임의의 노드에 도달하는 서열로 정의되었다.이 경로는 루트 노드를 거치지 않고 하나 이상의 노드를 포함합니다.
예 1:
입력: [1,2,3] 1
/ \
2 3
출력: 6 예 2:
입력: [-10,9,20,null,null,15,7]
-10/ 9 20/ 15 7
출력: 42
출처: 리코드(LeetCode) 링크:https://leetcode-cn.com/problems/binary-tree-maximum-path-sum저작권은 인터넷 소유에 귀속된다.상업 전재는 정부에 연락하여 권한을 부여하고, 비상업 전재는 출처를 명시해 주십시오.
방법
이전에 가장 큰 깊이를 구하는 문제가 있었기 때문에 귀속적인 방법으로 이 문제를 풀 생각을 하기 쉽다.
해답
# Definition for a binary tree node.
# class TreeNode(object):
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution(object):
trueval=float('-inf')
def maxPathSum(self, root):
"""
:type root: TreeNode
:rtype: int
"""
self.val=root.val
self.flag=0
flag=0
if root.left:
self.findleft(root.left,flag)
self.val+=self.flag
self.flag=0
if root.right:
self.findright(root.right,flag)
self.val+=self.flag
self.trueval=max(self.val,self.trueval)
return self.trueval
def findleft(self,root,flag):
self.maxPathSum(root)
flag+=root.val
if flag>self.flag:
self.flag=flag
if root.left:
self.findleft(root.left,flag)
if root.right:
self.findright(root.right,flag)
def findright(self,root,flag):
self.maxPathSum(root)
flag+=root.val
if flag>self.flag:
self.flag=flag
if root.left:
self.findleft(root.left,flag)
if root.right:
self.findright(root.right,flag)
생각이 좋은데 시간이 초과된 것이 아쉽다. 총괄적인 이유는 서브루트의maxPathSum을 찾을 때 많은 데이터를 중복 계산하고 답을 많이 봤기 때문이다. 이런 사고방식은 확실히 고치기 어렵다. 왜냐하면 나는 거슬러 올라가는 값이 없고 변수에 대한 전체적인 수정만 있기 때문이다.보이다https://leetcode-cn.com/problems/binary-tree-maximum-path-sum/solution/er-cha-shu-de-zui-da-lu-jing-he-by-leetcode/나의 문제를 아주 잘 묘사했다.
참고 사항:
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def maxPathSum(self, root: TreeNode) -> int:
def max_gain(node):
nonlocal max_sum
if not node:
return 0
# max sum on the left and right sub-trees of node
left_gain = max(max_gain(node.left), 0)
right_gain = max(max_gain(node.right), 0)
# the price to start a new path where `node` is a highest node
price_newpath = node.val + left_gain + right_gain
# update max_sum if it's better to start a new path
max_sum = max(max_sum, price_newpath)
# for recursion :
# return the max gain if continue the same path
return node.val + max(left_gain, right_gain)
max_sum = float('-inf')
max_gain(root)
return max_sum
사고방식의 차이점은 내가 이 코드를 쓸 때 루트 노드를 필수적으로 하는 점에 따라 알고리즘을 쓴 다음에 각 노드에 대해 같은 코드를 실행하여 귀속시키는 것이다. 그러면 커다란 중복 계산을 초래할 수 있다.답안은 모든 점을 한 번씩 훑어본다. 답안은 거슬러 올라가는 값이 있고 나는 없기 때문에 고치기 어렵다.사고방식의 차이는 여전히 비교적 크다.
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
leetcode 101번 대칭 두 갈래 나무 (다음에 교체)
두 갈래 나무를 정해서 거울이 대칭적인지 확인하세요.
예를 들어 두 갈래 나무[1,2,2,3,4,3]는 대칭적이다.
그러나 아래 이것[1,2,2,null,3,null,3]은 거울의 대칭이 아니다.
설명:
만약 네가 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.
1
/ \
2 3
# Definition for a binary tree node.
# class TreeNode(object):
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution(object):
trueval=float('-inf')
def maxPathSum(self, root):
"""
:type root: TreeNode
:rtype: int
"""
self.val=root.val
self.flag=0
flag=0
if root.left:
self.findleft(root.left,flag)
self.val+=self.flag
self.flag=0
if root.right:
self.findright(root.right,flag)
self.val+=self.flag
self.trueval=max(self.val,self.trueval)
return self.trueval
def findleft(self,root,flag):
self.maxPathSum(root)
flag+=root.val
if flag>self.flag:
self.flag=flag
if root.left:
self.findleft(root.left,flag)
if root.right:
self.findright(root.right,flag)
def findright(self,root,flag):
self.maxPathSum(root)
flag+=root.val
if flag>self.flag:
self.flag=flag
if root.left:
self.findleft(root.left,flag)
if root.right:
self.findright(root.right,flag)
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def maxPathSum(self, root: TreeNode) -> int:
def max_gain(node):
nonlocal max_sum
if not node:
return 0
# max sum on the left and right sub-trees of node
left_gain = max(max_gain(node.left), 0)
right_gain = max(max_gain(node.right), 0)
# the price to start a new path where `node` is a highest node
price_newpath = node.val + left_gain + right_gain
# update max_sum if it's better to start a new path
max_sum = max(max_sum, price_newpath)
# for recursion :
# return the max gain if continue the same path
return node.val + max(left_gain, right_gain)
max_sum = float('-inf')
max_gain(root)
return max_sum
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
leetcode 101번 대칭 두 갈래 나무 (다음에 교체)두 갈래 나무를 정해서 거울이 대칭적인지 확인하세요. 예를 들어 두 갈래 나무[1,2,2,3,4,3]는 대칭적이다. 그러나 아래 이것[1,2,2,null,3,null,3]은 거울의 대칭이 아니다. 설명: 만약 네가 ...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.