3

我有一个清单:

    k = [1,2,3,4,5]

现在我希望将这个列表的 3 个排列列在另一个列表中,但是当我这样做时:

    x = []
    i = 0
    while i < 3:
        random.shuffle(k)
        x.append(k)
        i += 1

我最终得到了 x 中 k 的 3 倍相同排列,如下所示:

    x = [[1,3,5,2,4], [1,3,5,2,4], [1,3,5,2,4]]

而不是我想要的,是这样的:

    x = [[1,5,4,2,3], [1,3,5,2,4], [5,3,4,1,2]]

请注意,由于收集 k 中的数据以将 k 放入循环中的方式,这是不可能的,因为我知道这可以解决问题。真正的代码是这样的:

    def create_random_chromosomes(genes):
        temp_chromosomes = []
        chromosomes = []
        i = 0
        while i < 2000:
            print(genes)
            random.shuffle(genes)
            temp_chromosomes.append(genes)
            i += 1
        print(temp_chromosomes)
        for element in temp_chromosomes:
            if element not in chromosomes:
                chromosomes.append(element)
        return chromosomes
4

1 回答 1

8

打乱列表会在原地更改它,并且您正在创建对同一列表的 3 个引用。在改组之前创建列表的副本:

x = []
for i in range(3):
    kcopy = k[:]
    random.shuffle(kcopy)
    x.append(kcopy)

我也简化了你的循环;只需使用for i in range(3). 或者,将其放在您的完整方法的上下文中:

def create_random_chromosomes(genes):
    temp_chromosomes = []
    chromosomes = []
    for i in range(2000):
        print(genes)
        randomgenes = genes[:]
        random.shuffle(randomgenes)
        temp_chromosomes.append(randomgenes)
    print(temp_chromosomes)
    for element in temp_chromosomes:
        if element not in chromosomes:
            chromosomes.append(element)
    return chromosomes

set您可以通过使用 a清除欺骗来进一步简化上述操作:

def create_random_chromosomes(genes):
    chromosomes = set()
    randomgenes = genes[:]
    for i in range(2000):
        random.shuffle(randomgenes)
        chromosomes.add(tuple(randomgenes))
    return list(chromosomes)

This uses a tuple copy of the random genes list to fit the hashable constraint of set contents.

You can then even ensure that you return 2000 unique items regardless:

def create_random_chromosomes(genes):
    chromosomes = set()
    randomgenes = genes[:]
    while len(chromosomes) < 2000:
        random.shuffle(randomgenes)
        chromosomes.add(tuple(randomgenes))
    return list(chromosomes)
于 2012-07-01T14:14:32.360 回答