题目:
请完成一个函数,输入一个二叉树,该函数输出它的镜像。
例如输入:
4
/ \
2 7
/ \ / \
1 3 6 9
镜像输出:
4
/ \
7 2
/ \ / \
9 6 3 1
示例 1:
输入:root = [4,2,7,1,3,6,9]
输出:[4,7,2,9,6,3,1]
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/er-cha-shu-de-jing-xiang-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路:
这道题目需遍历完二叉树,每遍历到一个节点就交换它的左右节点,当遍历完成以后就实现了整个二叉树的翻转;对于二叉树的遍历可以使用深度优先搜索(比如递归、栈的方式实现)、广度优先搜索(队列的方法);三种方法的思路如下所示:
1.结束条件
2.需要实现的操作(交换结点的左右子树)
3.遍历步骤
第一种:递归模拟二叉树的遍历
递归返回条件:当前结点为 NULL,或者左右子节点都为NULL
实现操作:交换根结点的左右子树
递归注重宏观上的思想(大致套路就是先写递归结束条件,接着写要实现的操作,如何递归的下一层,等待其回溯回来,进行最后一步
代码:
class Solution {
public:
TreeNode* mirrorTree(TreeNode* root) {
if(!root||(!root->left&&!root->right)) return root;
swap(root->right,root->left);
mirrorTree(root->left);
mirrorTree(root->right);
return root;
}
};
第二种:栈模拟二叉树的遍历
栈是一种后进先出的容器,利用其思想可实现与递归类似的代码,即深度优先搜索;从头结点开始,将其压入栈中,然后出栈,此时就是在遍历的过程中,故执行我们要进行的实现操作(交换该节点的左右子节点),最后将该节点的左右子节点都压入栈中,结束条件就是当栈为空的时候,即二叉树遍历完成。
栈模拟结束条件:栈为空时
实现操作:交换根结点的左右子树
代码:
class Solution {
public:
TreeNode* mirrorTree(TreeNode* root) {
if(!root||(!root->left&&!root->right)) return root;
stack<TreeNode *> temp;
temp.push(root);
while(!temp.empty()){
TreeNode * temp1 = temp.top();
temp.pop();
if(!temp1->left&&!temp1->right) continue;
swap(temp1->left,temp1->right);
if(temp1->left) temp.push(temp1->left);
if(temp1->right) temp.push(temp1->right);
}
return root;
}
};
第三种:队列模拟二叉树的遍历
队列是一种先进先出的容器,利用其思想可实现广度优先搜索,即二叉树一层一层的遍历;从头结点开始,将其压入队列中,然后将队头出队,此时就是在遍历的过程中,故执行我们要进行的实现操作(交换该节点的左右子节点),最后将该节点的左右子节点都压入队尾中,结束条件就是当队列为空的时候,即二叉树遍历完成。
队列模拟结束条件:队列为空时
实现操作:交换根结点的左右子树
代码:
class Solution {
public:
TreeNode* mirrorTree(TreeNode* root) {
if(!root||(!root->left&&!root->right)) return root;
queue<TreeNode *> temp;
temp.push(root);
while(!temp.empty()){
TreeNode * temp1 = temp.front();
temp.pop();
if(!temp1->left&&!temp1->right) continue;
swap(temp1->left,temp1->right);
if(temp1->left) temp.push(temp1->left);
if(temp1->right) temp.push(temp1->right);
}
return root;
}
};