我目前正在使用
matplotlib.pyplot
创建图表,并希望主要网格线为实线和黑色,次要网格线为灰色或虚线。
在网格属性中,
which=both/major/mine
,然后颜色和线型由linestyle简单定义。有没有办法只指定次要线型?
到目前为止我拥有的适当代码是
plt.plot(current, counts, 'rd', markersize=8)
plt.yscale('log')
plt.grid(b=True, which='both', color='0.65', linestyle='-')
其实很简单,分别设置
major
和minor
即可:
In [9]: plot([23, 456, 676, 89, 906, 34, 2345])
Out[9]: [<matplotlib.lines.Line2D at 0x6112f90>]
In [10]: yscale('log')
In [11]: grid(visible=True, which='major', color='b', linestyle='-')
In [12]: grid(visible=True, which='minor', color='r', linestyle='--')
小网格的问题是你也必须打开小刻度线。 在上面的代码中,这是通过
yscale('log')
完成的,但也可以使用 plt.minorticks_on()
完成。
注意:在 matplotlib 3.5 之前,
visible
参数被命名为 b
一个简单的DIY方法是自己制作网格:
import matplotlib.pyplot as plt
fig = plt.figure()
ax = fig.add_subplot(111)
ax.plot([1,2,3], [2,3,4], 'ro')
for xmaj in ax.xaxis.get_majorticklocs():
ax.axvline(x=xmaj, ls='-')
for xmin in ax.xaxis.get_minorticklocs():
ax.axvline(x=xmin, ls='--')
for ymaj in ax.yaxis.get_majorticklocs():
ax.axhline(y=ymaj, ls='-')
for ymin in ax.yaxis.get_minorticklocs():
ax.axhline(y=ymin, ls='--')
plt.show()