-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathStack.js
76 lines (64 loc) · 1.49 KB
/
Stack.js
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
class Nodo {
constructor(valor) {
this.value = valor;
this.next = null;
}
}
class Stack{
constructor () {
// Elemento Superior
this.top = null;
// Elemento Inferior
this.bottom = null;
this.length = 0;
}
// Seleccionar el último ingresado
peek () {
return this.top;
}
// Agregar
push (valor) {
const NewNodo = new Nodo(valor);
// Si está vacio, pues agregalo simplemente
if (this.length === 0) {
this.top = NewNodo;
this.bottom = NewNodo;
} else {
const Anterior = this.top
this.top = NewNodo;
this.top.next = Anterior;
}
this.length++;
return this;
}
// Mostrar el último elemento
getBottom () {
return this.bottom;
}
// Eliminar el último
pop () {
// Validar si hay elementos para borrar
if (this.length === 0) {
return "No hay datos para borrar";
}
// Validar si al borrar la Pila quedará vacia
if (this.length === 1) {
this.top = null;
this.bottom = null;
this.length--;
return this;
}
// Borrar
this.top = this.top.next;
this.length--;
return this;
}
}
const Pila = new Stack();
Pila.push(1)
Pila.push(2)
Pila.push(3)
Pila.peek()
Pila.peek()
Pila.peek()
Pila.peek() // Sin datos