如何创建离散的2D直方图

时间:2019-01-14 10:41:45

标签: python matplotlib histogram2d

我试图绘制一个二维直方图,显示两次测量之间收到的错误代码之间的相关性。错误代码值的范围是-3到5。我希望直方图显示每个错误代码的条形图。在一次测量中收到的两个错误代码标记的栏中,条形应该增加(更改颜色)。我在这里画了一个简短的草图。enter image description here

到目前为止,我只有下面的代码,不幸的是它没有给我想要的图形。有人知道如何获得如上所述的情节吗?

data1=np.random.randint(-3,5,100)
data2=np.random.randint(-3,5,100)
fig, ax = plt.subplots()
ax.hist2d(data1, data2, bins=10)
plt.Axes.set_xlim(ax,left=-3, right=6)
plt.Axes.set_ylim(ax, bottom=-3, top=6)
plt.grid(True)
plt.show()

1 个答案:

答案 0 :(得分:2)

您需要正确的bins数和轴限制才能获得所需的可视化效果。此外,当您使用data1=np.random.randint(-3,5,100)时,得到的最大整数为4,而不是5。下面是代码的修改版本。

data1=np.random.randint(-3,6,100)
data2=np.random.randint(-3,6,100)
n_bins = len(set(data1.flatten())) - 1

l = -3
r = 5

fig, ax = plt.subplots()
im = ax.hist2d(data1, data2, bins=n_bins+1)
ax.set_xlim(left=l, right=r)
ax.set_ylim(bottom=l, top=r)

shift = (im[1][1]-im[1][0])/2
plt.xticks(im[1], range(l, r+1, 1))
plt.yticks(im[1], range(l, r+1, 1))
plt.grid(True)
plt.colorbar(im[3])
plt.show()

enter image description here