BFS (Breadth-First Search) və DFS (Depth-First Search) bir tree-ni gəzmək üçün və ya bir tree-də axtarış etmək üçün istifadə olunan bir texnikadı. BFS və DFS-i həmçinin graphlarada tətbiq etmək mümkündür. Bu yazımızda biz tree-ni necə gəzə bilərik ona nəzər yetirəcik.
İlk olaraq DFS-dən başlayaq. DFS-in, 3 növ ağacı gəzmək metodu vardır. Bunları sıralasaq,
In-Order
Pre-Order
Post-Order
In-Order metodunda, biz, ilk olaraq sol noda, sonra sağ noda və sonra isə root noda gedirik.
İndi isə keçək BFS-ə. BFS, Level-Order metodu istifadə olunur. Yəni, root nodu ziyarət etdikdən sonra keçirik onun alt nodlarına (child nodes). Və burada biz Queue data strukturundan istifadə edirik. Alqoritmi addım-addım izah etsək belə bir şey çıxar ortaya:
Boş bir queue yaradırıq
İlk olaraq root nodu queue-ə əlavə edirik.
Queue boş olana qədər döngünü işlədirik
Nodu print edirik
Nodumuzun alt sol nodu varsa queue-ə əlavə edirik.
Nodumuzun alt sağ nodu varsa queue-ə əlavə edirik.
Queue-dən birinci daxil olan nodu götürüb və silirik.
static void traverse(Node root) {
Queue<Node> queue = new LinkedList<>();
queue.add(root);
while (!queue.isEmpty()) {
Node node = queue.poll();
System.out.print(node.getData() + " ");
if (node.getLeftNode() != null) {
queue.add(node.getLeftNode());
}
if (node.getRightNode() != null) {
queue.add(node.getRightNode());
}
}
}
5 6 7 8 9 10 11 12 13
Aşağıda kodu tam formasına baxa bilərsiniz. Node classımız özündə bir dəyər və alt sol-sağ nodları saxlıyır.
package bfs.dfs;
public class Node {
private int data;
private Node leftNode;
private Node rightNode;
public Node(int data) {
this.data = data;
this.leftNode = null;
this.rightNode = null;
}
public int getData() {
return data;
}
public void setData(int data) {
this.data = data;
}
public Node getLeftNode() {
return leftNode;
}
public void setLeftNode(Node leftNode) {
this.leftNode = leftNode;
}
public Node getRightNode() {
return rightNode;
}
public void setRightNode(Node rightNode) {
this.rightNode = rightNode;
}
}