Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Matplotlib - Grid always in front of ax-h/v-lines

Minimal working example of my code:

import matplotlib.pyplot as plt
import matplotlib.gridspec as gridspec
import numpy as np
from scipy.ndimage.filters import gaussian_filter
import numpy.random as nprnd

x = nprnd.randint(1000, size=5000)
y = nprnd.randint(1000, size=5000)

xmin, xmax = min(x), max(x)
ymin, ymax = min(y), max(y)
rang = [[xmin, xmax], [ymin, ymax]]
binsxy = [int((xmax - xmin) / 80), int((ymax - ymin) / 80)]

H, xedges, yedges = np.histogram2d(x, y, range=rang, bins=binsxy)
H_g = gaussian_filter(H, 2, mode='constant')

xline = 6.
yline = 4.

fig = plt.figure(figsize=(5, 5)) # create the top-level container
gs = gridspec.GridSpec(1, 1)  # create a GridSpec object
ax0 = plt.subplot(gs[0, 0])

# Set minor ticks
ax0.minorticks_on()
# Set grid
ax0.grid(b=True, which='major', color='k', linestyle='-', zorder=1)
ax0.grid(b=True, which='minor', color='k', linestyle='-', zorder=1)
# Add vertical and horizontal lines
plt.axvline(x=xline, linestyle='-', color='white', linewidth=4, zorder=2)
plt.axhline(y=yline, linestyle='-', color='white', linewidth=4, zorder=2)

plt.text(0.5, 0.91, 'Some text', transform = ax0.transAxes, \
bbox=dict(facecolor='white', alpha=1.0), fontsize=12)

plt.imshow(H_g.transpose(), origin='lower')

plt.show()

which returns this:

plot

As you can see, the grid is drawn on top of the axline & avline lines, even though I'm setting the zorder the other way around. How can I fix this?

I'm using Canopy v 1.0.1.1190.

like image 308
Gabriel Avatar asked Jun 10 '13 16:06

Gabriel


1 Answers

Your zorder=2 is too small. Increase it to zorder=3 and the axhline and axvline will be above the grid and below the label:

plt.axvline(x=xline, linestyle='-', color='white', linewidth=4, zorder=3)
plt.axhline(y=yline, linestyle='-', color='white', linewidth=4, zorder=3)

enter image description here

If you were to increase the zorder further, for example zorder=10, the lines would be on top of your some text-label.
More information on the default settings for zorder-values can be found here.

like image 54
Schorsch Avatar answered Sep 23 '22 13:09

Schorsch