-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathproblem_6.py
384 lines (321 loc) · 12.6 KB
/
problem_6.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
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
#!/usr/bin/env python3
"""Problem 6 of the Data Structures Project.
Notes:
1. This code could have been simplified by using the builtin Python set Type and the union and intersection
operations. They weren't used to illustrate the basic functionality.
2. The resulting order of the list will be based on the first list and then the second.
Assumptions:
1. Duplicates in the input lists are ignored, therefore no duplicates in the union and intersection output.
2. Order of the linked lists does not need to be maintained.
"""
from __future__ import annotations
import random
from time import time
class Node:
def __init__(self, value):
self.value = value
self.next = None
def __repr__(self):
return str(self.value)
class LinkedList:
def __init__(self):
self.head = None
self.tail = None
self.size = 0
def __str__(self):
cur_head = self.head
out_string = ""
while cur_head:
out_string += str(cur_head.value) + " -> "
cur_head = cur_head.next
return out_string
def append(self, value):
new_node = Node(value)
if self.head is None:
self.head = new_node
self.tail = self.head
else:
self.tail.next = new_node
self.tail = new_node
self.size += 1
def __len__(self):
return self.size
def get_unique_values(self) -> set:
"""Return the unique values of the linked list.
Returns:
set: The unique values in the linked list.
"""
values = set()
node = self.head
while node:
if node.value not in values:
values.add(node.value)
node = node.next
return values
def intersection(list1: LinkedList, list2: LinkedList) -> LinkedList:
"""Generates a new Linked List that is the intersection of the two input Linked lists.
Note: Duplicates in the input lists are ignores and order is not maintained so:
[1, 1, 2, 3, 3] intersection [2, 2, 2, 3] = [2, 3] or [3, 2]
Args:
list1 (LinkedList): The first linked list to process.
list2 (LinkedList): The second linked list to process.
Returns:
LinkedList: The union of the two input linked lists.
"""
unique_values1 = list1.get_unique_values()
unique_values2 = list2.get_unique_values()
new_list = LinkedList()
for v in [v for v in unique_values1 if v in unique_values2]:
new_list.append(v)
return new_list
def union(list1: LinkedList, list2: LinkedList) -> LinkedList:
"""Generates a new Linked List that is the union of the two input Linked lists.
Note: Duplicates in the input lists are ignores and order is not maintained so:
[1, 1, 1] union [2, 2, 2] = [1, 2] or [2, 1]
Args:
list1 (LinkedList): The first linked list to process.
list2 (LinkedList): The second linked list to process.
Returns:
LinkedList: The union of the two input linked lists.
"""
new_list = LinkedList()
unique_values1 = list1.get_unique_values()
for v in unique_values1:
new_list.append(v)
for v in [v for v in list2.get_unique_values() if v not in unique_values1]:
new_list.append(v)
return new_list
def given_tests():
test = 0
for element_1, element_2 in [([3, 2, 4, 35, 6, 65, 6, 4, 3, 21], [6, 32, 4, 9, 6, 1, 11, 21, 1]),
([3, 2, 4, 35, 6, 65, 6, 4, 3, 23], [1, 7, 8, 9, 11, 21, 1])]:
test += 1
print(f"\nGiven test {test}")
linked_list_1 = LinkedList()
for i in element_1:
linked_list_1.append(i)
linked_list_2 = LinkedList()
for i in element_2:
linked_list_2.append(i)
print(f"List 1: {linked_list_1}")
print(f"List 2: {linked_list_2}")
# Check the union function
actual = union(linked_list_1, linked_list_2)
expected = set(element_1).union(element_2)
print(f"\nUnion: {actual}")
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} union correct, expected and actual values are the same.\n")
else:
print(f"Error test {test}: errors = {errors}.\n")
# Check the intersection function
actual = intersection(linked_list_1, linked_list_2)
expected = set(element_1).intersection(element_2)
print(f"Intersection: {actual}")
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} intersection, expected and actual values are the same.\n")
else:
print(f"Error test {test}: errors = {errors}.\n")
# noinspection PyBroadException
def user_tests():
"""Runs the user tests."""
# Set some testing constants
n_errors = 0
# Test invalid arguments
print("\nUser test set 1 - Invalid arguments.")
test = 0
linked_list1 = LinkedList()
elements1 = [2, "s", "3"]
for v in elements1:
linked_list1.append(v)
# Verify the baseline test works
test += 1
actual = union(list1=linked_list1, list2=linked_list1)
expected = set(elements1).union(elements1)
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} baseline union correct, expected and actual values are the same.")
else:
print(f"Error test {test}: errors = {errors}.")
n_errors += 1
test += 1
actual = intersection(list1=linked_list1, list2=linked_list1)
expected = set(elements1).intersection(elements1)
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} baseline intersection correct, expected and actual values are the same.")
else:
print(f"Error test {test}: errors = {errors}.")
n_errors += 1
# Try a bunch of bad arguments
for arg in [1, [], {}, None]:
test += 1
try:
# noinspection PyTypeChecker
union(list1=linked_list1, list2=arg)
except AttributeError:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected an AttributeError exception.")
n_errors += 1
test += 1
try:
# noinspection PyTypeChecker
union(list1=arg, list2=linked_list1)
except AttributeError:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected an AttributeError exception.")
n_errors += 1
test += 1
try:
# noinspection PyTypeChecker
intersection(list1=linked_list1, list2=arg)
except AttributeError:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected an AttributeError exception.")
n_errors += 1
test += 1
try:
# noinspection PyTypeChecker
intersection(list1=arg, list2=linked_list1)
except AttributeError:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected an AttributeError exception.")
n_errors += 1
# Test empty list
print("\nUser test set 2 - Empty linked lists.")
empty_list = LinkedList()
test = 1
actual = union(list1=linked_list1, list2=empty_list)
errors = set(elements1).symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected {elements1} empty union but got {errors}.")
n_errors += 1
test += 1
actual = union(list1=empty_list, list2=linked_list1)
errors = set(elements1).symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected {elements1} empty union but got {errors}.")
n_errors += 1
test += 1
actual = union(list1=empty_list, list2=empty_list)
if len(actual) == 0:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected empty union but got {actual}.")
n_errors += 1
test += 1
actual = intersection(list1=linked_list1, list2=empty_list)
if len(actual) == 0:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected empty union but got {actual}.")
n_errors += 1
test += 1
actual = intersection(list1=empty_list, list2=linked_list1)
if len(actual) == 0:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected empty union but got {actual}.")
n_errors += 1
test += 1
actual = intersection(list1=empty_list, list2=empty_list)
if len(actual) == 0:
print(f"Test {test} passed.")
else:
print(f"Error test {test}: expected empty union but got {actual}.")
n_errors += 1
# Test large list
print("\nUser test set 3 - Two million node list randomly sampled from [0, 10 million].")
n = 10**6
elements1 = [random.randint(0, 10*n) for _ in range(n)]
elements2 = [random.randint(0, 10*n) for _ in range(n)]
print(f"\tBuilding the two {n} node lists.")
start_time = time()
linked_list1 = LinkedList()
for v in elements1:
linked_list1.append(v)
linked_list2 = LinkedList()
for v in elements2:
linked_list2.append(v)
print(f"\tBuilding took {time() - start_time:.2f} seconds.")
print(f"\tCreating the union.")
test += 1
start_time = time()
actual = union(list1=linked_list1, list2=linked_list2)
union_time = time() - start_time
print(f"\tUnion took {union_time:.2f} seconds.")
expected = set(elements1).union(elements2)
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} union passed, expected and actual values are the same.")
else:
print(f"Error test {test}: {len(errors)} errors.")
print(f"\tCreating the intersection.")
test += 1
start_time = time()
actual = intersection(list1=linked_list1, list2=linked_list2)
intersection_time = time() - start_time
print(f"\tIntersection took {intersection_time:.2f} seconds.")
expected = set(elements1).intersection(elements2)
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} intersection passed, expected and actual values are the same.")
else:
print(f"Error test {test}: {len(errors)} errors.")
# Test scalability
print("\nUser test set 4 - n = 10,000, to compare with previous n = million test.")
n = 10000
elements1 = [random.randint(0, 10*n) for _ in range(n)]
elements2 = [random.randint(0, 10*n) for _ in range(n)]
print(f"\tBuilding the two {n} node lists.")
start_time = time()
linked_list1 = LinkedList()
for v in elements1:
linked_list1.append(v)
linked_list2 = LinkedList()
for v in elements2:
linked_list2.append(v)
print(f"\tBuilding took {time() - start_time:.4f} seconds.")
print(f"\tCreating the union.")
test += 1
start_time = time()
actual = union(list1=linked_list1, list2=linked_list2)
union_time2 = time() - start_time
print(f"\tUnion took {union_time2:.2f} seconds, 100n took {union_time/union_time2:.1f} times longer.")
expected = set(elements1).union(elements2)
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} union passed, expected and actual values are the same.")
else:
print(f"Error test {test}: {len(errors)} errors.")
print(f"\tCreating the intersection.")
test += 1
start_time = time()
actual = intersection(list1=linked_list1, list2=linked_list2)
intersection_time2 = time() - start_time
r = intersection_time/intersection_time2
print(f"\tIntersection took {intersection_time2:.4f} seconds, 100n took {r:.1f} times longer.")
expected = set(elements1).intersection(elements2)
errors = expected.symmetric_difference(actual.get_unique_values())
if len(errors) == 0:
print(f"Test {test} intersection passed, expected and actual values are the same.")
else:
print(f"Error test {test}: {len(errors)} errors.")
print("\n*******************")
if n_errors > 0:
raise RuntimeError(f"BOO HOO, {n_errors} errors detected.\n")
else:
print("WOO HOO, No errors detected.\n")
# **********************************************************
if __name__ == '__main__':
given_tests()
user_tests()