我有一个 SQLite 表的日期,我需要在 matplotlib 图形中显示为 X。
"125","2013-08-30 13:33:11"
"120","2013-08-29 13:33:11"
"112","2013-08-28 13:33:11"
我需要使用这个日期:
plt.plot(prices, dates)
如何转换此日期格式以在绘图中使用它?
此致,
我有一个 SQLite 表的日期,我需要在 matplotlib 图形中显示为 X。
"125","2013-08-30 13:33:11"
"120","2013-08-29 13:33:11"
"112","2013-08-28 13:33:11"
我需要使用这个日期:
plt.plot(prices, dates)
如何转换此日期格式以在绘图中使用它?
此致,
您想将日期转换为datetime
对象。为此,请使用datetime.strptime
适合您数据的格式的方法。例如,你的数据是所有的形式
'%Y-%m-%d %H:%M:%S'
为year-month-day hour:min:sec
. 因此,尝试类似
import matplotlib.pyplot as plt
from matplotlib.dates import datetime as dt
raw_dates = ["2013-08-30 13:33:11", "2013-08-29 13:33:11", "2013-08-28 13:33:11"]
x = [dt.datetime.strptime(d, '%Y-%m-%d %H:%M:%S') for d in raw_dates]
y = [125, 120, 112]
plt.plot(x, y)
如果您想调整 x 轴上的值(我认为它们会显示为小时),您可以设置 DateFormatter。
import matplotlib.pyplot as plt
from matplotlib.dates import datetime as dt
from matplotlib.dates import DateFormatter
formatter = DateFormatter('%m-%d')
f = plt.figure()
ax = f.add_subplot(111)
raw_dates = ["2013-08-30 13:33:11", "2013-08-29 13:33:11", "2013-08-28 13:33:11"]
x = [dt.datetime.strptime(d, '%Y-%m-%d %H:%M:%S') for d in raw_dates]
y = [125, 120, 112]
ax.plot(x, y)
ax.xaxis.set_major_formatter(formatter)
plt.show()