Python中三维样条插值

时间:2017-09-04 15:40:14

标签: python interpolation cubic-spline

我正在搜索等效的Matlab命令

Vq = interp3(X,Y,Z,V,Xq,Yq,Zq)

在Python中

。在Matlab中我可以使用方法' spline'插值,我在python中找不到3D数据。存在scipy.interpolate.griddata,但它没有3D数据的选项样条。

我要插入的数据是一个3D矩阵(51x51x51),它定期分布在3D网格上。

scipy.interpolate.Rbf可能是选项,但我不能让它发挥作用:

xi = yi = zi = np.linspace(1, 132651, 132651) interp = scipy.interpolate.Rbf(xi, yi, zi, data, function='cubic')

导致内存错误。

编辑: 我想要的最小例子(没有插值): Matlab代码

v=rand([51,51,51]);
isosurface (v, 0.3);

为简单起见,我在本例中使用随机数据。我想制作等值面图(特别是费米表面图)。由于某些结构非常小,因此需要51x51x51的高网格分辨率。

进一步评论:矩阵中的数据集彼此独立,z(或第3个成分)不是x和y的函数。

1 个答案:

答案 0 :(得分:3)

如您所述,可以使用scipy.interpolate.Rbf完成3维以上的样条插值。出于绘图的目的,您可以使用较小的分辨率(1000点是一个很好的经验法则),当您想要评估样条曲线时,可以毫不费力地插入大于132000个点(参见下面的示例)。

您可以在matlab中添加Minimal, Complete, and Verifiable example吗?这将解释为什么需要创建分辨率为132000点的网格空间。此外,请注意,有一个维度的诅咒。 Matlab使用cubic spline or a piecewise polynomial,由于过度拟合可能会造成危险。我建议你使用一种更健全的方法来训练51个数据点并应用于132000+数据点。 This是多项式曲线拟合和模型选择的一个很好的例子。

实施例

生成数据:

import pandas as pd
import numpy as np
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import axes3d

%matplotlib inline
import random
# set seed to reproducible
random.seed(1)
data_size = 51
max_value_range = 132651
x = np.array([random.random()*max_value_range for p in range(0,data_size)])
y = np.array([random.random()*max_value_range for p in range(0,data_size)])
z = 2*x*x*x + np.sqrt(y)*y + random.random()
fig = plt.figure(figsize=(10,6))
ax = axes3d.Axes3D(fig)
ax.scatter3D(x,y,z, c='r')

enter image description here

拟合样条和插值

x_grid = np.linspace(0, 132651, 1000*len(x))
y_grid = np.linspace(0, 132651, 1000*len(y))
B1, B2 = np.meshgrid(x_grid, y_grid, indexing='xy')
Z = np.zeros((x.size, z.size))

import scipy as sp
import scipy.interpolate
spline = sp.interpolate.Rbf(x,y,z,function='thin_plate',smooth=5, episilon=5)

Z = spline(B1,B2)
fig = plt.figure(figsize=(10,6))
ax = axes3d.Axes3D(fig)
ax.plot_wireframe(B1, B2, Z)
ax.plot_surface(B1, B2, Z,alpha=0.2)
ax.scatter3D(x,y,z, c='r')

enter image description here

在大数据上拟合样条

predict_data_size = 132000
x_predict = np.array([random.random()*max_value_range for p in range(0,predict_data_size)])
y_predict = np.array([random.random()*max_value_range for p in range(0,predict_data_size)])
z_predict = spline(x_predict, y_predict)
fig = plt.figure(figsize=(10,6))
ax = axes3d.Axes3D(fig)
ax.plot_wireframe(B1, B2, Z)
ax.plot_surface(B1, B2, Z,alpha=0.2)
ax.scatter3D(x_predict,y_predict,z_predict, c='r')

enter image description here

相关问题