您好,登錄后才能下訂單哦!
今天就跟大家聊聊有關(guān)使用JavaScript怎么實(shí)現(xiàn)一個(gè)棧的數(shù)據(jù)結(jié)構(gòu),可能很多人都不太了解,為了讓大家更加了解,小編給大家總結(jié)了以下內(nèi)容,希望大家根據(jù)這篇文章可以有所收獲。
堆棧(英語(yǔ):stack),也可直接稱棧,在計(jì)算機(jī)科學(xué)中,是一種特殊的串列形式的數(shù)據(jù)結(jié)構(gòu),它的特殊之處在于只能允許在鏈接串列或陣列的一端(稱為堆疊頂端指標(biāo),英語(yǔ):top)進(jìn)行加入數(shù)據(jù)(push)和輸出數(shù)據(jù)(pop)的運(yùn)算。另外棧也可以用一維數(shù)組或連結(jié)串列的形式來(lái)完成。
由于堆疊數(shù)據(jù)結(jié)構(gòu)只允許在一端進(jìn)行操作,因而按照后進(jìn)先出(LIFO, Last In First Out)的原理運(yùn)作。 – 維基百科
實(shí)現(xiàn)一個(gè)Stack類
/** * Stack 類 */ class Stack { constructor() { this.data = []; // 對(duì)數(shù)據(jù)初始化 this.top = 0; // 初始化棧頂位置 } // 入棧方法 push() { const args = [...arguments]; args.forEach(arg => this.data[this.top++] = arg); return this.top; } // 出棧方法 pop() { if (this.top === 0) throw new Error('The stack is already empty!'); const peek = this.data[--this.top]; this.data = this.data.slice(0, -1); return peek; } // 返回棧頂元素 peek() { return this.data[this.top - 1]; } // 返回棧內(nèi)元素個(gè)數(shù) length() { return this.top; } // 清除棧內(nèi)所有元素 clear() { this.top = 0; return this.data = []; } // 判斷棧是否為空 isEmpty() { return this.top === 0; } } // 實(shí)例化 const stack = new Stack(); stack.push(1); stack.push(2, 3); console.log(stack.data); // [1, 2, 3] console.log(stack.peek()); // 3 console.log(stack.pop()); // 3, now data is [1, 2] stack.push(3); console.log(stack.length()); // 3 stack.clear(); // now data is []
用棧的思想將數(shù)字轉(zhuǎn)換為二進(jìn)制和八進(jìn)制
/** * 將數(shù)字轉(zhuǎn)換為二進(jìn)制和八進(jìn)制 */ const numConvert = (num, base) => { const stack = new Stack(); let converted = ''; while(num > 0) { stack.push(num % base); num = Math.floor(num / base); } while(stack.length() > 0) { converted += stack.pop(); } return +converted; } console.log(numConvert(10, 2)); // 1010
用棧的思想判斷給定字符串或者數(shù)字是否是回文
/** * 判斷給定字符串或者數(shù)字是否是回文 */ const isPalindrome = words => { const stack = new Stack(); let wordsCopy = ''; words = words.toString(); Array.prototype.forEach.call(words, word => stack.push(word)); while(stack.length() > 0) { wordsCopy += stack.pop(); } return words === wordsCopy; } console.log(isPalindrome('1a121a1')); // true console.log(isPalindrome(2121)); // false
看完上述內(nèi)容,你們對(duì)使用JavaScript怎么實(shí)現(xiàn)一個(gè)棧的數(shù)據(jù)結(jié)構(gòu)有進(jìn)一步的了解嗎?如果還想了解更多知識(shí)或者相關(guān)內(nèi)容,請(qǐng)關(guān)注億速云行業(yè)資訊頻道,感謝大家的支持。
免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如果涉及侵權(quán)請(qǐng)聯(lián)系站長(zhǎng)郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。