猴子排序是一种什么样子的排序呢?
猴子代表乱的意思,猴子排序的意思就是乱排序,直到有序为止。
这个真实的含义就是把一个无序的数组进行乱排序,然后看其是否会有序,这是个概率性事件,有可能一次之后就有序了,也有可能很多次后依然无序。
实现方法如下:
1,定义数组
2,数组随机
3,检验数组是否有序,无序继续,有序了就停止
就是如此简单的实现思路,但是却要用到随机化的知识和标志变量的实现技巧
import random
def bogo_sort(collection):
def isSorted(collection):
if len(collection) < 2:
return True
for i in range(len(collection) - 1):
if collection[i] > collection[i + 1]:
return False
return True
while not isSorted(collection):
random.shuffle(collection)
return collection
if __name__ == "__main__":
user_input = input("Enter numbers separated by a comma:\n").strip()
unsorted = [int(item) for item in user_input.split(",")]
print(bogo_sort(unsorted))