Python/InsertionSort.py
Tony Sappe 37ddd2c8d0 Changed QuickSort.py
Converted all indentations to spaces (different files had spaces or tabs)
2016-07-29 15:32:18 -04:00

33 lines
802 B
Python

def simple_insertion_sort(int_list):
count = len(int_list)
for i in range(1, count):
temp = int_list[i]
j = i - 1
while(j >= 0 and temp < int_list[j]):
int_list[j + 1] = int_list[j]
j -= 1
int_list[j + 1] = temp
return int_list
def main():
try:
print("Enter numbers separated by spaces:")
s = raw_input()
inputs = list(map(int, s.split(' ')))
if len(inputs) < 2:
print('No Enough values to sort!')
raise Exception
except Exception as e:
print(e)
else:
sorted_input = simple_insertion_sort(inputs)
print('\nSorted list (min to max): {}'.format(sorted_input))
if __name__ == '__main__':
print('==== Insertion Sort ====\n')
main()