如何使用csv文件中的pandas和matplotlib绘制字频率直方图(作者列)?我的csv就像:id,作者,标题,语言 有时我在作者列中有多个作者用空格分隔
file = 'c:/books.csv'
sheet = open(file)
df = read_csv(sheet)
print df['author']
答案 0 :(得分:5)
使用collections.Counter
创建直方图数据,并按照here给出的示例,即:
from collections import Counter
import numpy as np
import matplotlib.pyplot as plt
import pandas as pd
# Read CSV file, get author names and counts.
df = pd.read_csv("books.csv", index_col="id")
counter = Counter(df['author'])
author_names = counter.keys()
author_counts = counter.values()
# Plot histogram using matplotlib bar().
indexes = np.arange(len(author_names))
width = 0.7
plt.bar(indexes, author_counts, width)
plt.xticks(indexes + width * 0.5, author_names)
plt.show()
使用此测试文件:
$ cat books.csv
id,author,title,language
1,peter,t1,de
2,peter,t2,de
3,bob,t3,en
4,bob,t4,de
5,peter,t5,en
6,marianne,t6,jp
上面的代码创建了以下图表:
修改强>:
您添加了辅助条件,其中author列可能包含多个以空格分隔的名称。以下代码处理此问题:
from itertools import chain
# Read CSV file, get
df = pd.read_csv("books2.csv", index_col="id")
authors_notflat = [a.split() for a in df['author']]
counter = Counter(chain.from_iterable(authors_notflat))
print counter
对于这个例子:
$ cat books2.csv
id,author,title,language
1,peter harald,t1,de
2,peter harald,t2,de
3,bob,t3,en
4,bob,t4,de
5,peter,t5,en
6,marianne,t6,jp
打印
$ python test.py
Counter({'peter': 3, 'bob': 2, 'harald': 2, 'marianne': 1})
请注意,此代码仅起作用,因为字符串是可迭代的。
此代码基本上没有pandas,但引导DataFrame df
的CSV解析部分除外。如果您需要pandas的默认绘图样式,那么mentioned主题中也会有一个建议。
答案 1 :(得分:4)
您可以使用value_counts
来计算每个名称的出现次数:
In [11]: df['author'].value_counts()
Out[11]:
peter 3
bob 2
marianne 1
dtype: int64
Series(和DataFrames)使用hist方法绘制直方图:
In [12]: df['author'].value_counts().hist()