-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlinked_list_kth_to_last.py
56 lines (46 loc) · 997 Bytes
/
linked_list_kth_to_last.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
""" find the kth to last element in a singly linked list """
import queue
from linked_lists import LinkedList
"""
time: n
space: k
"""
def find_kth_last(head, k):
counter = 0
q = queue.Queue()
current = head
while True:
counter += 1
if current is None:
break
q.put(current)
if counter > k:
q.get()
current = current.next
return q.get().val
"""
time: n
space: 1
"""
def find_kth_last_two_pointers(head, k):
slow_pointer = head
fast_pointer = head
for i in range(k):
fast_pointer = fast_pointer.next
while True:
if fast_pointer is None:
return slow_pointer.val
slow_pointer = slow_pointer.next
fast_pointer = fast_pointer.next
a = LinkedList("a")
b = LinkedList("b")
c = LinkedList("c")
d = LinkedList("d")
b2 = LinkedList("e")
e = LinkedList("f")
a.insert(b)
b.insert(c)
c.insert(d)
d.insert(b2)
b2.insert(e)
find_kth_last_two_pointers(a, 3)