-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathAdjacencyListGraph.java
41 lines (35 loc) · 1.11 KB
/
AdjacencyListGraph.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
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Iterator;
public class AdjacencyListGraph {
// Like a dictionary we have a key and a value
public HashMap<Node, ArrayList<Node>> map = new HashMap<>();
AdjacencyListGraph() {
}
public void addNode(Node n) {
// If already exists
if (this.map.containsKey(n)) {
return;
}
this.map.put(n, new ArrayList<>());
}
public void addEdge(Node origin, Node destination) {
ArrayList<Node> list = this.map.get(origin);
if (!list.contains(destination)) {
list.add(destination);
}
}
public void print() {
System.out.println("Adjacency List Graph");
Iterator<Node> it = this.map.keySet().iterator();
while(it.hasNext()) {
Node n = it.next();
System.out.print(n.id + " -> ");
ArrayList<Node> adjList = this.map.get(n);
for (int i = 0; i < adjList.size(); i++) {
System.out.print(adjList.get(i).id + ", ");
}
System.out.println("");
}
}
}