const stack = [];
stack.push(1); // [1]
stack.push(2); // [1, 2]
stack.push(3); // [1, 2, 3]
stack.pop(); // 3
stack.pop(); // 2
console.log(stack) // [1];
push 메서드를 이용하여 배열의 가장 마지막 인덱스로 값을 추가할 수 있고
pop 메서드를 이용하여 가장 마지막에 들어온 값을 제거할 수 있다.
class Node {
constructor(value) {
this.val = value;
this.next = null;
}
}
class Stack {
constructor() {
this.first = null;
this.last = null;
this.size = 0;
}
push(val) {
const newNode = new Node(val);
if (!this.first) {
this.first = newNode;
this.last = newNode;
} else {
const temp = this.first;
this.first = newNode;
this.first.next = temp;
}
return ++this.size;
}
pop() {
if (!this.first) return null;
if (this.first === this.last) {
this.last = null;
}
const temp = this.first;
this.first = this.first.next;
this.size--;
return temp.val;
}
}
스택을 연결리스트로 구현하면 길고 복잡한 코드를 작성해야 한다는 단점이 있지만
인덱스를 이용해 각 요소에 접근할 필요없이 LIFO 방식으로 데이터 추가, 삭제만 한다면 연결리스트가 배열보다 성능적으로 유리하다.
Insert - O(1)
Remove - O(1)