我无法让像这样的imshow图形上的颜色条与图形的高度相同,因为事后没有使用Photoshop。我如何让高度匹配?


当前回答

这种组合(以及接近这些值)似乎“神奇地”为我工作,以保持颜色条缩放到绘图,无论显示器的大小。

plt.colorbar(im,fraction=0.046, pad=0.04)

它也不需要共享轴,这可以使绘图脱离正方形。

其他回答

如果不想声明另一组轴,我找到的最简单的解决方案是使用figsize调用更改图形大小。

在上面的例子中,我将从

fig = plt.figure(figsize = (12,6))

然后用不同的比例重新渲染,直到颜色条不再使主要情节相形见绌。

这种组合(以及接近这些值)似乎“神奇地”为我工作,以保持颜色条缩放到绘图,无论显示器的大小。

plt.colorbar(im,fraction=0.046, pad=0.04)

它也不需要共享轴,这可以使绘图脱离正方形。

创建颜色条时,尝试使用分数和/或收缩参数。

从文件中:

分数0.15;用于颜色条的原始轴的部分 减少1.0;用来缩小颜色条的分数

我很欣赏上面所有的答案。然而,就像一些回答和评论指出的那样,axes_grid1模块不能处理GeoAxes,而调整分数、填充、收缩和其他类似参数不一定能给出非常精确的顺序,这真的让我很困扰。我相信给颜色条自己的轴可能是一个更好的解决方案,以解决所有已经提到的问题。

Code

import matplotlib.pyplot as plt
import numpy as np

fig=plt.figure()
ax = plt.axes()
im = ax.imshow(np.arange(100).reshape((10,10)))

# Create an axes for colorbar. The position of the axes is calculated based on the position of ax.
# You can change 0.01 to adjust the distance between the main image and the colorbar.
# You can change 0.02 to adjust the width of the colorbar.
# This practice is universal for both subplots and GeoAxes.

cax = fig.add_axes([ax.get_position().x1+0.01,ax.get_position().y0,0.02,ax.get_position().height])
plt.colorbar(im, cax=cax) # Similar to fig.colorbar(im, cax = cax)

结果

后来,我发现matplotlib.pyplot.colorbar官方文档也提供了ax选项,这是现有的轴,将为颜色条提供空间。因此,它对多个子图是有用的,见下面。

Code

fig, ax = plt.subplots(2,1,figsize=(12,8)) # Caution, figsize will also influence positions.
im1 = ax[0].imshow(np.arange(100).reshape((10,10)), vmin = -100, vmax =100)
im2 = ax[1].imshow(np.arange(-100,0).reshape((10,10)), vmin = -100, vmax =100)
fig.colorbar(im1, ax=ax)

结果

同样,您也可以通过指定cax来实现类似的效果,从我的角度来看,这是一种更准确的方法。

Code

fig, ax = plt.subplots(2,1,figsize=(12,8))
im1 = ax[0].imshow(np.arange(100).reshape((10,10)), vmin = -100, vmax =100)
im2 = ax[1].imshow(np.arange(-100,0).reshape((10,10)), vmin = -100, vmax =100)
cax = fig.add_axes([ax[1].get_position().x1-0.25,ax[1].get_position().y0,0.02,ax[0].get_position().y1-ax[1].get_position().y0])
fig.colorbar(im1, cax=cax)

结果

使用matplotlib AxisDivider可以很容易地做到这一点。

链接页面中的例子也可以不使用子图:

import matplotlib.pyplot as plt
from mpl_toolkits.axes_grid1 import make_axes_locatable
import numpy as np
    
plt.figure()
ax = plt.gca()
im = ax.imshow(np.arange(100).reshape((10,10)))
    
# create an axes on the right side of ax. The width of cax will be 5%
# of ax and the padding between cax and ax will be fixed at 0.05 inch.
divider = make_axes_locatable(ax)
cax = divider.append_axes("right", size="5%", pad=0.05)
   
plt.colorbar(im, cax=cax)