Given a binary tree, invert the binary tree and return it.Look at the example for more details.
**Example :**Given binary tree
`1
/ \ 2 3 / \ / \ 4 5 6 7`
invert and return
`1
/ \ 3 2 / \ / \ 7 6 5 4`
Invert the Binary Tree - InterviewBit
/**
* Definition for binary tree
* struct TreeNode {
* int val;
* TreeNode *left;
* TreeNode *right;
* TreeNode(int x) : val(x), left(NULL), right(NULL) {}
* };
*/
TreeNode* Solution::invertTree(TreeNode* root) {
if(!root)
return NULL;
if(!root->left && !root->right)
return root;
TreeNode* lst = invertTree(root->left);
TreeNode* rst = invertTree(root->right);
root->right = lst;
root->left = rst;
return root;
}