How to generate a random list of fixed length of values from given range?

73,014

Solution 1

A random sample like this returns list of unique items of sequence. Don't confuse this with random integers in the range.

>>> import random
>>> random.sample(range(30), 4)
[3, 1, 21, 19]

Solution 2

A combination of random.randrange and list comprehension would work.

import random
[random.randrange(1, 10) for _ in range(0, 4)]

Solution 3

import random


def simplest(list_length):
    core_items = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
    random.shuffle(core_items)
    return core_items[0:list_length]

def full_random(list_length):
    core_items = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
    result = []
    for i in range(list_length):
        result.append(random.choice(core_items))
    return result
Share:
73,014
user63503
Author by

user63503

Updated on January 07, 2022

Comments

  • user63503
    user63503 over 2 years

    How to generate a random (but unique and sorted) list of a fixed given length out of numbers of a given range in Python?

    Something like that:

    >>> list_length = 4
    >>> values_range = [1, 30]
    >>> random_list(list_length, values_range)
    
    [1, 6, 17, 29]
    
    >>> random_list(list_length, values_range)
    
    [5, 6, 22, 24]
    
    >>> random_list(3, [0, 11])
    
    [0, 7, 10]