所以我正在开发一个通过二分法搜索术语的程序。它是一个无限循环,我不知道为什么,但我知道在哪里(在elif / else)。所以这是我的代码:
def RechercheDichotomique(liste,x):# Algo pour recherche dichotomique
DebutListe=0
FinListe=len(liste)
while (FinListe-DebutListe)>1:# On ne cherche que si la liste a au moins un terme dedans
ElementCentral=int(len(liste[DebutListe:FinListe])/2)# On prend l'element central de la liste
liste[DebutListe:FinListe]
if liste[ElementCentral]==x:# Si l'element central est x correspondent on renvoie True
return (True)
elif liste[ElementCentral]<x:# Si l'element central est inferieur a x alors on prend la moitie superieure
DebutListe=ElementCentral
FinListe=len(liste)
else:# Sinon on prend la partie inferieure de la liste
DebutListe=0
FinListe=int((FinListe)/2)
if FinListe-DebutListe==1 and liste[ElementCentral]==x:# On verifie qu'il ne reste qu'un terme dans la liste et que le seul qui reste est bien x
return (True)
我知道有很多方法可以更轻松地完成它,但我需要保持List不受影响。 非常感谢你们!
答案 0 :(得分:0)
您的代码中有一行:
liste[DebutListe:FinListe]
不执行任何操作,因为结果未存储。如果您希望它能够工作,您需要重新分配:
liste = liste[DebutListe:FinListe]
这是二进制搜索的一种实现,它更严格地遵循Python的样式指南:
def binary_search(collection, x):
while collection:
center = len(collection) / 2
if collection[center] == x:
return True
elif collection[center] < x:
collection = collection[center + 1:]
else:
collection = collection[:center]
else:
return False