-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlinked_list_remove_duplicates.py
54 lines (48 loc) · 1.09 KB
/
linked_list_remove_duplicates.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
""" remove duplicates from linked list """
from linked_lists import LinkedList
""" time: n
space: n
"""
def rm_duplicates(head):
seen_values = set(head.val)
current = head
while True:
current = current.next
if current is None:
break
if current.val in seen_values:
current.prev.next = current.next
else:
seen_values.add(current.val)
"""
time: n^2
space: 1
"""
def rm_duplicates_space(head):
current = head
breaker_one = True
while breaker_one:
if current is None:
break
breaker_two = True
tracer_two = current.next
while breaker_two:
if tracer_two is None:
break
if current.val == tracer_two.val:
tracer_two.prev.next = tracer_two.next
tracer_two = tracer_two.next
current = current.next
a = LinkedList("a")
b = LinkedList("b")
c = LinkedList("c")
d = LinkedList("d")
b2 = LinkedList("b")
e = LinkedList("e")
a.insert(b)
b.insert(c)
c.insert(d)
d.insert(b2)
b2.insert(e)
rm_duplicates_space(a)
a = 1