关于python:Matplotlib-条形图显示唯一值的频率

Matplotlib - bar chart that shows frequency of unique values

我有一个像这样的数组:

[1、3、5、2、12、12、3、6,...]等,在代表飞蛾的1-12之间变化。

现在,我可以用

1
2
3
4
5
6
plt.hist(months,range(1, 13))
plt.title("Job Request per month")
plt.xlabel("Value")
plt.ylabel("Frequency")

plt.show()

现在,它在直方图中显示唯一值的计数。但是,我找不到条形图的解决方法。

完整代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
from pymongo import MongoClient
import matplotlib.pyplot as plt

def main():

client = MongoClient('mongodb://a12345:[email protected]:27017/')
db = client['newDatabase']
collection = db['jobs']
cursor = collection.find({}, {'_constructed': 1})

months = []
for document in cursor:
    if '_constructed' in document:
        months.append(document['_constructed'].month)

print(months);
plt.bar(months, range(1, 13))
plt.title("Job Request per month")
plt.xlabel("Value")
plt.ylabel("Frequency")

plt.show()

if __name__ =="__main__":
    main()


您可以使用np.bincount首先对months进行计数,然后对其进行绘制:

1
2
3
4
5
6
7
import matplotlib.pyplot as plt
import numpy as np

# create an example months array
months = np.random.randint(1, 13, size=30)

plt.bar(np.arange(1, 13), np.bincount(months, minlength=13)[1:])

enter


尝试一下:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
#!python
# -*- coding: utf-8 -*-#
#
# Imports
import matplotlib.pyplot as plt
import numpy as np
import collections

data ="""
Jan
Feb
Mar
Apr
May
Jun
Jul
Aug
Sep
Oct
Nov
Dec
"""

months = data.split()

data = [6, 6, 6, 6, 6, 6, 6, 6, 1, 1, 6, 1, 6, 2, 1, 1, 6, 1, 6, 2, 1, 6, 6, 2, 1, 2, 1, 6, 2, 1, 1, 6, 1, 6, 3, 3, 3, 3, 3, 1, 2, 1, 3, 3, 3, 3, 3, 1, 2, 1, 3, 3, 3, 3, 3, 1, 2, 1, 6, 2, 1, 10,
        6, 12, 9, 3, 3, 3, 3, 3, 1, 2, 1, 7, 8, 9, 10, 10, 11, 12, 11, 3, 3, 3, 3, 3, 1, 12, 12, 6, 2, 5, 10, 6, 12, 9, 3, 3, 3, 3, 5, 1, 2, 1, 7, 8, 9, 10, 10, 11, 12, 11, 5, 5, 3, 3, 3, 1, 12, 12]

c = collections.Counter(data)
c = sorted(c.items())
months_num = [i[0] for i in c]
month_names = [months[i[0]-1] for i in c]
freq = [i[1] for i in c]

print(c)
print(months)
print(freq)
f, ax = plt.subplots()


plt.bar(months_num, freq)
plt.title("Job Request per month")
plt.xlabel("Months")
plt.ylabel("Frequency")
ax.set_xticks(range(1, 13))
ax.set_xticklabels(months)

plt.show()

enter