Fala pessoal, tudo bom?
Nos vídeos abaixo, vamos aprender como implementar alguns dos algoritmos de ordenação usando Python.
Bubble Sort
Como o algoritmo funciona: Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=Doy64STkwlI.
Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=B0DFF0fE4rk.
Código do algoritmo
def sort(array):
for final in range(len(array), 0, -1):
exchanging = False
for current in range(0, final - 1):
if array[current] > array[current + 1]:
array[current + 1], array[current] = array[current], array[current + 1]
exchanging = True
if not exchanging:
break
Selection Sort
Como o algoritmo funciona: Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=vHxtP9BC-AA.
Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=0ORfCwwhF_I.
Código do algoritmo
def sort(array):
for index in range(0, len(array)):
min_index = index
for right in range(index + 1, len(array)):
if array[right] < array[min_index]:
min_index = right
array[index], array[min_index] = array[min_index], array[index]
Insertion Sort
Como o algoritmo funciona: Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=O_E-Lj5HuRU.
Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=Sy_Z1pqMgko.
Código do algoritmo
def sort(array):
for p in range(0, len(array)):
current_element = array[p]
while p > 0 and array[p - 1] > current_element:
array[p] = array[p - 1]
p -= 1
array[p] = current_element
Merge Sort
Como o algoritmo funciona: Como implementar o algoritmo usando Python: https://www.youtube.com/watch?v=Lnww0ibU0XM.
Como implementar o algoritmo usando Python - Parte I: https://www.youtube.com/watch?v=cXJHETlYyVk.
Código do algoritmo
def sort(array):
sort_half(array, 0, len(array) - 1)
def sort_half(array, start, end):
if start >= end:
return
middle = (start + end) // 2
sort_half(array, start, middle)
sort_half(array, middle + 1, end)
merge(array, start, end)
def merge(array, start, end):
array[start: end + 1] = sorted(array[start: end + 1])
"Algoritmos de Ordenação" de "Lucas Magnum" está licenciado com uma Licença Creative Commons - Atribuição-NãoComercial-SemDerivações 4.0 Internacional.