-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathbfs.java
88 lines (72 loc) · 1.95 KB
/
bfs.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
package graphs;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.LinkedList;
import graphs.makegraph.Graph;
public class bfs {
public static class pair {
String vname;
String path;
pair(String name, String path) {
this.vname = name;
this.path = path;
}
}
public static void BFT(HashMap<String, HashMap<String, Integer>> vtces) {
LinkedList<pair> queue = new LinkedList<>();
ArrayList<String> keys = new ArrayList<String>(vtces.keySet());
HashMap<String, Boolean> map = new HashMap<>();
for (String string : keys) {
if (map.containsKey(string)) {
continue;
}
String path = "";
queue.addLast(new pair(string, path + string));
while (!queue.isEmpty()) {
// 1 remove pair and to map
pair rv = queue.removeFirst();
String vname = rv.vname;
if (map.containsKey(vname)) {
continue;
}
map.put(vname, true);
// 2 if direct edge present then return true
System.out.println(vname + " via " + rv.path);
// 3 add nbrs to queue
HashMap<String, Integer> nbr = vtces.get(vname);
ArrayList<String> keys1 = new ArrayList<>(nbr.keySet());
for (String string1 : keys1) {
if (!map.containsKey(string1)) {
queue.addLast(new pair(string1, rv.path + string1));
}
}
}
}
}
public static void main(String[] args) {
// TODO Auto-generated method stub
Graph graph = new Graph();
graph.addvertex("0");
graph.addvertex("1");
graph.addvertex("2");
graph.addvertex("3");
graph.addvertex("4");
graph.addvertex("5");
graph.addvertex("6");
graph.addvertex("7");
graph.addvertex("8");
graph.addedge("0", "2", 1);
graph.addedge("0", "5", 1);
graph.addedge("1", "5", 1);
graph.addedge("1", "6", 1);
graph.addedge("1", "8", 1);
graph.addedge("3", "4", 1);
graph.addedge("3", "5", 1);
graph.addedge("4", "7", 1);
graph.addedge("5", "7", 1);
graph.diplay();
// graph.bfs("A", "E");
System.out.println();
BFT(graph.vtces);
}
}