栈是一种先进后出的特殊线性表结构,存储上分链式存储和顺序存储两种方式
data:image/s3,"s3://crabby-images/ea9c7/ea9c7e30471a458d4c89281e7be0163151ee09b9" alt=""
链式存储:
function LinkedStack() {
let Node = function (ele) {
this.ele = ele;
this.next = null;
}
let length = 0,
top; //栈顶指针
//压栈操作
this.push = function (ele) {
let node = new Node(ele);
top ? node.next = top : top = node;
top = node;
length++;
return true;
}
//退栈操作
this.pop = function () {
let current = top;
if (top) {
top = current.next;
current.next = null;
length--;
return current;
} else {
return 'null stack';
}
}
this.top = function () {
return top;
}
this.size = function () {
return length;
}
//toString 从栈顶到栈底
this.toString = function () {
let string = '';
current = top;
while (current) {
string += current.ele + ' ';
current = current.next;
}
return string;
}
this.clear = function () {
top = null;
length = 0;
return true;
}
}
//使用
let myStack = new LinkedStack();
myStack.push('1')
myStack.push('2')
myStack.push('3')
myStack.push('4')
console.log(myStack.toString()) // 4 3 2 1
myStack.pop()
console.log(myStack.toString()) // 3 2 1
myStack.pop()
myStack.pop()
console.log(myStack.pop()) // Node { ele: '1', next: null }
console.log(myStack.pop()) // null stack
顺序存储:用js内置对象Array实现
function ArrayStack(){
var arr = [];
//压栈操作
this.push = function(element){
arr.push(element);
}
//退栈操作
this.pop = function(){
return arr.pop();
}
//获取栈顶元素
this.top = function(){
return arr[arr.length-1];
}
//获取栈长
this.size = function(){
return arr.length;
}
//清空栈
this.clear = function(){
arr = [];
return true;
}
this.toString = function(){
return arr.toString();
}
}