我的日期来自一个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()