Gippo
Gippo

Reputation: 89

How to shrink a subplot colorbar

starting from this code:

import numpy as np
import matplotlib.pyplot as pl
import matplotlib 
from matplotlib.gridspec import GridSpec 

x=np.linspace(0.0,1.0,100)
y=np.linspace(0.0,1.0,100)
xv,yv=np.meshgrid(x,y)

gs = GridSpec(2, 2,hspace=0.00,wspace=0.1,width_ratios=[25,1])
ax1 = pl.subplot(gs[0,0])
im=ax1.imshow(xv.T, origin='lower', cmap=matplotlib.cm.jet,extent=(0,100,0,1.0),aspect='auto')  
xax1=ax1.get_xaxis()
xax1.set_ticks([])
ax3 = pl.subplot(gs[0,1])
#cbar=pl.colorbar(im,cax=ax3,shrink=0.5)
cbar=pl.colorbar(im,cax=ax3)
ax2 = pl.subplot(gs[1,0])
ax2.plot(np.sin(x))
pl.savefig('test.pdf')

I would like to keep the two plots sharing the same x-axis but I would like to shrink the colorbar as well. If I use the commented line it does not work. What is the better, most elegant, way to do that? I think I should use make_axes_locatable at some point, but I do not know how to use it in the proper way without changing the imshow x-axis length.

Thank you.

Upvotes: 3

Views: 2331

Answers (1)

hannesk
hannesk

Reputation: 439

You can do it with a lot of control about positioning, using the inset_axes.

import numpy as np
import matplotlib.pyplot as pl
import matplotlib 
from mpl_toolkits.axes_grid1.inset_locator import inset_axes

x=np.linspace(0.0,1.0,100)
y=np.linspace(0.0,1.0,100)
xv,yv=np.meshgrid(x,y)

fig = plt.figure()
ax1 = fig.add_subplot(211)
ax2 = fig.add_subplot(212, sharex = ax1)
im  = ax1.imshow(xv.T, origin='lower', 
          cmap=matplotlib.cm.jet,extent=(0,100,0,1.0),aspect='auto')
ax2.plot(np.sin(x))
cax = inset_axes(ax1,
                 width="5%",
                 height="70%",
                 bbox_transform=ax1.transAxes,
                 bbox_to_anchor=(0.025, 0.1, 1.05, 0.95),
                 loc= 1)
norm          = mpl.colors.Normalize(vmin=xv.min(), vmax=xv.max())
cb1           = mpl.colorbar.ColorbarBase(cax, 
                    cmap=matplotlib.cm.jet, norm=norm, 
                    orientation='vertical')
cb1.set_label(u'some cbar')

This is what I get then. Does that help your question?

Figure with two subplots, sharing the x-axis, and the seperate colorbar.

Upvotes: 3

Related Questions