如何绘制每个元素在列表中的次数

时间:2013-12-18 18:02:19

标签: python matplotlib

我正在努力做一些我认为不会很难的事情,但我无法弄清楚如何让python / matplotlib / pylab去做。

给定一个输入,我想要一个直方图,显示每个元素出现的次数。

给出一个清单

x=range(10)

我想输出有一个条形,y值为10,等于x = 1,没有其他图形。

给出一个清单

x=range(10)
x.append(1)

我希望输出有两个条形,x = 1时y值为9,x = 2时y值为1。我怎么能这样做?

4 个答案:

答案 0 :(得分:11)

此代码为您提供了您喜欢的直方图:

import matplotlib.pyplot as plt
import numpy as np
y = np.array([0,1,2,3,4,5,6,7,8,9,1])
plt.hist(y);
plt.show()

答案 1 :(得分:5)

这样的东西?此代码使用Counter来计算对象在数组中出现的实例数(在这种情况下,计算整数在列表中的次数)。

import matplotlib.pyplot as plt
from collections import Counter

# Create your list
x = range(10)
x.append(1)

# Use a Counter to count the number of instances in x
c = Counter(x)

plt.bar(c.keys(), c.values())
plt.show()

答案 2 :(得分:1)

你当然必须从计算元素开始:

>>> from collections import Counter
>>> counts = Counter(my_iterator)

然后,我们希望计算这些数量:

>>> count_von_count = Counter(counts)

然后你就有了酒吧的大小。将其列入一个列表并绘制它:

>>> bars = [count_von_count[i] for i in range(max(count_von_count) + 1)]

扩展名单的示例:

>>> from collections import Counter
>>> counts = Counter([0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 1])
>>> counts
Counter({1: 2, 0: 1, 2: 1, 3: 1, 4: 1, 5: 1, 6: 1, 7: 1, 8: 1, 9: 1})
>>> count_von_count = Counter(counts.values())
>>> count_von_count
Counter({1: 9, 2: 1})
>>> bars = [count_von_count[i] for i in range(max(count_von_count) + 1)]
>>> bars
[0, 9, 1]

答案 3 :(得分:0)

如果您将数据收集到列表中,那么您可能会执行以下操作:

import numpy as np
import matplotlib.pyplot as plt

x = [range(10)]
x.append([1])

count = map(len, x)
plt.bar(range(len(count)), count)
plt.show()

enter image description here

请注意,第一个栏的高度为10,而不是9.我不知道这是你想要的,还是我误解了你的意图。