Created
April 15, 2017 15:10
-
-
Save hrishikesh-mishra/a53374378603c804a3330bbf88aac11f to your computer and use it in GitHub Desktop.
Mirror image of binary tree without Recursion
This file contains hidden or 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
package com.hrishikesh.practices.binarytree; | |
import java.util.LinkedList; | |
import java.util.Objects; | |
import java.util.Queue; | |
/** | |
* Problem: | |
* Mirror image of binary tree without Recursion | |
* | |
* @author hrishikesh.mishra | |
*/ | |
public class BinaryTreeMirrorWithoutRecursion { | |
public static void mirror(BinaryTreeNode<String> root) { | |
Queue<BinaryTreeNode<String>> queue = new LinkedList<>(); | |
queue.add(root); | |
while (!queue.isEmpty()) { | |
BinaryTreeNode<String> node = queue.remove(); | |
BinaryTreeNode<String> leftChild = node.getLeft(); | |
BinaryTreeNode<String> rightChild = node.getRight(); | |
/** Swap children **/ | |
node.setLeft(rightChild); | |
node.setRight(leftChild); | |
/** Push to queue **/ | |
if (!Objects.isNull(leftChild)) { | |
queue.add(leftChild); | |
} | |
if (!Objects.isNull(rightChild)) { | |
queue.add(rightChild); | |
} | |
} | |
} | |
} | |
class BinaryTreeMirrorWithoutRecursionTest { | |
public static void main(String[] args) { | |
BinaryTreeNode<String> root1 = new BinaryTreeNode<>("A", | |
new BinaryTreeNode<>("B", | |
new BinaryTreeNode<>("D"), | |
new BinaryTreeNode<>("E", | |
null, | |
new BinaryTreeNode<>("H"))), | |
new BinaryTreeNode<>("C", | |
new BinaryTreeNode<>("F"), | |
new BinaryTreeNode<>("G"))); | |
System.out.println("Binary Tree: "); | |
BTPrinter.print(root1); | |
BinaryTreeMirrorWithoutRecursion.mirror(root1); | |
System.out.println("Mirror Tree: "); | |
BTPrinter.print(root1); | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment