-
Notifications
You must be signed in to change notification settings - Fork 361
/
Copy pathBfsTraversal.java
58 lines (53 loc) · 1.96 KB
/
BfsTraversal.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
import java.io.*;
import java.util.*;
public class BfsTraversal {
private int node; /* total number number of nodes in the graph */
private LinkedList<Integer> adj[]; /* adjacency list */
private Queue<Integer> que; /* maintaining a queue */
BfsTraversal(int v) {
node = v;
adj = new LinkedList[node];
for (int i = 0; i < v; i++) {
adj[i] = new LinkedList<Integer>();
}
que = new LinkedList<Integer>();
}
void insertEdge(int v, int w) {
adj[v].add(w);
}
void BFS(int n) {
boolean nodes[] = new boolean[node]; /* initialize boolean array for holding the data */
int a = 0;
nodes[n] = true;
que.add(n); /* root node is added to the top of the queue */
while (que.size() != 0) {
n = que.poll(); /* remove the top element of the queue */
System.out.print(n + " "); /* print the top element of the queue */
for (int i = 0; i < adj[n].size(); i++) {
a = adj[n].get(i);
if (!nodes[a]) /* only insert nodes into queue if they have not been explored already */
{
nodes[a] = true;
que.add(a);
}
}
}
}
public static void main(String args[]) {
Scanner sc = new Scanner(System.in);
System.out.println("Enter number of vertices");
int ve = sc.nextInt();
BfsTraversal graph = new BfsTraversal(ve);
System.out.println("Enter number of edges");
int e = sc.nextInt();
for (int i = 0; i < e; i++) {
System.out.println("Enter starting vertex of the edge " + i);
int u = sc.nextInt();
System.out.println("Enter ending vertex of the edge " + i);
int v = sc.nextInt();
graph.insertEdge(u, v);
}
System.out.println("Breadth First Traversal for the graph is:");
graph.BFS(0);
}
}