问题抽象
输出二叉树的镜像二叉树
算法:DFS
很经典的前序遍历DFS,关键是要想好对于每个节点都做什么同样的事情 (交换左右子树),节点遍历本质还是遍历,没有什么不同
时间复杂度
$O(N)$
代码
/**
* Definition for a binary tree node.
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
class Solution {
public:
TreeNode* mirrorTree(TreeNode* root) {
if(!root) return NULL;
swap(root->left, root->right);
mirrorTree(root->left);
mirrorTree(root->right);
return root;
}
};