我试图在xaxis上绘制一个带有15个标签的雷达图表。数据绘制正确,但我无法正确定义轴标签。 我得到的情节如下:
如您所见,生成的轴刻度数小于生成的柱数。如何生成相同数量的刻度(和相应的刻度标签)以清楚地区分每个条形图?我想要的是类似于下图所示的图像:
我目前使用的代码如下:
fig = figure(figsize=(8,8))
ax = fig.add_axes([0.1, 0.1, 0.8, 0.8], polar=True)
sample = np.random.uniform(low=0.5, high=13.3, size=(15,))
N = len(sample)
items=['1','2','3','4','5','6','7','8','9','10','11','12','13','14','15']
theta = np.arange(0, 2*np.pi, 2*np.pi/N)
bars = ax.bar(theta, sample, width=0.4)
ax.set_xticklabels(items)
ax.yaxis.grid(True)
show()
我错过了什么?提前谢谢!
答案 0 :(得分:1)
使用ax.set_xticklabels
设置标签的文字。
您真正想要的是设置标签的位置。在这种情况下,位置只是theta
数组
ax.set_xticks(theta)
一旦设置了这些标记,当然可以更改标签,在这种情况下,它们只是从1开始的第一个N
数字,
ax.set_xticklabels(range(1, len(theta)+1))
一个完整的例子:
import matplotlib.pyplot as plt
import numpy as np
fig = plt.figure(figsize=(8,8))
ax = fig.add_subplot(111,polar=True)
sample = np.random.uniform(low=0.5, high=13.3, size=(15,))
N = len(sample)
theta = np.arange(0, 2*np.pi, 2*np.pi/N)
bars = ax.bar(theta, sample, width=0.4)
ax.set_xticks(theta)
ax.set_xticklabels(range(1, len(theta)+1))
ax.yaxis.grid(True)
plt.show()
请注意,在2.x之前的matplotlib版本中,您需要将条形图居中以从上方获取结果
bars = ax.bar(theta, sample, width=0.4, align="center")