编程语言
首页 > 编程语言> > 数据结构预算法学习笔记 —— 双端队列(Deque)

数据结构预算法学习笔记 —— 双端队列(Deque)

作者:互联网

双端队列(Deque)

1.简介

双端队列是一种有次序的数据集。

和队列相似,其两端也可以称作为”首“”尾“段,但deque中数据项既可以从队首加入,也可以从队尾加入。同样,数据项也可以从双端队列的两端移除。

某种意义上, 双端队列集合了栈和队列的特点

 

因此,双端队列并不具有内在的LIFO或者FIFO特性,如果使用双端队列来模拟栈或队列,则需要由使用者自行维护操作的一致性

 

Deque的python实现

class Deque: # index=0 is rear, index=-1 is head
    def __init__(self):
        self.items = []
        
    def addFront(self,item): # add item to the head
        self.items.append(item)
        
    def addRear(self,item): # add item to the rear
        self.items.insert(0, item)
        
    def removeFront(self): # remove the head item and return it
        return self.items.pop()
    
    def removeRear(self): # remove the rear item and return it
        return self.items.pop(0)
    
    def isEmpty(self): 
        return self.items == []
    it
    def size(self): # return the number of items
        return len(self.items)

 

2. Deque的应用

2.1回文判定

回文词即正读反读都一样的词,如:radar,madan,toot

判断词是否为回文词,可以先将需要判断的词加入到deque,再从两端同时判定字符是否相同。若结果为是,则删除直到字符串只剩下0或一个词

def palChecker(aString):
    checker = Deque()

    for item in aString:
        checker. addRear(item)
    while checker.size()> 1:
        headitem = checker.removeFront()
        rearitem = checker.removeRear()
        if headitem != rearitem: return False
return True

 

标签:Deque,return,预算法,队列,双端,self,item,items,def
来源: https://www.cnblogs.com/wujiadeqiao/p/16656587.html