x轴python格式的日期标签

问题描述 投票:1回答:1

我的数据看起来像这样

01.03.20    10
02.03.20    10
04.03.20    15
05.03.20    16

我想绘制datesy的值,并且我希望xaxis的格式类似于Mar 01Mar 02Mar 03 ...

这是我的代码:

fig, ax = plt.subplots()
ax.scatter(x, y, s=100, c='C0')
ax.plot(x, y, ls='-', c='C0')


# Set the locator
locator = mdates.MonthLocator()  # every month
# Specify the format - %b gives us Jan, Feb...
fmt = mdates.DateFormatter('%b-%d')

X = plt.gca().xaxis
X.set_major_locator(locator)
# Specify formatter
X.set_major_formatter(fmt)

ax.xaxis.set_tick_params(rotation=30)

由于x-axisxticksxlabel未显示,所以出现了错误。如何更改xlabel的格式以显示月份和日期,例如:Mar 01Mar 02Mar 03 ...

python matplotlib axis-labels
1个回答
0
投票

1]我假设您的x轴包含string,而不是datetime。然后,在绘制之前,我将其转换如下。

x=[datetime.strptime(xi, "%d.%m.%y") for xi in x]

2)如果选择MonthLocator,则无法将其作为3月01日...因此,请使用DayLocator进行切换。

locator = mdates.DayLocator()

3)这是可选的,以使用更干净的代码。您不需要X

ax.xaxis.set_major_locator(locator)
ax.xaxis.set_major_formatter(fmt)
ax.xaxis.set_tick_params(rotation=30)

示例代码在这里。

import numpy as np
import matplotlib.pyplot as plt
import matplotlib.dates as mdates
from datetime import datetime

x=["01.03.20", "02.03.20", "04.03.20", "05.03.20"]
x=[datetime.strptime(xi, "%d.%m.%y") for xi in x]
y=[10, 10, 15,16]

fig, ax = plt.subplots()
ax.scatter(x, y, s=100, c='C0')
ax.plot(x, y, ls='-', c='C0')

locator = mdates.DayLocator() 
fmt = mdates.DateFormatter('%b-%d')

ax.xaxis.set_major_locator(locator)
ax.xaxis.set_major_formatter(fmt)
ax.xaxis.set_tick_params(rotation=30)
ax.set_xlim(x[0],x[3])

plt.show()

示例结果在这里。

enter image description here

© www.soinside.com 2019 - 2024. All rights reserved.