forked from vaishak10/DS-Algorithms-withJavascript
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Stack.js
64 lines (53 loc) · 1.4 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
//Stack implementation using array
class Stack {
constructor(){
this.stack = [];
this.top = 0;
}
// Adds a value to the Stack
push(value) {
this.stack.push(value)
this.top += 1
}
// Returns and removes the last element of the Stack
pop() {
if (this.top !== 0) {
this.top -= 1
return this.stack.pop()
}
throw new Error('Stack Underflow')
}
// Returns the number of elements in the Stack
get length() {
return this.top;
}
// Returns true if stack is empty, false otherwise
get isEmpty() {
return this.top === 0
}
// Returns the last element without removing it
get last() {
if (this.top !== 0) {
return this.stack[this.stack.length - 1]
}
return null
}
// Checks if an object is the instance os the Stack class
static isStack(el) {
return el instanceof Stack
}
get viewStack(){
return this.stack;
}
}
let newStack = new Stack();
console.log('instace of class status: '+ Stack.isStack(newStack));
newStack.push(2);
newStack.push(3);
newStack.push(4);
console.log(newStack.viewStack);
newStack.pop();
console.log(newStack.viewStack);
console.log('Last element in the stack: ' + newStack.last);
console.log('Is stack empty? Ans: ' + newStack.isEmpty);
console.log('length of the stack: ' + newStack.length);