Last active
November 3, 2023 18:14
-
-
Save mauricioabreu/908b2d156bb4a5d6c37f98821b1853bd to your computer and use it in GitHub Desktop.
Invert binary tree
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
class Node: | |
def __init__(self, value, left=None, right=None): | |
self.value = value | |
self.left = left | |
self.right = right | |
def invert_binary_tree(root): | |
if root: | |
stack = [root] | |
while stack: | |
curr_node = stack.pop() | |
curr_node.left, curr_node.right = curr_node.right, curr_node.left | |
if curr_node.left: | |
stack.append(curr_node.left) | |
if curr_node.right: | |
stack.append(curr_node.right) | |
return root | |
# Input: | |
# 1 | |
# / \ | |
# 2 3 | |
# / \ | |
# 4 5 | |
# Vamos representar a árvore acima | |
# Criando a raíz | |
root = Node(1) | |
# Criando os nodos da esquerda | |
root.left = Node(2) | |
root.left.left = Node(4) | |
# Criando os nodos da direita | |
root.right = Node(3) | |
root.right.right = Node(5) | |
print("Before inverting") | |
print(root.value) | |
print(root.left.value) | |
print(root.right.value) | |
print(root.left.left.value) | |
print(root.right.right.value) | |
invert_binary_tree(root) | |
# Resultado: | |
# 1 | |
# / \ | |
# 3 2 | |
# / \ | |
# 5 4 | |
print() | |
print("After inverting") | |
print(root.value) | |
print(root.left.value) | |
print(root.right.value) | |
print(root.left.left.value) | |
print(root.right.right.value) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment