#

# 基本概念

TIP

  • 栈是一种遵循后进先出LIFO)原则的有序集合。

  • 新添加或待删除的元素都保存在栈的同一端,称作栈顶。另一端称作栈底。

# 代码实现

class Stack {
  constructor() {
    this.stack = [];
    this.length = 0;
  }

  // 向栈中添加元素
  push(el) {
    this.stack.push(el);
    this.length++;
    return this.stack;
  }

  // 弹出栈顶元素
  pop() {
    let item = this.stack.pop();
    if (this.stack.length > 0) {
      this.length--;
    }
    return item;
  }

  // 返回栈顶元素
  peek() {
    return this.stack[this.length - 1];
  }

  // 栈是否为空
  isEmpty() {
    return this.length === 0;
  }

  // 清空栈
  clear() {
    this.stack = [];
    this.length = 0;
  }

  // 栈大小
  size() {
    return this.length;
  }
}
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