python带权重的列表中随机取值

1 random.choice

python random模块的choice方法随机选择某个元素

foo = ['a', 'b', 'c', 'd', 'e']
from random import choice
print choice(foo)

2 random.sample

使用python random模块的sample函数从列表中随机选择一组元素

list = [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]  
slice = random.sample(list, 5)  #从list中随机获取5个元素,作为一个片断返回  
print slice  
print list #原有序列并没有改变。

3 python带权重的随机取值

import random
def random_weight(weight_data):
    total = sum(weight_data.values())    # 权重求和
    ra = random.uniform(0, total)   # 在0与权重和之前获取一个随机数 
    curr_sum = 0
    ret = None
    keys = weight_data.iterkeys()    # 使用Python2.x中的iterkeys
#     keys = weight_data.keys()        # 使用Python3.x中的keys
    for k in keys:
        curr_sum += weight_data[k]             # 在遍历中,累加当前权重值
        if ra <= curr_sum:          # 当随机数<=当前权重和时,返回权重key
            ret = k
            break
    return ret
weight_data = {'a': 10, 'b': 15, 'c': 50}
random_weight(weight_data)

参考链接:http://www.mamicode.com/info-detail-1368559.html




猜你喜欢

转载自blog.csdn.net/u012063773/article/details/79470009