이진 트리가 있다고 가정하고 동일한 트리를 찾아야 하지만 모든 노드의 값은 해당 값 + 왼쪽 및 오른쪽 하위 트리의 모든 합계로 대체됩니다.
따라서 입력이 다음과 같으면
그러면 출력은
이 문제를 해결하기 위해 다음 단계를 따릅니다. −
-
tree_sum() 함수를 정의합니다. 이것은 나무의 뿌리를 내릴 것입니다
-
루트가 null이면
-
0 반환
-
-
루트 데이터 :=tree_sum(루트의 왼쪽) + tree_sum(루트의 오른쪽) + 루트의 데이터
-
루트 데이터 반환
-
기본 방법에서 다음을 수행합니다.
-
tree_sum(루트)
-
루트 반환
이해를 돕기 위해 다음 구현을 살펴보겠습니다. −
예시
class TreeNode: def __init__(self, data, left = None, right = None): self.data = data self.left = left self.right = right def inorder(root): if root: inorder(root.left) print(root.data, end = ', ') inorder(root.right) class Solution: def solve(self, root): def tree_sum(root: TreeNode): if root is None: return 0 root.data = tree_sum(root.left) + tree_sum(root.right) + root.data return root.data tree_sum(root) return root ob = Solution() root = TreeNode(2) root.left = TreeNode(3) root.right = TreeNode(4) root.left.left = TreeNode(9) root.left.right = TreeNode(7) ob.solve(root) inorder(root)
입력
root = TreeNode(12) root.left = TreeNode(8) root.right = TreeNode(15) root.left.left = TreeNode(3) root.left.right = TreeNode(10)
출력
9, 19, 7, 25, 4,