-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.ts
44 lines (39 loc) · 1.06 KB
/
index.ts
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
/**
* Stack data structure that follows the Last In First Out (LIFO) principle.
*
* Note: his does not really do anything more than an array, but it is a good
* example of a simple Stack data structure and restricts functionality to only
* what is needed.
*/
class Stack<T> {
private _stack: T[] = []
/**
* Adds (pushes) a value to the top of the stack
* @param {T} value - The value to add to the top of the stack
*/
push(value: T): void {
this._stack.push(value)
}
/**
* Removes (pops) the value at the top of the stack
* @returns {T | undefined} - The value at the top of the stack
*/
pop(): T | undefined {
return this._stack.pop()
}
/**
* Returns the value at the top of the stack without removing it
* @returns {T} - The value at the top of the stack
*/
get top(): T {
return this._stack[this.length - 1]
}
/**
* Returns the number of values in the stack
* @returns {number} - The number of values in the stack
*/
get length(): number {
return this._stack.length
}
}
export default Stack