造成错误基于Python的quickselect实施(Python based quickselec

2019-11-01 12:13发布

我有一个实现讨论的quickselect小Python代码在这里 。

import random
def Quickselect(A, k):
    if not A:
        return
    pivot = random.choice(A)

    i = 0
    A1 = []
    A2 = [] # Two new arrays A1, A2 to store the split lists
    for i in range(len(A)):
        if A[i] < pivot :
            A1.append(A[i])
        else:
            A2.append(A[i])

    if k < len(A1):
        return Quickselect(A1, k)
    if k > len(A) - len(A2):
        return Quickselect(A2, k-(len(A) - len(A2)))
    else:
        return pivot
pass
def main():
    A = [45,1,27,56,12,56,88]
    print(Quickselect(A,2))
pass

我似乎得到一个randrange错误。 是什么不对劲?

编辑:实现random.choice代替random.randint 。 上面的代码似乎很好地工作。 由于用户搅拌机。

Answer 1:

是因为你的错误randrange休息时,范围为空(即randrange(1, 1)

使用random.choice代替和改变k <= len(A1)k < len(A1)

def quick_select(A, k):
    pivot = random.choice(A)

    A1 = []
    A2 = []

    for i in A:
        if i < pivot:
            A1.append(i)
        elif i > pivot:
            A2.append(i)
        else:
            pass  # Do nothing

    if k <= len(A1):
        return Quickselect(A1, k)
    elif k > len(A) - len(A2):
        return Quickselect(A2, k - (len(A) - len(A2)))
    else:
        return pivot


文章来源: Python based quickselect Implementation resulting in error