T = [[[[], [3, []]], [5, [[[[], [6, []]], [2, [[], [1, []]]]], [4, [[], [3, [[], [7, []]]]]]]]], [2, [[], [8, []]]]]
是二叉树的表示。
T
的以上代码很长,请滚动整个代码我正在寻找最长的树,其节点总和是给定数字的倍数。
给定
7
上面的树T
为searchMax(T, 7)
的示例,[[2,5], [4,3], [7]]
返回,因为它是最长的,并且其和是7的倍数我定义了以下代码
def cons(x, y):
return [x, y]
def car(p):
return p[0]
def cdr(p):
return p[1]
nil = []
def makeBinTree(root, left, right):
return cons(left, cons(root, right))
emptyTree = nil
def isEmpty(tree):
if len(tree) < 1:
return True
else:
return False
def root(tree):
return tree[1][0]
def left(tree):
return tree[0][1]
def right(tree):
return [1][1]
def searchMax(tree, number):
但我只是不知道从那里去哪里。你能帮我这个忙吗?
最佳答案
我将编写一个遍历树中所有可能路径的函数。然后,我将遍历这些路径,然后选择相加为7的倍数的路径,然后从中选择最长的路径。
def isEmpty(tree):
if len(tree) < 1:
return True
else:
return False
def root(tree):
return tree[1][0]
def left(tree):
return tree[0]
def right(tree):
return tree[1][1]
def iter_all_paths(t):
if isEmpty(t):
return
yield [root(t)]
for child in (left(t), right(t)):
for path in iter_all_paths(child):
yield [root(t)] + path
def searchMax(t, x):
#find all paths that add up to a multiple of x
candidates = []
for path in iter_all_paths(t):
if sum(path) % x == 0:
candidates.append(path)
if not candidates:
return None
return max(candidates, key=len)
T = [[[[], [3, []]], [5, [[[[], [6, []]], [2, [[], [1, []]]]], [4, [[], [3, [[], [7, []]]]]]]]], [2, [[], [8, []]]]]
print(searchMax(T, 7))
结果:
[2, 5, 4, 2, 1]
这与您的预期结果[2,5,4,4,3,7]不同。两种解决方案的长度相同,因此我认为可以返回一个或另一个。如果长度有限制,我的解决方案将返回最左边的路径。
也许您在想“实际上我不想要最长的路径长度,而是最大的节点总和”。然后[2、5、4、3、7]将[2、5、4、2、1]击败7。如果您要这样做,可以将
searchMax
的最后一行更改为return max(candidates, key=sum)
。您可能还会想:“我希望结果是列表列表,而不是整数列表。我希望每个子列表的总和是数字的倍数。我希望的不是
[2, 5, 4, 3, 7]
,而是[[2, 5], [4, 3], [7]]
。您可以编写一个函数,该函数将列表排列成块,这些块加起来等于数字,并在从
searchMax
返回之前调用该函数。def chunk(seq, x):
result = [[]]
for item in seq:
result[-1].append(item)
if sum(result[-1]) % x == 0:
result.append([])
if not result[-1]:
del result[-1]
return result
#later, in searchMax...
return chunk(max(candidates, key=len), x)
结果:
[[2, 5], [4, 2, 1]]