Select 列表中的随机变量 Python

Select random variables from list with limit Python

我需要为 3 个不同的对象生成唯一的随机列表,每个对象可以在每个列表中出现一次,每个代码的长度必须固定为 5。

import random 
#generate random codes
def generator(code, objects):
    

    for i in range(len(code)):
        x = random.choices(objects)
        code[i] = x[0]
        

#Check if code is unique
def isSame(code, list):
    if code not in list:
        return False
    else:
        return True

#If code is unique, append it to the codeList and increase counter by 1
codeCount = 0
def listAppend(code, list):
    if isSame(code,list) == True:
        print('This code is not unique')
    else:
        list.append(code)
        global codeCount
        codeCount += 1



if __name__ == '__main__':
    codeList = []
    desiredCount = 12
    
    while codeCount != desiredCount:
        code = [None]*5
        objects = ['a','b','c','d','e','f','g']
        
        generator(code, objects)
        listAppend(code,codeList)
   
    print(codeList)

这给了我随机的唯一列表,但是我想不出如何让每个对象在每个唯一列表中只出现一次。

例如['a'、'g'、'g'、'a'、'e'] ==> 'g' 和 'a' 在我的地方重复了两次需要它们只出现一次。像,['a'、'b'、'c'、'd'、'e']

谁能想到一个好的方法来做到这一点?谢谢!!


编辑: 每个代码的长度必须固定为 5。此外,我正在使用 random.choices 来使用其概率参数。

我的做法是:

from random import randrange as rr
Alphabet="abcdefghijklmnopqrstuvwxyz"
def generate(length):
    code=[]
    for _ in range(length):
         random_number=rr(0,len(Alphabet))
         if Alphabet[random_number]not in code:
             code.append(Alphabet[random_number])
    return code

这会从元组/列表/字符串中生成一个随机元素(在我的例子中是一串字母表)并检查该元素是否已经在代码中,如果没有则将其添加到代码中,代码的长度由一个参数决定。

这将从源中生成所有可能的 3 个唯一元素选择。

import itertools
list(itertools.combinations('abcdefg',3))

[('a', 'b', 'c'),
 ('a', 'b', 'd'),
 ('a', 'b', 'e'),
 ('a', 'b', 'f'),
 ('a', 'b', 'g'),
 ('a', 'c', 'd'),
 ('a', 'c', 'e'),
 ('a', 'c', 'f'),
 ...
 ('d', 'f', 'g'),
 ('e', 'f', 'g')]

对于尺寸 5,将是此列表

 list(itertools.combinations('abcdefg',5))

[('a', 'b', 'c', 'd', 'e'),
 ('a', 'b', 'c', 'd', 'f'),
 ('a', 'b', 'c', 'd', 'g'),
 ('a', 'b', 'c', 'e', 'f'),
 ('a', 'b', 'c', 'e', 'g'),
 ('a', 'b', 'c', 'f', 'g'),
 ('a', 'b', 'd', 'e', 'f'),
 ('a', 'b', 'd', 'e', 'g'),
 ('a', 'b', 'd', 'f', 'g'),
 ('a', 'b', 'e', 'f', 'g'),
 ('a', 'c', 'd', 'e', 'f'),
 ('a', 'c', 'd', 'e', 'g'),
 ('a', 'c', 'd', 'f', 'g'),
 ('a', 'c', 'e', 'f', 'g'),
 ('a', 'd', 'e', 'f', 'g'),
 ('b', 'c', 'd', 'e', 'f'),
 ('b', 'c', 'd', 'e', 'g'),
 ('b', 'c', 'd', 'f', 'g'),
 ('b', 'c', 'e', 'f', 'g'),
 ('b', 'd', 'e', 'f', 'g'),
 ('c', 'd', 'e', 'f', 'g')]

通过仅向函数生成器添加 object.remove() 行,我设法按照我想要的方式获得解决方案。

通过删除附加到代码列表的任何内容,可以消除重复使用。

#generate random codes
def generator(code, objects):
    

    for i in range(len(code)):
        x = random.choices(objects)
        code[i] = x[0]
        
        #new line
        objects.remove(x[0])