我试图实现一个单链表插入和删除双方在O(1)的时间。为了做到这一点,我将一个指针保存到头部和尾部。 我遇到的麻烦是insert_tail方法。这是我的伪代码:
If there is no head or tail,
Set the head AND tail to the new Node
Otherwise,
Insert the new node as a child of the tail
Set the tail to that new node
这是我的Python 3代码:
class Node:
def __init__(self, val):
self.val = val
self.next = None
def __str__(self):
if self.next:
return "{} -> {}".format(self.val, self.next.val)
else:
return "{}".format(self.val)
class LinkedList():
def __init__(self, init):
self.head = Node(init)
self.tail = Node(init)
# Search at O(n)
def search(self, val) -> Node:
pass
# Insert head or tail at O(1). Returns new node.
def insert_head(self, val) -> None:
inserting = Node(val)
inserting.next = self.head
self.head = inserting
# Inserting to empty case
if self.tail == None:
self.head = inserting
self.tail = inserting
return self.head
def insert_tail(self, val) -> None:
inserting = Node(val)
# Inserting to empty case
if self.head == None and self.tail == None:
self.head = inserting
self.tail = inserting
else:
# Change the value of the tail
self.tail.next = inserting
self.tail = self.tail.next
# Insert average case O(n) + 1
def insert(self, val) -> Node:
pass
# Delete at O(1).
def delete(self, val) -> None:
pass
def __str__(self):
return str(list(self))
def __iter__(self):
node = self.head
while node:
yield node.val
node = node.next
# 14, 12, 11, 19, 17, 16, 30, 18, 22, 21, 24, 23, 15
linked = LinkedList(30)
linked.insert_head(16)
linked.insert_head(17)
linked.insert_head(19)
linked.insert_head(11)
linked.insert_head(12)
linked.insert_head(14)
print(linked)
linked.insert_tail(18)
linked.insert_tail(22)
linked.insert_tail(21)
linked.insert_tail(24)
linked.insert_tail(23)
linked.insert_tail(15)
print(linked) # Should actually be: [14, 12, 11, 19, 17, 16, 30, 18, 22, 21, 24, 23, 15]
# But instead it printsas if a new tail was never inserted: [14, 12, 11, 19, 17, 16, 30]
问题来源StackOverflow 地址:/questions/59384136/inserting-node-at-tail-efficiently-in-linked-list-for-python
版权声明:本文内容由阿里云实名注册用户自发贡献,版权归原作者所有,阿里云开发者社区不拥有其著作权,亦不承担相应法律责任。具体规则请查看《阿里云开发者社区用户服务协议》和《阿里云开发者社区知识产权保护指引》。如果您发现本社区中有涉嫌抄袭的内容,填写侵权投诉表单进行举报,一经查实,本社区将立刻删除涉嫌侵权内容。