前言
先进先出队列(或简称队列)是一种基于先进先出(FIFO)策略的集合类型,如图所按照任务产生的顺序完成它们的策略我们每天都会遇到:在剧院门前排队的人们、在收费站前排队的汽车或是计算机上某种软件中等待处理的任务。任何服务性策略的基本原则都是公平。在提到公平时大多数人的第一个想法就是应该优先服务等待最久的人,这正是先进先出策略的准则。队列许多日常现象的自然模型,它也是无数应用程序的核心。当用例使用foreach 语句选代访间队列中的元素时,元素的处理顺序就是它们被添加到队列中的顺序。在应用程序中使用队列的主要原因是在用集合保存元素的同时保存它们的相对顺序:使它们入列顺序和出列顺序相同。
代码实现
export class MyQueue {
private stack1: number[] = []
private stack2: number[] = []
// 入队
add(n: number) {
this.stack1.push(n)
}
// 出队
delete(): number | null {
let res
const stack1 = this.stack1
const stack2 = this.stack2
// 将 stack1 所有元素移动到 stack2 中
while(stack1.length) {
const n = stack1.pop()
if (n != null) {
stack2.push(n)
}
}
// stack2 pop
res = stack2.pop()
// 将 stack2 所有元素“还给”stack1
while(stack2.length) {
const n = stack2.pop()
if (n != null) {
stack1.push(n)
}
}
return res || null
}
get length(): number {
return this.stack1.length
}
}
单元测试
describe('两数之和', () => {
it('正常情况', () => {
const arr = [1, 2, 4, 7, 11, 15]
const res = findTowNumbers2_1(arr, 15)
expect(res).toEqual([4, 11])
})
it('空数组', () => {
const res = findTowNumbers2_1([], 100)
expect(res).toEqual([])
})
it('找不到结果', () => {
const arr = [1, 2, 4, 7, 11, 15]
const n = 100
const res = findTowNumbers2_1(arr, n)
expect(res).toEqual([])
})
})