```/*
* function TreeNode(x) {
* this.val = x;
* this.left = null;
* this.right = null;
* }
*/
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param pRoot TreeNode类
* @return TreeNode类
*/
function Mirror( pRoot ) {
// write code here
//采用递归,将每一个节点的左右节点交换直到最后一层
if(pRoot===null){return null}
let temp = pRoot.left
pRoot.left = pRoot.right
pRoot.right = temp
//如果存在左右子节点,就继续执行镜像函数
if(pRoot.left){Mirror(pRoot.left)}
if(pRoot.right){Mirror(pRoot.right)}
return pRoot //一层层向上返回这个父节点
}
module.exports = {
Mirror : Mirror
};