-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy path707. Design Linked List.py
44 lines (44 loc) · 1.33 KB
/
707. Design Linked List.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
def addAtTail(self, val: int) -> None:
curr=self.head
if curr is None:
self.head=Node(val)
else:
while curr.next:
curr=curr.next
curr.next=Node(val)
self.size+=1
def addAtIndex(self, index: int, val: int) -> None:
if index<0 or index>self.size:
return
if index==0:
self.addAtHead(val)
else:
node=Node(val)
curr=self.head
for i in range(index-1):
curr=curr.next
node.next=curr.next
curr.next=node
self.size+=1
def deleteAtIndex(self, index: int) -> None:
if index<0 or index>=self.size:
return
if index==0:
self.head=self.head.next
else:
curr=self.head
for i in range(index-1):
curr=curr.next
curr.next=curr.next.next
self.size-=1
# Your MyLinkedList object will be instantiated and called as such:
# obj = MyLinkedList()
# param_1 = obj.get(index)
# obj.addAtHead(val)
# obj.addAtTail(val)
# obj.addAtIndex(index,val)