Una cosa que podría cambiar en su código muy fácilmente es la fontsize
que está utilizando para los títulos. Sin embargo, ¡voy a suponer que no solo quieres hacer eso!
Algunas alternativas al uso fig.subplots_adjust(top=0.85)
:
Por tight_layout()
lo general, hace un trabajo bastante bueno al colocar todo en buenas ubicaciones para que no se superpongan. La razón por la tight_layout()
que no ayuda en este caso es porque tight_layout()
no tiene en cuenta fig.suptitle (). Hay un problema abierto sobre esto en GitHub: https://github.com/matplotlib/matplotlib/issues/829 [cerrado en 2014 debido a que requiere un administrador de geometría completo - cambiado a https://github.com/matplotlib/matplotlib / cuestiones / 1109 ].
Si lees el hilo, hay una solución a tu problema GridSpec
. La clave es dejar algo de espacio en la parte superior de la figura al llamar tight_layout
, usando el rect
kwarg. Para su problema, el código se convierte en:
Usando GridSpec
import numpy as np
import matplotlib.pyplot as plt
import matplotlib.gridspec as gridspec
f = np.random.random(100)
g = np.random.random(100)
fig = plt.figure(1)
gs1 = gridspec.GridSpec(1, 2)
ax_list = [fig.add_subplot(ss) for ss in gs1]
ax_list[0].plot(f)
ax_list[0].set_title('Very Long Title 1', fontsize=20)
ax_list[1].plot(g)
ax_list[1].set_title('Very Long Title 2', fontsize=20)
fig.suptitle('Long Suptitle', fontsize=24)
gs1.tight_layout(fig, rect=[0, 0.03, 1, 0.95])
plt.show()
El resultado:
Tal vez GridSpec
sea un poco excesivo para usted, o su problema real implicará muchas más subtramas en un lienzo mucho más grande u otras complicaciones. Un truco simple es usar annotate()
y bloquear las coordenadas 'figure fraction'
para imitar a suptitle
. Sin embargo, es posible que deba hacer algunos ajustes más finos una vez que eche un vistazo a la salida. Tenga en cuenta que esta segunda solución no utilizatight_layout()
.
Solución más simple (aunque es posible que deba ajustarse)
fig = plt.figure(2)
ax1 = plt.subplot(121)
ax1.plot(f)
ax1.set_title('Very Long Title 1', fontsize=20)
ax2 = plt.subplot(122)
ax2.plot(g)
ax2.set_title('Very Long Title 2', fontsize=20)
# fig.suptitle('Long Suptitle', fontsize=24)
# Instead, do a hack by annotating the first axes with the desired
# string and set the positioning to 'figure fraction'.
fig.get_axes()[0].annotate('Long Suptitle', (0.5, 0.95),
xycoords='figure fraction', ha='center',
fontsize=24
)
plt.show()
El resultado:
[Utilizando Python
2.7.3 (64 bits) y matplotlib
1.2.0]