-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path707.py
60 lines (48 loc) · 1.53 KB
/
707.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
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
# leetcode 707 设计链表
class ListNode:
def __init__(self, val=0, next=None):
self.val = val
self.next = next
class MyLinkedList:
def __init__(self):
self.index = 0
self.dummy_head = ListNode()
def get(self, index: int) -> int:
if index < 0 or index >= self.index:
return -1
cur = self.dummy_head.next
for i in range(index):
cur = cur.next
return cur.val
def addAtHead(self, val: int) -> None:
self.dummy_head.next = ListNode(val=val, next=self.dummy_head.next)
self.index += 1
def addAtTail(self, val: int) -> None:
cur = self.dummy_head
while (cur.next != None):
cur = cur.next
cur.next = ListNode(val=val, next=None)
self.index += 1
def addAtIndex(self, index: int, val: int) -> None:
if index < 0 or index > self.index:
return
cur = self.dummy_head
for i in range(index):
cur = cur.next
cur.next = ListNode(val, cur.next)
self.index += 1
def deleteAtIndex(self, index: int) -> None:
if index < 0 or index >= self.index:
return
self.index -= 1
cur = self.dummy_head
for i in range(index):
cur = cur.next
cur.next = cur.next.next
# 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)
# obj.deleteAtIndex(index)