10.二叉树按照二叉链表存储,编写算法将二叉树的左右子树进行交换。代码
时间: 2023-10-31 15:04:24 浏览: 240
题目:编写递归算法,将二叉树中所有结点的左右子树相互交换 - READ.doc
5星 · 资源好评率100%
下面是一个示例的代码实现,用于将二叉树的左右子树进行交换:
```python
class Node:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def swap_subtrees(node):
if node is None:
return
# 递归交换左右子树
swap_subtrees(node.left)
swap_subtrees(node.right)
# 交换左右子树
node.left, node.right = node.right, node.left
# 创建一个二叉树
root = Node(1)
root.left = Node(2)
root.right = Node(3)
root.left.left = Node(4)
root.left.right = Node(5)
# 交换左右子树
swap_subtrees(root)
# 打印交换后的二叉树
def print_tree(node):
if node is None:
return
print(node.value)
print_tree(node.left)
print_tree(node.right)
print_tree(root)
```
运行上述代码,将会输出交换后的二叉树的先序遍历结果:
```
1
3
2
5
4
```
阅读全文