我正在阅读Python Tutorial中的字典,并遇到了以下情况“
- 我们说,存在一个列表:
['x','y','z',.....]
- 我希望为上面列表中的每个元素生成一个随机数据流,即我想要一个
dictionary
,如:{'x':[0,0,70,100,...] , 'y':[0,20,...] , ...}
- 我希望执行此任务
dynamically
,即使用loop
- 目前我可以
statically
hard-coding
,P.S. This is not a homework question
,但这不会带我到任何地方
有人可以帮助我吗?
{{1}}
答案 0 :(得分:1)
您可以使用random
和列表理解:
>>> import random
>>> l=['x','y','z']
>>> r_list_length=[4,10,7]
>>> z=zip(r_list_length,l)
>>> {j:[random.randint(0,100) for r in xrange(i)] for i,j in z}
{'y': [39, 36, 5, 86, 28, 96, 74, 46, 100, 100], 'x': [71, 63, 38, 11], 'z': [8, 100, 24, 98, 88, 41, 4]}
random.randint(0,100)
的范围是可选的,您可以更改它!
答案 1 :(得分:1)
import random # To generate your random numbers
LOW = 0 # Lowest random number
HIGH = 100 # Highest random number
NUM_RANDS = 5 # Number of random numbers to generate for each case
l = ['x', 'y', 'z'] # Your pre-existing list
d = {} # An empty dictionary
for i in l: # For each item in the list
# Make a dictionary entry with a list of random numbers
d[i] = [random.randint(LOW, HIGH) for j in range(NUM_RANDS)]
print d # Here is your dictionary
如果混淆,您可以将行d[i] = [random...
替换为:
# Create a list of NUM_RANDS random numbers
tmp = []
for j in range(NUM_RANDS):
tmp.append(random.randint(LOW,HIGH))
# Assign that list to the current dictionary entry (e.g. 'x')
d[i] = tmp
答案 2 :(得分:1)
这取决于您是否希望使用for .. in
循环访问每个密钥或无限密钥的随机值的有限列表。
对于有限列表的情况,给定的答案很好。
对于"无限"每个键的列表,它并不存在(除非你有无限的内存......),你应该为每个键创建一个生成器,而不是list
。
Google python generator,您将获得所有必要的文档,以帮助您入门。