用Python2.x编写程序生成1000个0~100的随机整数,并统计每个元素的出现次数。
时间: 2024-09-26 14:05:57 浏览: 30
Python一个随机生成四则运算题目的小程序
5星 · 资源好评率100%
在Python 2.x中,你可以使用`random`模块来生成随机整数,然后使用`collections`模块中的`Counter`类来统计每个元素的出现次数。下面是一个简单的示例:
```python
import random
from collections import Counter
# 生成1000个0到100的随机整数
numbers = [random.randint(0, 100) for _ in range(1000)]
# 使用Counter计算每个数字的出现次数
count_dict = Counter(numbers)
# 输出结果
for number, count in count_dict.items():
print("数字 {} 出现了 {} 次".format(number, count))
# 或者直接获取每个数字及其计数值
most_common_numbers = count_dict.most_common()
# 打印最常见的前几个数字及其频率
print("\n最常见的{}个数字:".format(min(10, len(count_dict))))
for num, freq in most_common_numbers[:10]:
print("数字 {}: 频率 {}".format(num, freq))
```
在这个例子中,我们首先生成了一个包含1000个0到100之间随机整数的列表,然后用`Counter`创建了一个字典,其中键是数字,值是该数字在列表中出现的次数。最后,我们展示了出现次数最多的前几个数字。
阅读全文