1

我想生成 0-9 之间的随机整数(包括两端),但我想确保它不会经常连续生成相同的数字。我打算使用模块中的randint功能random。但我不确定它是否会派上用场。多久random.randint生成一次相同的数字?

4

5 回答 5

4

为什么不包装randint?

class MyRand(object):
    def __init__(self):
        self.last = None

    def __call__(self):
        r = random.randint(0, 9)
        while r == self.last:
            r = random.randint(0, 9)
        self.last = r
        return r

randint = MyRand()
x = randint()
y = randint()
...
于 2012-06-19T09:20:09.423 回答
3

Python 文档随机的地方,你可以假设它们的意思是一致随机的,除非另有说明(也就是说,所有可能的结果都具有相同的概率)。

为了在不生成连续数字的情况下生成数字,最简单的选择是制作自己的生成器:

def random_non_repeating(min, max=None):
    if not max:
        min, max = 0, min
    old = None
    while True:
        current = random.randint(min, max)
        if not old == current:
            old = current
            yield current
于 2012-06-19T09:13:33.920 回答
2

为避免重复,您可以使用这样的简单包装器(有关其工作原理的说明,请参见Fisher-Yates ):

def unique_random(choices):
    while True:
        r = random.randrange(len(choices) - 1) + 1
        choices[0], choices[r] = choices[r], choices[0]
        yield choices[0]

使用示例:

from itertools import islice
g = unique_random(range(10))
print list(islice(g, 100))
于 2012-06-19T09:29:18.870 回答
2

这很容易在没有 while 循环的情况下完成。

next_random_number = (previous_random_number + random.randint(1,9)) % 10
于 2012-06-19T17:43:35.773 回答
-1
list =[]
x=0
for i in range(0,10):
    while x in list:
        x=random.randint(500,1000)
    list.append(x)
print sorted(list, key=int)
于 2015-12-20T09:00:34.517 回答