您好,登錄后才能下訂單哦!
本文實(shí)例講述了python雙向鏈表原理與實(shí)現(xiàn)方法。分享給大家供大家參考,具體如下:
雙向鏈表
一種更復(fù)雜的鏈表是“雙向鏈表”或“雙面鏈表”。每個(gè)節(jié)點(diǎn)有兩個(gè)鏈接:一個(gè)指向前一個(gè)節(jié)點(diǎn),當(dāng)此節(jié)點(diǎn)為第一個(gè)節(jié)點(diǎn)時(shí),指向空值;而另一個(gè)指向下一個(gè)節(jié)點(diǎn),當(dāng)此節(jié)點(diǎn)為最后一個(gè)節(jié)點(diǎn)時(shí),指向空值。
操作
實(shí)現(xiàn)
class Node(object): """雙向鏈表節(jié)點(diǎn)""" def __init__(self, item): self.item = item self.next = None self.prev = None class DLinkList(object): """雙向鏈表""" def __init__(self): self.__head = None def is_empty(self): """判斷鏈表是否為空""" return self.__head == None def length(self): """返回鏈表的長(zhǎng)度""" cur = self.__head count = 0 while cur != None: count += 1 cur = cur.next return count def travel(self): """遍歷鏈表""" cur = self.__head while cur != None: print cur.item, cur = cur.next print "" def add(self, item): """頭部插入元素""" node = Node(item) if self.is_empty(): # 如果是空鏈表,將_head指向node self.__head = node else: # 將node的next指向_head的頭節(jié)點(diǎn) node.next = self.__head # 將_head的頭節(jié)點(diǎn)的prev指向node self.__head.prev = node # 將_head 指向node self.__head = node def append(self, item): """尾部插入元素""" node = Node(item) if self.is_empty(): # 如果是空鏈表,將_head指向node self.__head = node else: # 移動(dòng)到鏈表尾部 cur = self.__head while cur.next != None: cur = cur.next # 將尾節(jié)點(diǎn)cur的next指向node cur.next = node # 將node的prev指向cur node.prev = cur def search(self, item): """查找元素是否存在""" cur = self.__head while cur != None: if cur.item == item: return True cur = cur.next return False
指定位置插入節(jié)點(diǎn)
def insert(self, pos, item): """在指定位置添加節(jié)點(diǎn)""" if pos <= 0: self.add(item) elif pos > (self.length()-1): self.append(item) else: node = Node(item) cur = self.__head count = 0 # 移動(dòng)到指定位置的前一個(gè)位置 while count < (pos-1): count += 1 cur = cur.next # 將node的prev指向cur node.prev = cur # 將node的next指向cur的下一個(gè)節(jié)點(diǎn) node.next = cur.next # 將cur的下一個(gè)節(jié)點(diǎn)的prev指向node cur.next.prev = node # 將cur的next指向node cur.next = node
刪除元素
def remove(self, item): """刪除元素""" cur = self.__head while cur != None: # 找到了要?jiǎng)h除的元素 if cur.item == item: # 先判斷此結(jié)點(diǎn)是否是頭節(jié)點(diǎn) # 頭節(jié)點(diǎn) if cur == self.__head: self.__head = cur.next # 如果存在下一個(gè)結(jié)點(diǎn),則設(shè)置下一個(gè)結(jié)點(diǎn) if cur.next: # 判斷鏈表是否只有一個(gè)結(jié)點(diǎn) cur.next.prev = None else: cur.prev.next = cur.next # 如果存在下一個(gè)結(jié)點(diǎn),則設(shè)置下一個(gè)結(jié)點(diǎn) if cur.next: cur.next.prev = cur.prev break else: cur = cur.next
更多關(guān)于Python相關(guān)內(nèi)容感興趣的讀者可查看本站專題:《Python數(shù)據(jù)結(jié)構(gòu)與算法教程》、《Python加密解密算法與技巧總結(jié)》、《Python編碼操作技巧總結(jié)》、《Python函數(shù)使用技巧總結(jié)》、《Python字符串操作技巧匯總》及《Python入門與進(jìn)階經(jīng)典教程》
希望本文所述對(duì)大家Python程序設(shè)計(jì)有所幫助。
免責(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)容。