recursividad recorrido programar grafico ejemplos completo codigo busqueda binarios binario arboles arbol java format binary-tree order-of-execution

recorrido - Java que imprime un árbol binario usando orden de nivel en un formato específico



recorrido de arboles (22)

Una solución

He escrito la solución directa aquí. Si desea la respuesta detallada, el código de demostración y la explicación, puede omitir y verificar los encabezados de respuesta de la respuesta;

public static <T> void printLevelOrder(TreeNode<T> root) { System.out.println("Tree;"); System.out.println("*****"); // null check if(root == null) { System.out.printf(" Empty/n"); return; } MyQueue<TreeNode<T>> queue = new MyQueue<>(); queue.enqueue(root); while(!queue.isEmpty()) { handleLevel(queue); } } // process each level private static <T> void handleLevel(MyQueue<TreeNode<T>> queue) { int size = queue.size(); for(int i = 0; i < size; i++) { TreeNode<T> temp = queue.dequeue(); System.out.printf("%s ", temp.data); queue.enqueue(temp.left); queue.enqueue(temp.right); } System.out.printf("/n"); }

B - Explicación

Para imprimir un árbol en orden de nivel, debe procesar cada nivel utilizando una implementación de cola simple. En mi demostración, he escrito una clase de cola simple muy minimalista llamada MyQueue .

El método público printLevelOrder tomará la raíz de la instancia del objeto TreeNode<T> como un parámetro que representa la raíz del árbol. El método privado handleLevel toma la instancia de MyQueue como un parámetro.

En cada nivel, el método handleLevel elimina la cola tanto como el tamaño de la cola. La restricción de nivel se controla, ya que este proceso se ejecuta solo con el tamaño de la cola, que es exactamente igual a los elementos de ese nivel y luego coloca un nuevo carácter de línea en la salida.

C - clase TreeNode

public class TreeNode<T> { T data; TreeNode<T> left; TreeNode<T> right; public TreeNode(T data) { this.data = data;; } }

D - Clase MyQueue: una implementación de cola simple

public class MyQueue<T> { private static class Node<T> { T data; Node next; public Node(T data) { this(data, null); } public Node(T data, Node<T> next) { this.data = data; this.next = next; } } private Node head; private Node tail; private int size; public MyQueue() { head = null; tail = null; } public int size() { return size; } public void enqueue(T data) { if(data == null) return; if(head == null) head = tail = new Node(data); else { tail.next = new Node(data); tail = tail.next; } size++; } public T dequeue() { if(tail != null) { T temp = (T) head.data; head = head.next; size--; return temp; } return null; } public boolean isEmpty() { return size == 0; } public void printQueue() { System.out.println("Queue: "); if(head == null) return; else { Node<T> temp = head; while(temp != null) { System.out.printf("%s ", temp.data); temp = temp.next; } } System.out.printf("%n"); } }

E - DEMO: Árbol de impresión en orden de nivel

public class LevelOrderPrintDemo { public static void main(String[] args) { // root level TreeNode<Integer> root = new TreeNode<>(1); // level 1 root.left = new TreeNode<>(2); root.right = new TreeNode<>(3); // level 2 root.left.left = new TreeNode<>(4); root.right.left = new TreeNode<>(5); root.right.right = new TreeNode<>(6); /* * 1 root * / / * 2 3 level-1 * / / / * 4 5 6 level-2 */ printLevelOrder(root); } public static <T> void printLevelOrder(TreeNode<T> root) { System.out.println("Tree;"); System.out.println("*****"); // null check if(root == null) { System.out.printf(" Empty/n"); return; } MyQueue<TreeNode<T>> queue = new MyQueue<>(); queue.enqueue(root); while(!queue.isEmpty()) { handleLevel(queue); } } // process each level private static <T> void handleLevel(MyQueue<TreeNode<T>> queue) { int size = queue.size(); for(int i = 0; i < size; i++) { TreeNode<T> temp = queue.dequeue(); System.out.printf("%s ", temp.data); queue.enqueue(temp.left); queue.enqueue(temp.right); } System.out.printf("/n"); } }

F - Entrada de muestra

1 // root / / 2 3 // level-1 / / / 4 5 6 // level-2

G - Salida de muestra

Tree; ***** 1 2 3 4 5 6

Bien, he leído todas las otras preguntas relacionadas y no puedo encontrar una que ayude con java. Tengo la idea general de descifrar lo que puedo en otros idiomas; Pero todavía tengo que averiguarlo.

Problema: me gustaría nivelar la clasificación (que tengo trabajando usando recursión) e imprimirla en la forma general de un árbol.

Así que di que tengo esto:

1 / / 2 3 / / / 4 5 6

Mi código imprime el orden de nivel como este:

1 2 3 4 5 6

Quiero imprimirlo así:

1 2 3 4 5 6

Ahora, antes de que me des un discurso moral sobre mi trabajo ... Ya terminé mi proyecto Comp Sci AP y sentí curiosidad acerca de esto cuando mi maestra mencionó el tema de la búsqueda en primer lugar.

No sé si ayudará, pero aquí está mi código hasta ahora:

/** * Calls the levelOrder helper method and prints out in levelOrder. */ public void levelOrder() { q = new QueueList(); treeHeight = height(); levelOrder(myRoot, q, myLevel); } /** * Helper method that uses recursion to print out the tree in * levelOrder */ private void levelOrder(TreeNode root, QueueList q, int curLev) { System.out.print(curLev); if(root == null) { return; } if(q.isEmpty()) { System.out.println(root.getValue()); } else { System.out.print((String)q.dequeue()+", "); } if(root.getLeft() != null) { q.enqueue(root.getLeft().getValue()); System.out.println(); } if(root.getRight() != null) { q.enqueue(root.getRight().getValue()); System.out.println(); curLev++; } levelOrder(root.getLeft(),q, curLev); levelOrder(root.getRight(),q, curLev); }

Por lo que puedo averiguar, necesitaré usar la altura total del árbol y usar un contador de nivel ... El único problema es que mi contador de nivel sigue contando cuando mi levelOrder usa la recursión para regresar a través del árbol.

Lo siento si esto es demasiado, pero algunos consejos serían buenos. :)


Aquí está el código, esta pregunta me la hicieron en una de las entrevistas ...

public void printTree(TreeNode tmpRoot) { Queue<TreeNode> currentLevel = new LinkedList<TreeNode>(); Queue<TreeNode> nextLevel = new LinkedList<TreeNode>(); currentLevel.add(tmpRoot); while (!currentLevel.isEmpty()) { Iterator<TreeNode> iter = currentLevel.iterator(); while (iter.hasNext()) { TreeNode currentNode = iter.next(); if (currentNode.left != null) { nextLevel.add(currentNode.left); } if (currentNode.right != null) { nextLevel.add(currentNode.right); } System.out.print(currentNode.value + " "); } System.out.println(); currentLevel = nextLevel; nextLevel = new LinkedList<TreeNode>(); } }


Así es como lo haría:

levelOrder(List<TreeNode> n) { List<TreeNode> next = new List<TreeNode>(); foreach(TreeNode t : n) { print(t); next.Add(t.left); next.Add(t.right); } println(); levelOrder(next); }

(Originalmente iba a ser un código real, se aburrió a la mitad, así que es psueodocodey)


Creo que podemos lograr esto usando una cola en sí. Esta es una implementación de java usando solo una cola. Basado en BFS ...

public void BFSPrint() { Queue<Node> q = new LinkedList<Node>(); q.offer(root); BFSPrint(q); } private void BFSPrint(Queue<Node> q) { if(q.isEmpty()) return; int qLen = q.size(),i=0; /*limiting it to q size when it is passed, this will make it print in next lines. if we use iterator instead, we will again have same output as question, because iterator will end only q empties*/ while(i<qLen) { Node current = q.remove(); System.out.print(current.data+" "); if(current.left!=null) q.offer(current.left); if(current.right!=null) q.offer(current.right); i++; } System.out.println(); BFSPrint(q); }


El método que aparece a continuación devuelve ArrayList de ArrayList que contiene todos los nodos nivel por nivel:

public ArrayList<ArrayList<Integer>> levelOrder(TreeNode root) { ArrayList<ArrayList<Integer>> result = new ArrayList<ArrayList<Integer>>(); if(root == null) return result; Queue q1 = new LinkedList(); Queue q2 = new LinkedList(); ArrayList<Integer> list = new ArrayList<Integer>(); q1.add(root); while(!q1.isEmpty() || !q2.isEmpty()){ while(!q1.isEmpty()){ TreeNode temp = (TreeNode)q1.poll(); list.add(temp.val); if(temp.left != null) q2.add(temp.left); if(temp.right != null) q2.add(temp.right); } if(list.size() > 0)result.add(new ArrayList<Integer>(list)); list.clear(); while(!q2.isEmpty()){ TreeNode temp = (TreeNode)q2.poll(); list.add(temp.val); if(temp.left != null) q1.add(temp.left); if(temp.right != null) q1.add(temp.right); } if(list.size() > 0)result.add(new ArrayList<Integer>(list)); list.clear(); } return result; }


Esta es la solución más fácil.

public void byLevel(Node root){ Queue<Node> level = new LinkedList<>(); level.add(root); while(!level.isEmpty()){ Node node = level.poll(); System.out.print(node.item + " "); if(node.leftChild!= null) level.add(node.leftChild); if(node.rightChild!= null) level.add(node.rightChild); } }

https://github.com/camluca/Samples/blob/master/Tree.java en mi github puedes encontrar otras funciones útiles en la clase Árbol como:

Mostrando el arbol

****......................................................**** 42 25 65 12 37 43 87 9 13 30 -- -- -- -- 99 ****......................................................**** Inorder traversal 9 12 13 25 30 37 42 43 65 87 99 Preorder traversal 42 25 12 9 13 37 30 65 43 87 99 Postorder traversal 9 13 12 30 37 25 43 99 87 65 42 By Level 42 25 65 12 37 43 87 9 13 30 99


Esto funciona para mi Pase una lista de matriz con rootnode al llamar a printLevel.

void printLevel(ArrayList<Node> n){ ArrayList<Node> next = new ArrayList<Node>(); for (Node t: n) { System.out.print(t.value+" "); if (t.left!= null) next.add(t.left); if (t.right!=null) next.add(t.right); } System.out.println(); if (next.size()!=0) printLevel(next); }


Guau. Tantas respuestas. Por lo que vale, mi solución es la siguiente:

Conocemos la forma normal de nivelar el ordenamiento transversal: para cada nodo, primero se visita el nodo y luego se colocan los nodos secundarios en una cola FIFO. Lo que debemos hacer es realizar un seguimiento de cada nivel, de modo que todos los nodos de ese nivel se impriman en una línea, sin una nueva línea.

Así que, naturalmente, pensé que era una cola de colas. La cola principal contiene colas internas para cada nivel. Cada cola interna contiene todos los nodos en un nivel en orden FIFO. Cuando sacamos de la cola una cola interna, iteramos a través de ella, agregamos todos sus hijos a una nueva cola y agregamos esta cola a la cola principal.

public static void printByLevel(Node root) { Queue<Node> firstQ = new LinkedList<>(); firstQ.add(root); Queue<Queue<Node>> mainQ = new LinkedList<>(); mainQ.add(firstQ); while (!mainQ.isEmpty()) { Queue<Node> levelQ = mainQ.remove(); Queue<Node> nextLevelQ = new LinkedList<>(); for (Node x : levelQ) { System.out.print(x.key + " "); if (x.left != null) nextLevelQ.add(x.left); if (x.right != null) nextLevelQ.add(x.right); } if (!nextLevelQ.isEmpty()) mainQ.add(nextLevelQ); System.out.println(); } }


Implementación de Python

# Function to print level order traversal of tree def printLevelOrder(root): h = height(root) for i in range(1, h+1): printGivenLevel(root, i) # Print nodes at a given level def printGivenLevel(root , level): if root is None: return if level == 1: print "%d" %(root.data), elif level > 1 : printGivenLevel(root.left , level-1) printGivenLevel(root.right , level-1) """ Compute the height of a tree--the number of nodes along the longest path from the root node down to the farthest leaf node """ def height(node): if node is None: return 0 else : # Compute the height of each subtree lheight = height(node.left) rheight = height(node.right) #Use the larger one if lheight > rheight : return lheight+1 else: return rheight+1


Imprima el árbol binario en orden de nivel con una sola cola:

public void printBFSWithQueue() { java.util.LinkedList<Node> ll = new LinkedList<>(); ll.addLast(root); ll.addLast(null); Node in = null; StringBuilder sb = new StringBuilder(); while(!ll.isEmpty()) { if(ll.peekFirst() == null) { if(ll.size() == 1) { break; } ll.removeFirst(); System.out.println(sb); sb = new StringBuilder(); ll.addLast(null); continue; } in = ll.pollFirst(); sb.append(in.v).append(" "); if(in.left != null) { ll.addLast(in.left); } if(in.right != null) { ll.addLast(in.right); } } }


Intenta esto, usando 2 colas para realizar un seguimiento de los niveles.

public static void printByLevel(Node root){ LinkedList<Node> curLevel = new LinkedList<Node>(); LinkedList<Node> nextLevel = curLevel; StringBuilder sb = new StringBuilder(); curLevel.add(root); sb.append(root.data + "/n"); while(nextLevel.size() > 0){ nextLevel = new LinkedList<Node>(); for (int i = 0; i < curLevel.size(); i++){ Node cur = curLevel.get(i); if (cur.left != null) { nextLevel.add(cur.left); sb.append(cur.left.data + " "); } if (cur.right != null) { nextLevel.add(cur.right); sb.append(cur.right.data + " "); } } if (nextLevel.size() > 0) { sb.append("/n"); curLevel = nextLevel; } } System.out.println(sb.toString()); }


La forma más sencilla de hacerlo sin utilizar ninguna información de nivel se supone implícitamente que está en cada Nodo. Simplemente agregue un nodo ''nulo'' después de cada nivel. compruebe si este nodo nulo sabe cuándo imprimir una nueva línea:

public class BST{ private Node<T> head; BST(){} public void setHead(Node<T> val){head = val;} public static void printBinaryTreebyLevels(Node<T> head){ if(head == null) return; Queue<Node<T>> q = new LinkedList<>();//assuming you have type inference (JDK 7) q.add(head); q.add(null); while(q.size() > 0){ Node n = q.poll(); if(n == null){ System.out.println(); q.add(null); n = q.poll(); } System.out.print(n.value+" "); if(n.left != null) q.add(n.left); if(n.right != null) q.add(n.right); } } public static void main(String[] args){ BST b = new BST(); c = buildListedList().getHead();//assume we have access to this for the sake of the example b.setHead(c); printBinaryTreeByLevels(); return; } } class Node<T extends Number>{ public Node left, right; public T value; Node(T val){value = val;} }


La respuesta es cercana ... el único problema que pude ver es que si un árbol no tiene un nodo en una posición en particular, establecería ese puntero en nulo. ¿Qué sucede cuando intenta colocar un puntero nulo en la lista?

Aquí hay algo que hice para una tarea reciente. Funciona a la perfección. Puedes usarlo desde cualquier raíz.

//Prints the tree in level order public void printTree(){ printTree(root); } public void printTree(TreeNode tmpRoot){ //If the first node isn''t null....continue on if(tmpRoot != null){ Queue<TreeNode> currentLevel = new LinkedList<TreeNode>(); //Queue that holds the nodes on the current level Queue<TreeNode> nextLevel = new LinkedList<TreeNode>(); //Queue the stores the nodes for the next level int treeHeight = height(tmpRoot); //Stores the height of the current tree int levelTotal = 0; //keeps track of the total levels printed so we don''t pass the height and print a billion "null"s //put the root on the currnt level''s queue currentLevel.add(tmpRoot); //while there is still another level to print and we haven''t gone past the tree''s height while(!currentLevel.isEmpty()&& (levelTotal< treeHeight)){ //Print the next node on the level, add its childen to the next level''s queue, and dequeue the node...do this until the current level has been printed while(!currentLevel.isEmpty()){ //Print the current value System.out.print(currentLevel.peek().getValue()+" "); //If there is a left pointer, put the node on the nextLevel''s stack. If there is no ponter, add a node with a null value to the next level''s stack tmpRoot = currentLevel.peek().getLeft(); if(tmpRoot != null) nextLevel.add(tmpRoot); else nextLevel.add(new TreeNode(null)); //If there is a right pointer, put the node on the nextLevel''s stack. If there is no ponter, add a node with a null value to the next level''s stack tmpRoot = currentLevel.remove().getRight(); if(tmpRoot != null) nextLevel.add(tmpRoot); else nextLevel.add(new TreeNode(null)); }//end while(!currentLevel.isEmpty()) //populate the currentLevel queue with items from the next level while(!nextLevel.isEmpty()){ currentLevel.add(nextLevel.remove()); } //Print a blank line to show height System.out.println(""); //flag that we are working on the next level levelTotal++; }//end while(!currentLevel.isEmpty()) }//end if(tmpRoot != null) }//end method printTree public int height(){ return height(getRoot()); } public int height(TreeNode tmpRoot){ if (tmpRoot == null) return 0; int leftHeight = height(tmpRoot.getLeft()); int rightHeight = height(tmpRoot.getRight()); if(leftHeight >= rightHeight) return leftHeight + 1; else return rightHeight + 1; }


La siguiente implementación usa 2 colas. Usando ListBlokcingQueue aquí, pero cualquier cola funcionaría.

import java.util.concurrent.*; public class Test5 { public class Tree { private String value; private Tree left; private Tree right; public Tree(String value) { this.value = value; } public void setLeft(Tree t) { this.left = t; } public void setRight(Tree t) { this.right = t; } public Tree getLeft() { return this.left; } public Tree getRight() { return this.right; } public String getValue() { return this.value; } } Tree tree = null; public void setTree(Tree t) { this.tree = t; } public void printTree() { LinkedBlockingQueue<Tree> q = new LinkedBlockingQueue<Tree>(); q.add(this.tree); while (true) { LinkedBlockingQueue<Tree> subQueue = new LinkedBlockingQueue<Tree>(); while (!q.isEmpty()) { Tree aTree = q.remove(); System.out.print(aTree.getValue() + ", "); if (aTree.getLeft() != null) { subQueue.add(aTree.getLeft()); } if (aTree.getRight() != null) { subQueue.add(aTree.getRight()); } } System.out.println(""); if (subQueue.isEmpty()) { return; } else { q = subQueue; } } } public void testPrint() { Tree a = new Tree("A"); a.setLeft(new Tree("B")); a.setRight(new Tree("C")); a.getLeft().setLeft(new Tree("D")); a.getLeft().setRight(new Tree("E")); a.getRight().setLeft(new Tree("F")); a.getRight().setRight(new Tree("G")); setTree(a); printTree(); } public static void main(String args[]) { Test5 test5 = new Test5(); test5.testPrint(); } }


Las mejores soluciones solo imprimen a los hijos de cada nodo juntos. Esto está mal según la descripción.

Lo que necesitamos son todos los nodos del mismo nivel juntos en la misma línea.

1) Aplicar BFS

2) Almacene las alturas de los nodos en un mapa que contendrá el nivel - lista de nodos.

3) Iterar sobre el mapa e imprimir los resultados.

Ver código Java a continuación:

public void printByLevel(Node root){ Queue<Node> q = new LinkedBlockingQueue<Node>(); root.visited = true; root.height=1; q.add(root); //Node height - list of nodes with same level Map<Integer, List<Node>> buckets = new HashMap<Integer, List<Node>>(); addToBuckets(buckets, root); while (!q.isEmpty()){ Node r = q.poll(); if (r.adjacent!=null) for (Node n : r.adjacent){ if (!n.visited){ n.height = r.height+1; //adjust new height addToBuckets(buckets, n); n.visited = true; q.add(n); } } } //iterate over buckets and print each list printMap(buckets); } //helper method that adds to Buckets list private void addToBuckets(Map<Integer, List<Node>> buckets, Node n){ List<Node> currlist = buckets.get(n.height); if (currlist==null) { List<Node> list = new ArrayList<Node>(); list.add(n); buckets.put(n.height, list); } else{ currlist.add(n); } } //prints the Map private void printMap(Map<Integer, List<Node>> buckets){ for (Entry<Integer, List<Node>> e : buckets.entrySet()){ for (Node n : e.getValue()){ System.out.print(n.value + " "); } System.out.println(); }


Realmente me gusta la simplicidad del código de Anon; es elegante Pero, a veces , el código elegante no siempre se traduce en código que es intuitivamente fácil de entender. Por lo tanto, aquí está mi intento de mostrar un enfoque similar que requiera Log (n) más espacio, pero debería leer de forma más natural para aquellos que están más familiarizados con la búsqueda en profundidad en primer lugar (que desciende a lo largo de un árbol)

El siguiente fragmento de código establece los nodos que pertenecen a un nivel particular en una lista, y organiza esa lista en una lista que contiene todos los niveles del árbol. De ahí la List<List<BinaryNode<T>>> que verá a continuación. El resto debe ser bastante explicativo.

public static final <T extends Comparable<T>> void printTreeInLevelOrder( BinaryTree<T> tree) { BinaryNode<T> root = tree.getRoot(); List<List<BinaryNode<T>>> levels = new ArrayList<List<BinaryNode<T>>>(); addNodesToLevels(root, levels, 0); for(List<BinaryNode<T>> level: levels){ for(BinaryNode<T> node: level){ System.out.print(node+ " "); } System.out.println(); } } private static final <T extends Comparable<T>> void addNodesToLevels( BinaryNode<T> node, List<List<BinaryNode<T>>> levels, int level) { if(null == node){ return; } List<BinaryNode<T>> levelNodes; if(levels.size() == level){ levelNodes = new ArrayList<BinaryNode<T>>(); levels.add(level, levelNodes); } else{ levelNodes = levels.get(level); } levelNodes.add(node); addNodesToLevels(node.getLeftChild(), levels, level+1); addNodesToLevels(node.getRightChild(), levels, level+1); }


Simplemente piense en compartir la sugerencia de Anon en el código Java real y solucionar un par de problemas CLAVE (como no hay una condición final para la recursión, por lo que nunca deja de agregarse a la pila, y no comprobar si la matriz recibida es nula excepción del puntero).

Además, no hay ninguna excepción, como sugiere Eric Hauser, ya que no está modificando la colección a través de la cual se encuentra en bucle, está modificando una nueva.

Aquí va:

public void levelOrder(List<TreeNode> n) { List<TreeNode> next = new ArrayList<TreeNode>(); for (TreeNode t : n) { if (t != null) { System.out.print(t.getValue()); next.add(t.getLeftChild()); next.add(t.getRightChild()); } } System.out.println(); if(next.size() > 0)levelOrder(next); }


public class PrintATreeLevelByLevel { public static class Node{ int data; public Node left; public Node right; public Node(int data){ this.data = data; this.left = null; this.right = null; } } public void printATreeLevelByLevel(Node n){ Queue<Node> queue = new LinkedList<Node>(); queue.add(n); int node = 1; //because at root int child = 0; //initialize it with 0 while(queue.size() != 0){ Node n1 = queue.remove(); node--; System.err.print(n1.data +" "); if(n1.left !=null){ queue.add(n1.left); child ++; } if(n1.right != null){ queue.add(n1.right); child ++; } if( node == 0){ System.err.println(); node = child ; child = 0; } } } public static void main(String[]args){ PrintATreeLevelByLevel obj = new PrintATreeLevelByLevel(); Node node1 = new Node(1); Node node2 = new Node(2); Node node3 = new Node(3); Node node4 = new Node(4); Node node5 = new Node(5); Node node6 = new Node(6); Node node7 = new Node(7); Node node8 = new Node(8); node4.left = node2; node4.right = node6; node2.left = node1; // node2.right = node3; node6.left = node5; node6.right = node7; node1.left = node8; obj.printATreeLevelByLevel(node4); }

}


public void printAllLevels(BNode node, int h){ int i; for(i=1;i<=h;i++){ printLevel(node,i); System.out.println(); } } public void printLevel(BNode node, int level){ if (node==null) return; if (level==1) System.out.print(node.value + " "); else if (level>1){ printLevel(node.left, level-1); printLevel(node.right, level-1); } } public int height(BNode node) { if (node == null) { return 0; } else { return 1 + Math.max(height(node.left), height(node.right)); } }

En primer lugar, no me gusta tomar crédito por esta solución. Es una modificación de la función de alguien y la adapté para proporcionar la solución.

Estoy usando 3 funciones aquí.

  1. Primero calculo la altura del árbol.
  2. Entonces tengo una función para imprimir un nivel particular del árbol.
  3. Usando la altura del árbol y la función para imprimir el nivel de un árbol, atravieso el árbol e itero e imprimo todos los niveles del árbol usando mi tercera función.

Espero que esto ayude.

EDITAR: La complejidad del tiempo en esta solución para imprimir todos los nodos en el orden transversal de nivel no será O (n). La razón es que, cada vez que baje de un nivel, visitará los mismos nodos una y otra vez.

Si está buscando una solución O (n), creo que usar colas sería una mejor opción.


public void printAtLevel(int i){ printAtLevel(root,i); } private void printAtLevel(BTNode<T> n,int i){ if(n != null){ sop(n.data); } else { printAtLevel(n.left,i-1); printAtLevel(n.right,i-1); } } private void printAtLevel(BTNode<T> n,int i){ if(n != null){ sop(n.data); printAtLevel(n.left,i-1); printAtLevel(n.right,i-1); } }


void printTreePerLevel(Node root) { Queue<Node> q= new LinkedList<Node>(); q.add(root); int currentlevel=1; int nextlevel=0; List<Integer> values= new ArrayList<Integer>(); while(!q.isEmpty()) { Node node = q.remove(); currentlevel--; values.add(node.value); if(node.left != null) { q.add(node.left); nextlevel++; } if(node.right != null) { q.add(node.right); nextlevel++; } if(currentlevel==0) { for(Integer i:values) { System.out.print(i + ","); } System.out.println(); values.clear(); currentlevel=nextlevel; nextlevel=0; } } }


Queue<Node> queue = new LinkedList<>(); queue.add(root); Node leftMost = null; while (!queue.isEmpty()) { Node node = queue.poll(); if (leftMost == node) { System.out.println(); leftMost = null; } System.out.print(node.getData() + " "); Node left = node.getLeft(); if (left != null) { queue.add(left); if (leftMost == null) { leftMost = left; } } Node right = node.getRight(); if (right != null) { queue.add(right); if (leftMost == null) { leftMost = right; } } }