-
Notifications
You must be signed in to change notification settings - Fork 4
Expand file tree
/
Copy pathsorting.py
More file actions
executable file
·567 lines (463 loc) · 21.7 KB
/
sorting.py
File metadata and controls
executable file
·567 lines (463 loc) · 21.7 KB
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
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
#!/usr/bin/env python3
"""sorting.py here.
At https://github.com/wilsonmar/python-samples/blob/main/sorting.py
This program sorts a list of numbers using several algorithms
(bubble sort, merge sort, quicksort),
implementing https://www.youtube.com/watch?v=D6xkbGLQesk "Intro to BigO".
STATUS: Working on macOS.
git commit -m "v019 setrecursionlimit :sorting.py"
from https://www.cuantum.tech/app/section/41-divide-and-conquer-algorithms-ecd63b96c8dc4f919456d4a54ea43fb7
See https://aistudio.google.com/app/prompts/time-complexity?_gl=1*9jhuuq*_ga*NTY0MTM5MjUwLjE3MzY5OTM0Mjg.*_ga_P1DBVKWT6V*MTczNjk5MzQyOC4xLjEuMTczNjk5Mzc0NC4yNC4wLjEwMTQ2Njk0NzI.
# Before running this program:
1. In Terminal:
# INSTEAD OF: uv or conda install -c conda-forge ...
python3 -m venv venv
source venv/bin/activate
2. Scan Python program using flake8, etc.
3. Edit the program to define run parameters.
4. # USAGE: Run this program:
chmod +x sorting.py
./sorting.py
5. Within VSCode install Ruff (from Astral Software), written in Rust
to lint Python code.
Ruff replaces Flake8, Pylint, Xenon, Radon, Black, isort, pyupgrade, etc.
# TODO: SECTION 1 - Set Utilities, parameters, secrets in .env file
# TODO: Capture memory to calculate usage for measuring space complexity.
"""
__last_change__ = "25-09-11 v026 + rm timsort :sorting.py"
# Internal imports (no pip/uv add needed):
import argparse
from datetime import datetime, timezone
import random
import time # for timed_func()
import timeit
#from timeit import default_timer as timer
# To keep Python from crashing with deep recursion, update the default recursion depth limit:
import sys
sys.setrecursionlimit(10000)
try:
import matplotlib as mpl
import matplotlib.pyplot as plt
import numpy as np
import pandas as pd
import seaborn as sns
import threading
except Exception as e:
print(f"Python module import failed: {e}")
print("Please activate your virtual environment:\n python3 -m venv venv\n source venv/bin/activate")
exit(9)
def timed_func(func_to_time):
"""Time function."""
def timed(*args, **kwargs):
start = time.perf_counter()
res = func_to_time(*args, **kwargs)
print(time.perf_counter() - start)
return res
return timed
def bubble_sort(array):
"""Use Bubble Sort algorithm has a time complexity of O(n^2).
In the worst and average cases,
and O(n) in the best case (already sorted list).
This is because it iterates through the list multiple times,
comparing and swapping adjacent elements.
The nested loops lead to the quadratic time complexity.
"""
# Create a copy of the list to avoid modifying the original:
sorted_list = array.copy()
n = len(sorted_list)
# Iterate through the list n-1 times:
for i in range(n-1):
# Flag to track if any swaps were made in a pass:
swapped = False
# Iterate through the unsorted portion of the list:
for j in range(n-i-1):
# Compare adjacent elements and swap if necessary:
if sorted_list[j] > sorted_list[j+1]:
sorted_list[j], sorted_list[j+1] = sorted_list[j+1], sorted_list[j]
swapped = True
# If no swaps were made, the list is already sorted:
if not swapped:
break
return sorted_list
def quicksort(array):
"""Quicksort has worst-case runtime complexity of O(n^2).
But otherwise best/average case time & space complexity of O(n log n).
But it is not considered "stable" as other sorting algorithms.
Args: list_to_sort: A list of numbers to be sorted.
Returns a new list with the numbers sorted in ascending order.
"""
# A copy of the list is not needed because swaps use indexes:
if len(array) < 2:
return array
else:
pivot = array[0]
less = [i for i in array[1:] if i <= pivot]
greater = [i for i in array[1:] if i > pivot]
# WARNING: Function calls itself (is recursive):
array = quicksort(less) + [pivot] + quicksort(greater)
return array
def insertion_sort(items, left=0, right=None):
"""Use a slightly more efficient than Bubble sort.
working on a slice of a list rather than the full list.
# O(n^2) in worst case as it's less efficient on large lists than quicksort, or merge sort.
# @author Liam Pulsifer at RealPython
"""
if right is None: # If None, we want to sort the full list
right = len(items) - 1
for i in range(left + 1, right + 1): # If right is len(items) - 1, this sorts the full list.
current_item = items[i]
j = i - 1 # Chose the element right before the current element
while (j >= left and current_item < items[j]): # Break when the current el is in the right place
items[j + 1] = items[j] # Moving this item up
j -= 1 # Traversing "leftwards" along the list
items[j + 1] = current_item # Insert current_item into its correct spot
return items
# @timed_func cannot be used because of recursive logic.
def merge_sort(list_to_sort):
"""Merge Sort using algorithm has a time complexity of O(n log n).
The list is split into sublists of size 1,
and then merged back together in a sorted order.
Args:
list_to_sort: A list of numbers to be sorted.
Returns a new list with the numbers sorted in ascending order.
"""
if len(list_to_sort) <= 1:
return list_to_sort
mid = len(list_to_sort) // 2
left_half = list_to_sort[:mid]
right_half = list_to_sort[mid:]
left_half = merge_sort(left_half)
right_half = merge_sort(right_half)
return merge(left_half, right_half)
def merge(left, right):
"""Merge."""
merged = []
i = j = 0
while i < len(left) and j < len(right):
if left[i] < right[j]:
merged.append(left[i])
i += 1
else:
merged.append(right[j])
j += 1
merged.extend(left[i:])
merged.extend(right[j:])
return merged
def multi_threaded_merge_sort(arr, num_threads=4):
"""Multi-thread merge sort."""
if num_threads <= 1:
return merge_sort(arr)
chunk_size = len(arr) // num_threads
if chunk_size == 0:
chunk_size = 1
sublists = [arr[i:i+chunk_size] for i in range(0, len(arr), chunk_size)]
if SHOW_RESULTS_CALCS:
print(f"len(arr)={len(arr)} // num_threads={num_threads} = chunk_size={chunk_size}")
threads = []
sorted_sublists = []
for sublist in sublists:
thread = threading.Thread(
target=lambda sl=sublist: sorted_sublists.append(merge_sort(sl))
)
thread.start()
threads.append(thread)
for thread in threads:
thread.join()
while len(sorted_sublists) > 1:
new_sublists = []
for i in range(0, len(sorted_sublists), 2):
if i+1 < len(sorted_sublists):
new_sublists.append(merge(sorted_sublists[i], sorted_sublists[i+1]))
else:
new_sublists.append(sorted_sublists[i])
sorted_sublists = new_sublists
return sorted_sublists[0] if sorted_sublists else []
def report_elap_time(cur_batch, task_in, elap_time ):
"""Assign vertical columns of human-reable numbers converted to microseconds/nanoseconds.
8 Bubble sort elap_time: 1390.2921 microseconds
8 Insertion sort elap_time: 832.5831 microseconds
8 Quicksort elap_time: 951.2911 microseconds
8 Merge sort elap_time: 178.7501 microseconds
"""
elap_time_ms = float(elap_time) * 1000000
if SHOW_RUNTIMES:
# NOTE: Microseconds (µs) are a millionth of a second.
unit_type_label = "microseconds"
# FEATURE: Display text a fixed number of characters to achieve vertical alignment:
# TODO: Print elap_time with leading spaces for a fixed vertical show:
print(f"{cur_batch} {task_in.ljust(14)} elap_time: {elap_time_ms:>8.4f} {unit_type_label}")
# Store in a matrix of a row for each run's x and y:
global results_x
global bubble_sort_results
global quicksort_results
global insertion_sort_results
global merge_sort_results
global timsort_results
global mtm_sort_results
if task_in == "Bubble sort":
bubble_sort_results.append(elap_time_ms)
elif task_in == "Quicksort":
quicksort_results.append(elap_time_ms)
elif task_in == "Insertion sort":
insertion_sort_results.append(elap_time_ms)
elif task_in == "Merge sort":
merge_sort_results.append(elap_time_ms)
elif task_in == "Timsort":
timsort_results.append(elap_time_ms)
elif task_in == "MTM sort":
mtm_sort_results.append(elap_time_ms)
else:
print(f"task_in \"{task_in}\" not found. Programming error.")
exit(9)
if SHOW_RESULTS_CALCS:
print(f"{task_in} => {task_in} => {elap_time_ms}")
def plot_multiple_lines(x1,bubble_sort_results, merge_sort_results, quicksort_results, mtm_sort_results):
"""Plot multiple lines.
See https://matplotlib.org/stable/tutorials/pyplot.html
and https://www.w3schools.com/python/matplotlib_line.asp
"""
# Generate data for 4 lines
plt.title(f"BigO Time Complexity by sorting.py on {RANDOMNESS} data")
plt.ylabel('y = Microseconds Run Time')
plt.xlabel(f"x = N elements (growing geometrically within {len(x1)} batches)")
# no marker='o':
plt.plot(x1, bubble_sort_results, label='Bubble sort')
plt.plot(x1, quicksort_results, label='Quicksort')
plt.plot(x1, insertion_sort_results, label='Insertion sort')
plt.plot(x1, merge_sort_results, label='Merge sort')
plt.plot(x1, mtm_sort_results, label='MTM sort')
#plt.plot(x1, timsort_results, label='Timsort')
# Calculate positions of floating text:
if SHOW_RUNTIMES_IN_FUNC:
print(f"x1={str(x1)}")
last_x1_index = len(x1) -1
last_x1 = int(x1[last_x1_index]) -20
if SHOW_RESULTS_CALCS:
print(f"last_x1_index = {last_x1_index}")
print(f"last_x1 = {last_x1}")
last_bubble_sort_index = len(bubble_sort_results) -1
last_bubble_sort_y = int(bubble_sort_results[last_bubble_sort_index]) +0.5
if SHOW_RESULTS_CALCS:
print(f"last_bubble_sort_index = {last_bubble_sort_index}")
print(f"last_bubble_sort_y = {last_bubble_sort_y}")
plt.text(last_x1, last_bubble_sort_y, "Bubble sort O(n)", fontsize=12, ha='center', va='center',
bbox=dict(facecolor='white', edgecolor='white', alpha=0.7))
# At upper-left corner:
current_date = datetime.now()
run_date = current_date.strftime("%Y-%m-%d %H:%M:%S")
plt.text(50, last_bubble_sort_y, run_date, fontsize=12, ha='center', va='center',
bbox=dict(facecolor='white', edgecolor='white', alpha=0.7))
last_quicksort_index = len(quicksort_results) -1
last_quicksort_y = int(quicksort_results[last_quicksort_index] * 0.5)
if SHOW_RESULTS_CALCS:
print(f"last_quicksort_index = {last_quicksort_index}")
print(f"last_quicksort_y = {last_quicksort_y}")
plt.text(last_x1, last_quicksort_y, "Quicksort O(logN)", fontsize=12, ha='center', va='center',
bbox=dict(facecolor='white', edgecolor='white', alpha=0.7))
last_insertion_sort_index = len(insertion_sort_results) -1
last_insertion_sort_y = int(insertion_sort_results[last_insertion_sort_index] * 1.1)
if SHOW_RESULTS_CALCS:
print(f"last_insertion_sort_index = {last_insertion_sort_index}")
print(f"last_insertion_sort_y = {last_insertion_sort_y}")
plt.text(last_x1, last_insertion_sort_y, "Insertion sort", fontsize=12, ha='center', va='center',
bbox=dict(facecolor='white', edgecolor='white', alpha=0.7))
last_merge_sort_index = len(merge_sort_results) -1
last_merge_sort_y = int(merge_sort_results[last_merge_sort_index] * 1.2)
if SHOW_RESULTS_CALCS:
print(f"last_merge_sort_index = {last_merge_sort_index}")
print(f"last_merge_sort_y = {last_merge_sort_y}")
plt.text(last_x1, last_merge_sort_y, "Merge sort O(logN)", fontsize=12, ha='center', va='center',
bbox=dict(facecolor='white', edgecolor='white', alpha=0.7))
last_mtm_sort_index = len(mtm_sort_results) -1
last_mtm_sort_y = int(mtm_sort_results[last_mtm_sort_index] * 1.2)
if SHOW_RESULTS_CALCS:
print(f"last_mtm_sort_index = {last_mtm_sort_index}")
print(f"last_mtm_sort_y = {last_mtm_sort_y}")
plt.text(last_x1, last_mtm_sort_y, "MTM sort O(?logN)", fontsize=12, ha='center', va='center',
bbox=dict(facecolor='white', edgecolor='white', alpha=0.7))
# TODO: At lower-right corner: timsort()
# TODO: mtm_sort
# Adjust the layout to make room for the footer:
# plt.tight_layout()
# plt.legend()
#plt.plot(y2, marker = '*')
# Display the plot
plt.show()
#def plot_joint_seaborn(results_x, bubble_sort_results, merge_sort_results, quicksort_results, mtm_sort_results):
def plot_joint_seaborn(x2, bubble_sort_results, merge_sort_results, quicksort_results, mtm_sort_results):
"""Annotate text in a dynamic way overlaps text hence used Legend in the figure.
See https://seaborn.pydata.org/tutorial/relational.html#relational-tutorial
"""
column_names = [x2,bubble_sort_results, merge_sort_results, quicksort_results, mtm_sort_results]
dataframe = pd.DataFrame(column_names)
#transposed the dataset for plotting x -axis correctly
dataframet=dataframe.T
sns.set_theme(style='darkgrid')
plt.title(f"BigO Time Complexity by sorting.py on {RANDOMNESS} data")
plt.ylabel('y = Microseconds Run Time')
plt.xlabel(f"x = N elements (growing geometrically within {len(x2)} batches)")
# no marker='o':
plt.plot(x2, bubble_sort_results, label='Bubble sort')
plt.plot(x2, quicksort_results, label='Quicksort')
plt.plot(x2, insertion_sort_results, label='Insertion sort')
plt.plot(x2, merge_sort_results, label='Merge sort')
plt.plot(x2, mtm_sort_results, label='MTM sort')
# Calculate positions of floating text:
if SHOW_RUNTIMES_IN_FUNC:
print(f"x={str(x2)}")
last_x2_index = len(x2) -1
last_x2 = int(x2[last_x2_index]) -20
if SHOW_RESULTS_CALCS:
print(f"last_x2_index = {last_x2_index}")
print(f"last_x2 = {last_x2}")
last_bubble_sort_index = len(bubble_sort_results) -1
last_bubble_sort_y = int(bubble_sort_results[last_bubble_sort_index]) +0.5
if SHOW_RESULTS_CALCS:
print(f"last_bubble_sort_index = {last_bubble_sort_index}")
print(f"last_bubble_sort_y = {last_bubble_sort_y}")
#plt.annotate("Bubble sort O(n^2))",xy=(last_x2, last_bubble_sort_y),xytext=(last_x2, last_bubble_sort_y),va='center', ha='center')
# At upper-left corner: Image captured at:
# https://res.cloudinary.com/dcajqrroq/image/upload/v1757602240/sorting-587x456_kdocdc.png
now_utc = datetime.now(timezone.utc)
run_date = now_utc.strftime('%Y-%m-%dT%H:%M:%SZ')
plt.text(50, last_bubble_sort_y, run_date, fontsize=12, va='bottom',ha='left',
bbox=dict(facecolor='None', edgecolor='None', alpha=0.7))
last_quicksort_index = len(quicksort_results) -1
last_quicksort_y = int(quicksort_results[last_quicksort_index] * 0.5)
if SHOW_RESULTS_CALCS:
print(f"last_quicksort_index = {last_quicksort_index}")
print(f"last_quicksort_y = {last_quicksort_y}")
#plt.annotate("Quicksort O(logN))",xy=(last_x2, last_quicksort_y),xytext=(last_x2, last_quicksort_y),va='center', ha='center')
last_insertion_sort_index = len(insertion_sort_results) -1
last_insertion_sort_y = int(insertion_sort_results[last_insertion_sort_index] * 1.1)
if SHOW_RESULTS_CALCS:
print(f"last_insertion_sort_index = {last_insertion_sort_index}")
print(f"last_insertion_sort_y = {last_insertion_sort_y}")
#plt.annotate("Insertion sort O(n)",xy=(last_x2, last_insertion_sort_y),xytext=(last_x2, last_insertion_sort_y),va='center', ha='center')
last_merge_sort_index = len(merge_sort_results) -1
last_merge_sort_y = int(merge_sort_results[last_merge_sort_index] * 1.2)
if SHOW_RESULTS_CALCS:
print(f"last_merge_sort_index = {last_merge_sort_index}")
print(f"last_merge_sort_y = {last_merge_sort_y}")
#plt.annotate("Merge sort O(logN)",xy=(last_x2, last_merge_sort_y),xytext=(last_x2, last_merge_sort_y),va='center', ha='center')
last_mtm_sort_index = len(mtm_sort_results) -1
last_mtm_sort_y = int(mtm_sort_results[last_mtm_sort_index] * 1.2)
if SHOW_RESULTS_CALCS:
print(f"last_mtm_sort_index = {last_mtm_sort_index}")
print(f"last_mtm_sort_y = {last_mtm_sort_y}")
#plt.annotate("MTM sort O(?logN)",xy=(last_x2, last_mtm_sort_y),xytext=(last_x2, last_mtm_sort_y),va='center', ha='center')
#
ax=sns.lineplot(data=dataframet,x=last_x2_index,y=x2)
ax.yaxis.set_major_formatter(mpl.ticker.StrMethodFormatter('{x:,.0f}'))
#sns.lineplot(data=dataframet,x=last_x2_index,y=x2)
mpl.pyplot.show()
if __name__ == "__main__":
# TODO: SECTION 2 - A Results db is created to store runtimes for each complexity level invocation.
# Processing Preferences:
parser = argparse.ArgumentParser()
# USAGE: ./sorting.py -v -vv -b 8
parser.add_argument('-q', '--quiet', action='store_true', help="Don't show stats in Terminal") # on flag
parser.add_argument('-v', '--verbose', action='store_true', help="Increase output verbosity") # on flag
parser.add_argument('-vv', '--trace', action='store_true', help="Increase output trace") # on flag
parser.add_argument(
"-b", "--batches",
type=str,
nargs="+",
help="Batches"
)
args = parser.parse_args()
LIST_IS_RANDOM = True
SHOW_UNSORTED = False
SHOW_SORTED = False
SHOW_RUNTIMES_IN_FUNC = False
if args.trace:
SHOW_RESULTS_CALCS = True
else:
SHOW_RESULTS_CALCS = False
if args.verbose:
SHOW_ITERATION = True
SHOW_RUNTIMES = True # True or False
else:
SHOW_ITERATION = False
SHOW_RUNTIMES = False
SHOW_PLOTS = True
if args.quiet:
SHOW_RESULTS_CALCS = True # True or False
else:
SHOW_RESULTS_CALCS = False
# Array of numbers increasing geometrically in base 2: 1,2,4,8,16,32,64,128,256,512, etc.
array_elements_start = 2
if args.batches:
num_of_batches = int(' '.join(map(str, args.batches))) # convert list to string to integer.
else: # defaults:
num_of_batches = 8
batches_array = [array_elements_start * (2**i) for i in range(num_of_batches)]
if SHOW_UNSORTED:
print(f"{num_of_batches} batches={str(batches_array)}")
# TODO: Stop when maximum run time threshold is reached.
# Initialize results across batches:
results_x = []
bubble_sort_results = []
quicksort_results = []
insertion_sort_results = []
merge_sort_results = []
timsort_results =[]
mtm_sort_results =[]
cur_batch = 1
for index, num_elements in enumerate(batches_array):
list_strt_value = 1 # Desired start value of range
list_max_value = num_elements - list_strt_value + 2
if LIST_IS_RANDOM:
RANDOMNESS = "random"
my_list = [] # initialize list
for _ in range(num_elements):
another_number = random.randint(list_strt_value, list_max_value)
my_list.append(another_number)
else: # Construct sequential list:
RANDOMNESS = "sequential" # already sorted!
if list_strt_value == 0:
list_max_value -= 2
# import numpy as np # https://numpy.org/doc/stable/reference/generated/numpy.arange.html
my_list = np.arange(list_strt_value, list_max_value, 1 )
# TODO: Generate random numbers in Fibonocci seq.
if SHOW_UNSORTED:
print(f"{cur_batch} {RANDOMNESS} my_list={str(my_list)}")
list_element_count = len(my_list) # within array for sorting
results_x.append(list_element_count)
if SHOW_ITERATION:
print(f"Run batch {cur_batch} of {list_element_count} {RANDOMNESS} elements:")
# {list_max_value} containing " +
if SHOW_UNSORTED:
print("Unsorted list: "+str(my_list))
task_name = "Bubble sort"
strt_time = timeit.default_timer()
sorted_list = bubble_sort(my_list)
report_elap_time(cur_batch, task_name, timeit.default_timer() - strt_time)
if SHOW_SORTED:
print(" Sorted list: "+str(sorted_list) )
# Now on to "Divide and Conquer" sorting algorithms:
task_name = "Insertion sort"
strt_time = timeit.default_timer()
sorted_list = insertion_sort(my_list)
report_elap_time(cur_batch, task_name, timeit.default_timer() - strt_time)
task_name = "Quicksort"
strt_time = timeit.default_timer()
sorted_list = quicksort(my_list)
report_elap_time(cur_batch, task_name, timeit.default_timer() - strt_time)
task_name = "Merge sort"
strt_time = timeit.default_timer()
sorted_list = merge_sort(my_list)
report_elap_time(cur_batch, task_name, timeit.default_timer() - strt_time)
task_name = "MTM sort"
strt_time = timeit.default_timer()
sorted_list = multi_threaded_merge_sort(my_list, num_threads=4)
report_elap_time(cur_batch, task_name, timeit.default_timer() - strt_time)
# TODO: Add Selection sort, Counting sort, heapsort, etc.?
# TODO: Add run using NVIDIA GPU for multi-processing merge?
cur_batch += 1
print("")
if SHOW_PLOTS:
# Display results of runs to plot using Matplotlib or Seaborn.
x = np.array(batches_array)
#plot_multiple_lines(results_x, bubble_sort_results, merge_sort_results, quicksort_results, mtm_sort_results)
plot_joint_seaborn(results_x, bubble_sort_results, merge_sort_results, quicksort_results, mtm_sort_results)