web-dev-qa-db-ja.com

Pythonのリストから「x」個の一意の数字を選択するにはどうすればよいですか?

リストから「x」個の非反復乱数を選択する必要があります。例えば:

all_data = [1, 2, 2, 3, 4, 5, 6, 7, 8, 8, 9, 10, 11, 11, 12, 13, 14, 15, 15]

[2, 11, 15]ではなく[3, 8, 8]などのリストを選択するにはどうすればよいですか?

41
George

それがまさに random.sample() が行うことです。

>>> random.sample(range(1, 16), 3)
[11, 10, 2]

Edit:これはあなたが尋ねたものではないことはほぼ確実ですが、このコメントを含めるようにプッシュされました:サンプルを取得したい母集団が重複が含まれている場合は、まずそれらを削除する必要があります。

population = [1, 2, 3, 4, 5, 6, 5, 4, 3, 2, 1]
population = set(population)
samples = random.sample(population, 3)
68
Sven Marnach

このようなもの:

all_data = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]
from random import shuffle
shuffle(all_data)
res = all_data[:3]# or any other number of items

または:

from random import sample
number_of_items = 4
sample(all_data, number_of_items)

All_dataに重複エントリが含まれる可能性がある場合は、コードを変更して重複を最初に削除してから、shuffleまたはsampleを使用します。

all_data = list(set(all_data))
shuffle(all_data)
res = all_data[:3]# or any other number of items
4

他のユーザーは、random.sample。これは有効な提案ですが、誰もが無視している微妙な点が1つあります。

母集団に繰り返しが含まれる場合、各出現はサンプル内の可能な選択です。

したがって、値の繰り返しを避けるために、リストをセットに変換する必要があります。

import random
L = [1,2,3,4,5,6,7,8,9,10,11,12,13,14,15]
random.sample(set(L), x) # where x is the number of samples that you want
4
inspectorG4dget

もちろん、すべてのソリューションでは、元のリストに少なくとも3つの一意の値があることを確認する必要があります。

all_data = [1,2,2,3,4,5,6,7,8,8,9,10,11,11,12,13,14,15,15]
choices = []
while len(choices) < 3:
    selection = random.choice(all_data)
    if selection not in choices:
        choices.append(selection)
print choices 
1
Joe

itertools.combinationsrandom.shuffleを使用して、ランダムな選択肢のリストを生成することもできます。

all_data = [1,2,2,3,4,5,6,7,8,8,9,10,11,11,12,13,14,15,15]

# Remove duplicates
unique_data = set(all_data)

# Generate a list of combinations of three elements
list_of_three = list(itertools.combinations(unique_data, 3))

# Shuffle the list of combinations of three elements
random.shuffle(list_of_three)

出力:

[(2, 5, 15), (11, 13, 15), (3, 10, 15), (1, 6, 9), (1, 7, 8), ...]
1
riza
import random
fruits_in_store = ['Apple','mango','orange','pineapple','fig','grapes','guava','litchi','almond'] 
print('items available in store :')
print(fruits_in_store)
my_cart = []
for i in range(4):
    #selecting a random index
    temp = int(random.random()*len(fruits_in_store))
    # adding element at random index to new list
    my_cart.append(fruits_in_store[temp])
    # removing the add element from original list
    fruits_in_store.pop(temp)  
print('items successfully added to cart:')
print(my_cart)

出力:

items available in store :
['Apple', 'mango', 'orange', 'pineapple', 'fig', 'grapes', 'guava', 'litchi', 'almond']
items successfully added to cart:
['orange', 'pineapple', 'mango', 'almond']
0