/*This is a Java Program to implement a Binary Tree and print the level order traversal of the same, such that only odd levels are considered. At current level check nodes in next to next level and put them in Queue, dequeue them one by one and print them.*/ //This is a java program to print only odd levels of the given tree import java.util.Queue; import java.util.LinkedList; public class BinaryTreePrintOddLevels { private static class Node { public Node left; public Node right; public T data; public Node(T data) { this.data = data; } public Node getLeft() { return this.left; } public void setLeft(Node left) { this.left = left; } public Node getRight() { return this.right; } public void setRight(Node right) { this.right = right; } } public static void preorder(Node n) { if (n != null) { System.out.print(n.data + " "); preorder(n.getLeft()); preorder(n.getRight()); } } public static void inorder(Node n) { if (n != null) { inorder(n.getLeft()); System.out.print(n.data + " "); inorder(n.getRight()); } } public static void postorder(Node n) { if (n != null) { postorder(n.getLeft()); postorder(n.getRight()); System.out.print(n.data + " "); } } public static void levelorder(Node n) { Queue> nodequeue = new LinkedList>(); if (n != null) nodequeue.add(n); while (!nodequeue.isEmpty()) { Node next = nodequeue.remove(); System.out.print(next.data + " "); if (next.getLeft() != null) { if (next.getLeft().getLeft() != null) nodequeue.add(next.getLeft().getLeft()); if (next.getLeft().getRight() != null) nodequeue.add(next.getLeft().getRight()); } if (next.getRight() != null) { if (next.getRight().getLeft() != null) nodequeue.add(next.getRight().getLeft()); if (next.getRight().getRight() != null) nodequeue.add(next.getRight().getRight()); } } } public static void main(final String[] args) { Node one = new Node(1); Node two = new Node(2); Node three = new Node(3); Node four = new Node(4); Node five = new Node(5); Node six = new Node(6); Node seven = new Node(7); Node eight = new Node(8); Node nine = new Node(9); one.setLeft(two); one.setRight(three); two.setLeft(four); two.setRight(five); three.setLeft(six); four.setLeft(seven); six.setLeft(eight); six.setRight(nine); System.out.println("\nPre-Order of the Tree"); preorder(one); System.out.println("\nIn-Order of the Tree"); inorder(one); System.out.println("\nPost-Order of the Tree"); postorder(one); System.out.println("\nLevel-Order Odd Levels of the Tree"); levelorder(one); } } /* Pre-Order of the Tree 1 2 4 7 5 3 6 8 9 In-Order of the Tree 7 4 2 5 1 8 6 9 3 Post-Order of the Tree 7 4 5 2 8 9 6 3 1 Level-Order Odd Levels of the Tree 1 4 5 6