这与此处定义的解决方案相同,但适用于某些功能并与interp2d
Scipy 中的可用解决方案进行比较。我们使用 numba 库使插值函数比 Scipy 实现更快。
import numpy as np
from scipy.interpolate import interp2d
import matplotlib.pyplot as plt
from numba import jit, prange
@jit(nopython=True, fastmath=True, nogil=True, cache=True, parallel=True)
def bilinear_interpolation(x_in, y_in, f_in, x_out, y_out):
f_out = np.zeros((y_out.size, x_out.size))
for i in prange(f_out.shape[1]):
idx = np.searchsorted(x_in, x_out[i])
x1 = x_in[idx-1]
x2 = x_in[idx]
x = x_out[i]
for j in prange(f_out.shape[0]):
idy = np.searchsorted(y_in, y_out[j])
y1 = y_in[idy-1]
y2 = y_in[idy]
y = y_out[j]
f11 = f_in[idy-1, idx-1]
f21 = f_in[idy-1, idx]
f12 = f_in[idy, idx-1]
f22 = f_in[idy, idx]
f_out[j, i] = ((f11 * (x2 - x) * (y2 - y) +
f21 * (x - x1) * (y2 - y) +
f12 * (x2 - x) * (y - y1) +
f22 * (x - x1) * (y - y1)) /
((x2 - x1) * (y2 - y1)))
return f_out
我们把它做成一个相当大的插值数组来评估每种方法的性能。
样本函数是,
data:image/s3,"s3://crabby-images/6dffc/6dffc6e08ba148e319e20616fcd009f5bcea8132" alt="z(x, y)=\sin \left(\frac{\pi x}{2}\right) e^{y / 2}"
x = np.linspace(0, 4, 13)
y = np.array([0, 2, 3, 3.5, 3.75, 3.875, 3.9375, 4])
X, Y = np.meshgrid(x, y)
Z = np.sin(np.pi*X/2) * np.exp(Y/2)
x2 = np.linspace(0, 4, 1000)
y2 = np.linspace(0, 4, 1000)
Z2 = bilinear_interpolation(x, y, Z, x2, y2)
fun = interp2d(x, y, Z, kind='linear')
Z3 = fun(x2, y2)
fig, ax = plt.subplots(nrows=1, ncols=3, figsize=(10, 6))
ax[0].pcolormesh(X, Y, Z, shading='auto')
ax[0].set_title("Original function")
X2, Y2 = np.meshgrid(x2, y2)
ax[1].pcolormesh(X2, Y2, Z2, shading='auto')
ax[1].set_title("bilinear interpolation")
ax[2].pcolormesh(X2, Y2, Z3, shading='auto')
ax[2].set_title("Scipy bilinear function")
plt.show()
data:image/s3,"s3://crabby-images/905c6/905c6d36414eb33dd16a31a42167289769dff315" alt="在此处输入图像描述"
性能测试
没有 numba 库的 Python
bilinear_interpolation
在这种情况下,函数与numba
版本相同,只是我们在 for 循环中prange
使用 python normal进行更改,并删除函数装饰器range
jit
%timeit bilinear_interpolation(x, y, Z, x2, y2)
每个循环给出 7.15 秒 ± 107 毫秒(平均值 ± 标准偏差。7 次运行,每个循环 1 个)
Python 与 numba numba
%timeit bilinear_interpolation(x, y, Z, x2, y2)
每个循环给出 2.65 ms ± 70.5 µs(平均值 ± 标准偏差。7 次运行,每次 100 个循环)
Scipy 实现
%%timeit
f = interp2d(x, y, Z, kind='linear')
Z2 = f(x2, y2)
每个循环给出 6.63 ms ± 145 µs(平均值 ± 标准偏差。7 次运行,每次 100 个循环)
性能测试在“Intel(R) Core(TM) i7-8700K CPU @ 3.70GHz”上进行