forked from mbakrol/MB-HacktoberFest2022
-
Notifications
You must be signed in to change notification settings - Fork 0
/
BinaryTree.java
106 lines (89 loc) · 2.81 KB
/
BinaryTree.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
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
import java.util.*;
// A class to store a graph edge
class Edge
{
int source, dest;
public Edge(int source, int dest)
{
this.source = source;
this.dest = dest;
}
}
// A class to represent a graph object
class Graph
{
// A list of lists to represent an adjacency list
List<List<Integer>> adjList = null;
// Constructor
Graph(List<Edge> edges, int n)
{
adjList = new ArrayList<>();
for (int i = 0; i < n; i++) {
adjList.add(new ArrayList<>());
}
// add edges to the undirected graph
for (Edge edge: edges)
{
int src = edge.source;
int dest = edge.dest;
adjList.get(src).add(dest);
adjList.get(dest).add(src);
}
}
}
class Main
{
// Perform BFS on the graph starting from vertex `v`
public static void BFS(Graph graph, int v, boolean[] discovered)
{
// create a queue for doing BFS
Queue<Integer> q = new ArrayDeque<>();
// mark the source vertex as discovered
discovered[v] = true;
// enqueue source vertex
q.add(v);
// loop till queue is empty
while (!q.isEmpty())
{
// dequeue front node and print it
v = q.poll();
System.out.print(v + " ");
// do for every edge (v, u)
for (int u: graph.adjList.get(v))
{
if (!discovered[u])
{
// mark it as discovered and enqueue it
discovered[u] = true;
q.add(u);
}
}
}
}
public static void main(String[] args)
{
// List of graph edges as per the above diagram
List<Edge> edges = Arrays.asList(
new Edge(1, 2), new Edge(1, 3), new Edge(1, 4), new Edge(2, 5),
new Edge(2, 6), new Edge(5, 9), new Edge(5, 10), new Edge(4, 7),
new Edge(4, 8), new Edge(7, 11), new Edge(7, 12)
// vertex 0, 13, and 14 are single nodes
);
// total number of nodes in the graph (labelled from 0 to 14)
int n = 15;
// build a graph from the given edges
Graph graph = new Graph(edges, n);
// to keep track of whether a vertex is discovered or not
boolean[] discovered = new boolean[n];
// Perform BFS traversal from all undiscovered nodes to
// cover all connected components of a graph
for (int i = 0; i < n; i++)
{
if (discovered[i] == false)
{
// start BFS traversal from vertex `i`
BFS(graph, discovered);
}
}
}
}