I'm trying to print a binary tree in vertical strips.
For instance, a tree like this:
8 / \ 6 10 / \ / \ 4 7 9 12 / \ 3 5
Is printed out as:
3 4 6 5 8 7 9 10 12
Here's how I'm doing it:
Map<Integer,Set<Integer>>  printStripsVertically(TreeNode root, Map<Integer,Set<Integer>> countMap, int dist) {
        if( root == null )
                return countMap;
        Set<Integer> nodeSet = countMap.get(dist);// get list at current distance.
        if(nodeSet ==null) { // this dist  hasnt been inspected yet, so create new list here. 
                nodeSet= new HashSet<Integer>();
        }
        nodeSet.add(root.data);// add current node to list. 
        countMap.put(dist,nodeSet);// create mapping for current dist
        //recurse left and right.
        Map<Integer,Set<Integer>> leftMap = printStripsVertically(root.getLeft(),countMap,dist-1);
        Map<Integer,Set<Integer>> rightMap = printStripsVertically(root.getRight(),countMap,dist+1);
        Map<Integer,Set<Integer>> mergedMap= new HashMap<Integer,Set<Integer>>();
        Iterator<Integer> itLeft = leftMap.keySet().iterator();
        while(itLeft.hasNext()){
            mergedMap.put(itLeft.next(),leftMap.get(itLeft.next()));
        }
        Iterator<Integer> itRight = rightMap.keySet().iterator();
        while(itRight.hasNext()){
            mergedMap.put(itRight.next(),rightMap.get(itRight.next()));
        }
        return mergedMap;//iterate over the map to get results.
}
Edit : TreeNode.java
public class TreeNode {
     int data;
    private TreeNode left;
    private TreeNode right;
    public TreeNode getLeft() {
        return left;
    }
    public void setLeft(TreeNode left) {
        this.left = left;
    }
    public TreeNode getRight() {
        return right;
    }
    public void setRight(TreeNode right) {
        this.right = right;
    }
    public TreeNode(int data)
    {
        this.data=data;
    }
}
Call to the method
 Map<Integer,Set<Integer>> verticalStrips = new HashMap<Integer,Set<Integer>>(); 
verticalStrips =printStripsVertically(root,verticalStrips,0);//where root is the root of the tree.
I've dry-tested the algorithm to work, but I'm not quite convinced that iterating over the leftMap and rightMap is the cleanest way to go about this, so I'm looking for any suggestions towards that in particular or the code in general.
Any thoughts on its correctness are appreciated. I'm also looking for any other approaches that might be more efficient in dealing with the problem.
TreeNodeclass looks \$\endgroup\$