Skip to content

Navigation Menu

Sign in
Appearance settings

Search code, repositories, users, issues, pull requests...

Provide feedback

We read every piece of feedback, and take your input very seriously.

Saved searches

Use saved searches to filter your results more quickly

Appearance settings

Latest commit

 

History

History
History
64 lines (56 loc) · 1.85 KB

File metadata and controls

64 lines (56 loc) · 1.85 KB
Copy raw file
Download raw file
Open symbols panel
Edit and raw actions
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
#!/usr/bin/env python
'''
Leetcode: Binary Tree Maximum Path Sum
Given a binary tree, find the maximum path sum.
The path may start and end at any node in the tree.
For example: Given the below binary tree,
1
/ \
2 3
Return 6.
2-1-3
'''
from __future__ import division
import random
from BinaryTree import Node, SampleTreeRoot
# L(node) = max sum path in node's left sub-tree
# R(node) = max sum path in node's right sub-tree
# L(node) = node.val + max{L(node.left), R(node.left)}
# R(node) = node.val + max{L(node.right), R(node.right)}
# max{L(node)+R(node) for any node in the tree}
def subtree_maxsum_path(node, is_left=True, Lpath={}, Rpath={}):
if is_left:
# left sub-tree
if not node.left:
Lpath[node.id] = 0
return 0
else:
Lpath[node.id] = node.value + max(
subtree_maxsum_path(node.left, True, Lpath, Rpath),
subtree_maxsum_path(node.left, False, Lpath, Rpath)
)
return Lpath[node.id]
else:
# right sub-tree
if not node.right:
Rpath[node.id] = 0
return 0
else:
Rpath[node.id] = node.value + max(
subtree_maxsum_path(node.right, True, Lpath, Rpath),
subtree_maxsum_path(node.right, False, Lpath, Rpath)
)
return Rpath[node.id]
def maxsum_path(root):
Lpath = {}
Rpath = {}
subtree_maxsum_path(root, True, Lpath, Rpath)
subtree_maxsum_path(root, False, Lpath, Rpath)
print 'Left-path:', Lpath
print 'Right-path:', Rpath
path2sum = dict((i, Lpath[i]+Rpath[i]) for i in Lpath.keys())
i = max(path2sum, key=path2sum.get)
print 'The path going through node', i, 'with max sum', path2sum[i]
return path2sum[i]
if __name__ == '__main__':
print maxsum_path(SampleTreeRoot)
Morty Proxy This is a proxified and sanitized view of the page, visit original site.