我从二叉树创建了一个元组,它看起来像这样:
tuple =(1,(2,(4,5,6),(7,None,8)),(3,9,(10,11,12)))
通过应用缩进,树结构变得更加清晰:
(1, (2, (4, 5, 6 ), (7, None, 8 ) ), (3, 9, (10, 11, 12 ) ) )
我知道如何使用递归方法找到二叉树的最大深度,但我试图使用我创建的元组找到最大深度。任何人都可以帮我怎么做?
答案 0 :(得分:2)
如果数据结构的任何元素都不是包含'('
或')'
的字符串,那么这是一个非常有效但相当有效的解决方案。
我会将元组转换为字符串,然后解析它以计算括号的深度。
string = str(myTuple)
currentDepth = 0
maxDepth = 0
for c in string:
if c == '(':
currentDepth += 1
elif c == ')':
currentDepth -= 1
maxDepth = max(maxDepth, currentDepth)
对于转换元组的字符串中的字符数,它给出了线性时间的深度。
该数字应该或多或少地与元素数量加上深度成比例,因此您的复杂度有点等于O(n + d)
。
答案 1 :(得分:1)
递归方法:
a = (1,(2,(4,5,6),(7,None,8)),(3,9,(10,11,12)));
def depth(x):
if(isinstance(x, int) or x == None):
return 1;
else:
dL = depth(x[1]);
dR = depth(x[2]);
return max(dL, dR) + 1;
print(depth(a));
这个想法是通过查看树的左右子树来确定树的深度。如果节点没有子树,则返回深度1。否则它返回max(右边深度,左边深度)+ 1
答案 2 :(得分:0)
class Node(object):
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution(object):
def maxDepth(self, root):
if not root:
return 0
ldepth = self.maxDepth(root.left)
rdepth = self.maxDepth(root.right)
return max(ldepth, rdepth) + 1