今天你如约而至了吗?今天有点早,算是中午的一道菜吧,上菜:
题目描述:
操作给定的二叉树,将其变换为源二叉树的镜像。
输入描述:
二叉树的镜像定义:源二叉树
8
/ \
6 10
/ \ / \
5 7 9 11
镜像二叉树
8
/ \
10 6
/ \ / \
11 9 7 5
分析:镜像就是左右子树完全翻转过来,看图更好理解。
步骤:
1、二叉树分了左子树和右子树,将根节点作为中间,分左右子树,进行交换,则第一层的6,10-->10,6
2、将左子树看做一个二叉树,将左子树的根节点作为中间,再分左右子树,交换,第三层9,11-->11,9.
3、右子树也重复以上动作,所以就成了递归遍历。
代码:
/**
public class TreeNode {
int val = 0;
TreeNode left = null;
TreeNode right = null;
public TreeNode(int val) {
this.val = val;
}
}
*/
public class Solution {
public void Mirror(TreeNode root) {
if(root==null)return;
TreeNode temp=root.left;//左子树和右子树进行交换
root.left=root.right;
root.right=temp;
Mirror(root.left); //得到的新左子树内部进行交换
Mirror(root.right); //得到的新右子树内部进行交换
}
}
牛客运行通过
运行时间:24ms
运行内存:9564Kb
这种是通过递归实现的,相信很多面试官会让你用非递归实现,不用递归,最先想到的是循环。
import java.util.Queue;
import java.util.LinkedList;
public class Solution {
public void Mirror(TreeNode root) {
if(root == null) return;
Queue<TreeNode> nodes = new LinkedList<>();
TreeNode curr, temp;
nodes.offer(root); //offer和add功能相似,但不会报异常
while(!nodes.isEmpty()){
int len = nodes.size();
curr = nodes.poll(); //poll和remove功能相似,但不会报异常;
temp = curr.left;
curr.left = curr.right;
curr.right = temp;
if(curr.left != null) nodes.offer(curr.left);
if(curr.right != null) nodes.offer(curr.right);
}
}
}
牛客运行通过
运行时间:22ms
运行内存:9565Kb
这是别人的代码,我暂时还没有看懂,二叉树这里还是比较模糊的,等我看懂了再进行解析,欢迎各位前来交流。