我正在尝试执行简单的任务,例如读取与 matplotlib 中 y 轴值相对应的 x 轴值,但我看不出有什么问题。
在这种情况下,我很感兴趣,例如,如果我选择 x=2.0,我会找到 y 轴的哪个值,但是即使 idx
数组中有数字 2,我也会得到 xvalues
元组为空。
这是代码:
pyplot.plot(x,y,linestyle='--',linewidth=3)
ax = pyplot.gca()
line = ax.lines[0]
xvalues = line.get_xdata()
yvalues = line.get_ydata()
idx = where(xvalues == 2.0)
y = yvalues[idx[0][0]]
这是
xvalues
数组:[1.40000000e+00 1.45000000e+00 1.50000000e+00 1.55000000e+00
1.60000000e+00 1.65000000e+00 1.70000000e+00 1.75000000e+00
1.80000000e+00 1.85000000e+00 1.90000000e+00 1.95000000e+00
2.00000000e+00 2.05000000e+00 2.10000000e+00 2.15000000e+00
2.20000000e+00 2.25000000e+00 2.30000000e+00 2.35000000e+00]
最佳答案
您得到一个空数组的原因是严格值 2.0
实际上并不存在于您的数组中。
例如:
In [2]: x = np.arange(1.4, 2.4, 0.05)
In [3]: x
Out[3]:
array([ 1.4 , 1.45, 1.5 , 1.55, 1.6 , 1.65, 1.7 , 1.75, 1.8 ,
1.85, 1.9 , 1.95, 2. , 2.05, 2.1 , 2.15, 2.2 , 2.25,
2.3 , 2.35])
In [4]: x == 2.0
Out[4]:
array([False, False, False, False, False, False, False, False, False,
False, False, False, False, False, False, False, False, False,
False, False], dtype=bool)
In [5]: np.where(x == 2.0)
Out[5]: (array([], dtype=int64),)
这是浮点数学限制的经典问题。如果你愿意,你可以这样做:
y[np.isclose(x, 2)]
但是,一般来说,您希望在给定的 x 处插入 y 值。
例如,假设您想要
2.01
的值。您的 x 数组中不存在该值。相反,使用
np.interp
进行线性插值:In [6]: y = np.cos(x)
In [7]: np.interp(2.01, x, y)
Out[7]: -0.4251320075130563
关于python - 在matplotlib python中从对应于y轴的x轴中找到一个值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/31476839/