2023-07-31 18:50:00 +00:00
|
|
|
from typing import Any
|
|
|
|
|
|
|
|
|
|
|
|
def bubble_sort(collection: list[Any]) -> list[Any]:
|
2016-07-29 20:06:49 +00:00
|
|
|
"""Pure implementation of bubble sort algorithm in Python
|
|
|
|
|
|
|
|
:param collection: some mutable ordered collection with heterogeneous
|
|
|
|
comparable items inside
|
|
|
|
:return: the same collection ordered by ascending
|
|
|
|
|
|
|
|
Examples:
|
2019-10-19 20:12:54 +00:00
|
|
|
>>> bubble_sort([0, 5, 2, 3, 2])
|
2016-07-29 20:06:49 +00:00
|
|
|
[0, 2, 2, 3, 5]
|
2020-10-02 05:55:58 +00:00
|
|
|
>>> bubble_sort([0, 5, 2, 3, 2]) == sorted([0, 5, 2, 3, 2])
|
|
|
|
True
|
|
|
|
>>> bubble_sort([]) == sorted([])
|
|
|
|
True
|
|
|
|
>>> bubble_sort([-2, -45, -5]) == sorted([-2, -45, -5])
|
|
|
|
True
|
2019-08-19 13:37:49 +00:00
|
|
|
>>> bubble_sort([-23, 0, 6, -4, 34]) == sorted([-23, 0, 6, -4, 34])
|
|
|
|
True
|
2020-10-02 05:55:58 +00:00
|
|
|
>>> bubble_sort(['d', 'a', 'b', 'e', 'c']) == sorted(['d', 'a', 'b', 'e', 'c'])
|
|
|
|
True
|
|
|
|
>>> import random
|
|
|
|
>>> collection = random.sample(range(-50, 50), 100)
|
|
|
|
>>> bubble_sort(collection) == sorted(collection)
|
|
|
|
True
|
|
|
|
>>> import string
|
|
|
|
>>> collection = random.choices(string.ascii_letters + string.digits, k=100)
|
|
|
|
>>> bubble_sort(collection) == sorted(collection)
|
|
|
|
True
|
2016-07-29 20:06:49 +00:00
|
|
|
"""
|
|
|
|
length = len(collection)
|
2023-07-31 18:50:00 +00:00
|
|
|
for i in reversed(range(length)):
|
2018-06-23 15:01:06 +00:00
|
|
|
swapped = False
|
2023-07-31 18:50:00 +00:00
|
|
|
for j in range(i):
|
2019-10-05 05:14:13 +00:00
|
|
|
if collection[j] > collection[j + 1]:
|
2018-06-23 15:01:06 +00:00
|
|
|
swapped = True
|
2019-10-05 05:14:13 +00:00
|
|
|
collection[j], collection[j + 1] = collection[j + 1], collection[j]
|
2019-08-19 13:37:49 +00:00
|
|
|
if not swapped:
|
2019-10-22 17:13:48 +00:00
|
|
|
break # Stop iteration if the collection is sorted.
|
2016-07-29 20:06:49 +00:00
|
|
|
return collection
|
|
|
|
|
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
if __name__ == "__main__":
|
2020-10-02 05:55:58 +00:00
|
|
|
import doctest
|
2019-10-19 20:12:54 +00:00
|
|
|
import time
|
2019-10-22 17:13:48 +00:00
|
|
|
|
2020-10-02 05:55:58 +00:00
|
|
|
doctest.testmod()
|
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
user_input = input("Enter numbers separated by a comma:").strip()
|
|
|
|
unsorted = [int(item) for item in user_input.split(",")]
|
2019-10-19 20:12:54 +00:00
|
|
|
start = time.process_time()
|
2019-10-05 05:14:13 +00:00
|
|
|
print(*bubble_sort(unsorted), sep=",")
|
2022-10-30 10:43:41 +00:00
|
|
|
print(f"Processing time: {(time.process_time() - start)%1e9 + 7}")
|