The Monotone Queue Implementation in Python

  • 时间:2020-09-18 17:01:02
  • 分类:网络文摘
  • 阅读:139 次
queue-data-structure The Monotone Queue Implementation in Python data structure python

queue-data-structure

A queue is a first-in-first-out (FIFO) data structure.

We all know that the list/array in Python is very powerful, that it can be used as a queue itself. For example, to create a queue in Python, we do this:

1
q = []
q = []

Then, we can push an element to the queue using the list append() method.

1
2
3
4
5
q.append(1)
q.append(2)
q.append(3)
# now the queue has 3 elements
[1, 2, 3]
q.append(1)
q.append(2)
q.append(3)
# now the queue has 3 elements
[1, 2, 3]

We can check the length of the list in order to perform the queue.empty() test.

1
2
def isEmptyQueue(queue):
   return len(queue) == 0
def isEmptyQueue(queue):
   return len(queue) == 0

The last element in the list/array will be useful, such as peeking the top of the queue:

1
2
def peekQueue(queue):
   return queue[-1]
def peekQueue(queue):
   return queue[-1]

Popping an element i.e. deQueue() is even simpler with the array.pop(0) method – which removes the first element (index zero) from the list/array and return it. For example:

1
2
def deQueue(queue):
   return queue.pop(0)
def deQueue(queue):
   return queue.pop(0)

The Monotone Queue in Python

A Monotone queue is a queue, however, it preserves the orders of the elements in the queue from left to the right. For example, the Monotone decreasing queue looks like:

1
q = [5, 4, 3, 2, 1]
q = [5, 4, 3, 2, 1]

Now, if we now push another element, e.g. 3, to the queue. It will dequeue the elements that are larger than 3 before 3 is pushed to the queue.

1
q = [3, 3, 2, 1] # 5 and 4 will be dequeued and removed.
q = [3, 3, 2, 1] # 5 and 4 will be dequeued and removed.

At anytime, the monotone queue will keep the elements in the queue in either increasing or decreasing order (monotone sequence). The Monotone queue is handy as it tells us the next smaller-or-equal element. For example, in the above case, we know the next smaller-or-equal number is 3.

1
2
3
4
def pushMontoQueue(queue, ele):
   while len(queue) > 0 and queue[0] > ele:
       queue.pop(0) # deQueue
   queue.push(ele)
def pushMontoQueue(queue, ele):
   while len(queue) > 0 and queue[0] > ele:
       queue.pop(0) # deQueue
   queue.push(ele)

Similar, the array/list can be used to implement a monotone stack.

–EOF (The Ultimate Computing & Technology Blog) —

推荐阅读:
健康食品黑枣的食疗功效与营养价值  保健食品当做药品卖“脑力风暴”骗局  “公益网站”牵线 保健食品当药品卖  消费者如何正确选择购买保健食品  中国拟新制定五项食品安全国家标准  脑力劳动者如何科学补充食物营养?  食品中的肉毒杆菌对儿童的危害很大  质检总局要求雅培召回两批次风险奶粉  洋奶粉频“出事”国产奶粉难“翻身”  新西兰肉毒杆菌事件中“涉毒”品牌 
评论列表
添加评论