我是matplotlib(1.3.1-2)的新手,我找不到合适的起点。 我想用matplotlib在直方图中绘制点随时间的分布。
基本上我想绘制日期出现的累积总和。
date
2011-12-13
2011-12-13
2013-11-01
2013-11-01
2013-06-04
2013-06-04
2014-01-01
...
这会使
2011-12-13 -> 2 times
2013-11-01 -> 3 times
2013-06-04 -> 2 times
2014-01-01 -> once
由于多年来会有很多积分,我想在start date
和x-Axis
上设置end date
,然后标记n-time steps
(即1年)步骤)并最终确定将有多少bins
。
我将如何实现这一目标?
答案 0 :(得分:35)
Matplotlib使用自己的日期/时间格式,但也提供了转换dates
模块中提供的简单函数。它还提供了各种Locators
和Formatters
,它们负责将刻度线放在轴上并格式化相应的标签。这应该让你开始:
import random
import matplotlib.pyplot as plt
import matplotlib.dates as mdates
# generate some random data (approximately over 5 years)
data = [float(random.randint(1271517521, 1429197513)) for _ in range(1000)]
# convert the epoch format to matplotlib date format
mpl_data = mdates.epoch2num(data)
# plot it
fig, ax = plt.subplots(1,1)
ax.hist(mpl_data, bins=50, color='lightblue')
ax.xaxis.set_major_locator(mdates.YearLocator())
ax.xaxis.set_major_formatter(mdates.DateFormatter('%d.%m.%y'))
plt.show()
结果:
答案 1 :(得分:12)