forked from jainaman224/Algo_Ds_Notes
-
Notifications
You must be signed in to change notification settings - Fork 0
/
LoopDetector.java
62 lines (50 loc) · 1.67 KB
/
LoopDetector.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
package kruskal;
import java.util.HashMap;
import java.util.HashSet;
public class LoopDetector {
/*
Máximo orden de ejecución: exploraGrafo O(numeroAristasSolucion)
Contenedor que ocupa la mayor cantidad de memoria id_vecinos:
*/
private final HashMap<Integer, HashSet<Integer>> id_vecinos;
private boolean hayBucles;
private final AristContainer aristas;
public LoopDetector(AristContainer aristas) {
this.hayBucles = false;
this.aristas = aristas;
this.id_vecinos = new HashMap<>();
}
public boolean hasLoops() {
exploraGrafo();
return hayBucles;
}
private void exploraGrafo() {
for (Arista arista : aristas) {
conectaAmbosVertices(arista);
if (hayBucles) {
return;
}
}
}
private void conecta(Integer vertice, Integer vecino) {
if (estaVerticeConectado(vertice)) {
if (esteVecinoHaPasadoDosVeces(vertice, vecino)) {
hayBucles = true;
}
} else {
HashSet<Integer> vecinos = new HashSet<>();
vecinos.add(vecino);
id_vecinos.put(vertice, vecinos);
}
}
private boolean estaVerticeConectado(Integer v) {
return id_vecinos.containsKey(v);
}
private boolean esteVecinoHaPasadoDosVeces(Integer vertice, Integer vecino) {
return this.id_vecinos.get(vertice).contains(vecino);
}
private void conectaAmbosVertices(Arista arista) {
conecta(arista.getU(), arista.getV());
conecta(arista.getV(), arista.getU());
}
}