What is Tree Inversion?
Tree Inversion means to swap all the left and right child for all the nodes in the tree. Following picture should explain this:Solution
The solution is itself obvious from the definition of inversion itself. We need to swap the children of each of the node. Therefore we need to traverse through each of the node and swap their children. So the time complexity is going to θ(n), n being the number of nodes in the tree.This can be solved either Recursively or Iteratively. In either way, we traverse through all the nodes and swap the children.
Following is the implementation for both the methods.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
/* File: InvertBinaryNode.java
* Created: 8/30/2018
* Author: Sabbir Manandhar
*
* Copyright (c) 2018 Hogwart Inc.
*/
//=======================================================================================
import java.util.Stack;
/**
* Class to invert a Binary Tree.
* Inversion of a binary tree means to invert all the left and right node. That is
* make left child right and right child left.
*
* @author Sabbir Manandhar
* manandharsabbir@gmail.com
* @version 1.0
*/
public class InvertBinaryTree {
/**
* This is a recursive method to invert the tree.
* @param root root of the tree to invert
* @return root of inverted tree
*/
public TreeNode invertTree(TreeNode root) {
if (root == null) return root;
invertTree(root.left);
invertTree(root.right);
TreeNode temp = root.left;
root.left = root.right;
root.right = temp;
return root;
} // invertTree
//-------------------------------------------------------------------------------------
/**
* This is iterative method to invert the tree
* @param root root of the tree to invert
* @return root of inverted tree
*/
public TreeNode invertTreeIterative(TreeNode root) {
if (root == null) return root;
Stack<TreeNode> stack = new Stack<>();
stack.push(root);
while (!stack.isEmpty()) {
TreeNode node = stack.pop();
if (node.left != null) {
stack.push(node.left);
}
if (node.right != null) {
stack.push(node.right);
}
TreeNode temp = node.left;
node.left = node.right;
node.right = temp;
}
return root;
}
} // InvertBinaryTree
//=======================================================================================
class TreeNode {
int val;
TreeNode left;
TreeNode right;
/**
* Constructor
* @param val
*/
public TreeNode(int val) {
this.val = val;
} // TreeNode
} // TreeNode
Complexity
In both the methods we visit each of the node once and swap the children. Swapping actions is constant time. ∴ The time complexity is O(n).As of space, both the method will mainain a stack of nodes. ∴ The space complexity is also O(n).