Issue
I have a series of related functions that I plot with matplotlib.pyplot.subplots
, and I need to include in each subplot a zoomed part of the corresponding function.
I started doing it like explained here and it works perfectly when there is a single graph, but not with subplots.
If I do it with subplots, I only get a single graph, with all the functions inside it. Here is an example of what I get so far:
import numpy as np
import matplotlib.pyplot as plt
x = np.arange(-10, 10, 0.01)
sinx = np.sin(x)
tanx = np.tan(x)
fig, ax = plt.subplots( 1, 2, sharey='row', figsize=(9, 3) )
for i, f in enumerate([sinx, cosx]):
ax[i].plot( x, f, color='red' )
ax[i].set_ylim([-2, 2])
axx = plt.axes([.2, .6, .2, .2],)
axx.plot( x, f, color='green' )
axx.set_xlim([0, 5])
axx.set_ylim([0.75, 1.25])
plt.show(fig)
That piece of code gives the following graph:
How I can create new axes and plot in each subfigure?
Solution
If I understood well, You can use inset_axes
import numpy as np
import matplotlib.pyplot as plt
from mpl_toolkits.axes_grid.inset_locator import inset_axes
x = np.arange(-10, 10, 0.01)
sinx = np.sin(x)
tanx = np.tan(x)
fig, ax = plt.subplots( 1, 2, sharey='row', figsize=(9, 3) )
for i, f in enumerate([sinx, tanx]):
ax[i].plot( x, f, color='red' )
ax[i].set_ylim([-2, 2])
# create an inset axe in the current axe:
inset_ax = inset_axes(ax[i],
height="30%", # set height
width="30%", # and width
loc=10) # center, you can check the different codes in plt.legend?
inset_ax.plot(x, f, color='green')
inset_ax.set_xlim([0, 5])
inset_ax.set_ylim([0.75, 1.25])
plt.show()
Answered By - jrjc
0 comments:
Post a Comment
Note: Only a member of this blog may post a comment.