5

我想使用 matplotlib.pyplot.hist2d 绘制 2d 直方图。作为输入,我屏蔽了 numpy.ma 数组。这样可以正常工作:

hist2d (arr1,arr2,cmin=1)

但是,如果我想规范化数组,所以我得到的值总是在 0 和 1 之间,使用 normed=True 关键字像这样

hist2d (arr1,arr2,cmin=1, normed=True)

我收到错误

.../numpy/ma/core.py:3791: UserWarning: Warning: converting a masked element to nan.
  warnings.warn("Warning: converting a masked element to nan.")
.../matplotlib/colorbar.py:561: RuntimeWarning: invalid value encountered in greater
  inrange = (ticks > -0.001) & (ticks < 1.001)
.../matplotlib/colorbar.py:561: RuntimeWarning: invalid value encountered in less
  inrange = (ticks > -0.001) & (ticks < 1.001)
.../matplotlib/colors.py:556: RuntimeWarning: invalid value encountered in less
  cbook._putmask(xa, xa < 0.0, -1)

知道如何解决这个问题并仍然获得归一化的二维直方图吗?

4

1 回答 1

9

它的原因是cmin,它不适合normed=True。删除cmin(或将其设置为 0)将使其工作。如果确实需要过滤,可以考虑使用 numpy 的 2d histogram 函数并在之后屏蔽输出。

a = np.random.randn(1000)
b = np.random.randn(1000)

a_ma = np.ma.masked_where(a > 0, a)
b_ma = np.ma.masked_where(b < 0, b)

bins = np.arange(-3,3.25,0.25)

fig, ax = plt.subplots(1,3, figsize=(10,3), subplot_kw={'aspect': 1})

hist, xbins, ybins, im = ax[0].hist2d(a_ma,b_ma, bins=bins, normed=True)

hist, xbins, ybins = np.histogram2d(a_ma,b_ma, bins=bins, normed=True)
extent = [xbins.min(),xbins.max(),ybins.min(),ybins.max()]

im = ax[1].imshow(hist.T, interpolation='none', origin='lower', extent=extent)
im = ax[2].imshow(np.ma.masked_where(hist == 0, hist).T, interpolation='none', origin='lower', extent=extent)

ax[0].set_title('mpl')
ax[1].set_title('numpy')
ax[2].set_title('numpy masked')

在此处输入图像描述

于 2013-08-15T14:01:53.980 回答