RBF-FD アプローチを明示的に使用して、関数のラプラシアンを見つけようとしています。関数は
def func(x,z):
return np.sin(np.pi*x)*np.cos(np.pi*z/2)
f = func(points[:, 0], points[:, 1]).reshape(nx, nz)
そしてそのラプラシアンの解析解は
def laplace_abs(x, z):
return -5/4*(np.pi**2)*np.sin(np.pi*x)*np.cos(np.pi*z/2)
laplace_abs = laplace_abs(points[:, 0], points[:, 1]).reshape(nx, nz)
パラメータは次のとおりです。
nx = 101
nz = nx
dx = 0.01
dz = dx
x = np.linspace(0, 1, nx)
z = np.linspace(0, 1, nz)
d2px = np.zeros((nz, nx))
d2pz = np.zeros((nz, nx))
X, Z = np.meshgrid(x, z)
points = np.column_stack([X.ravel(), Z.ravel()])
stencil = 5
size = len(points)
次に、FDM のような 5 ポイント ステンシルの RBF-FD 係数を見つけようとしています。係数を見つけた後、ラプラシアン値を加重和として表す必要があります。関連する式は次のとおりです。
コードの主要部分は次のとおりです。
def get_fd_indices():
nbrs = NearestNeighbors(n_neighbors=stencil, algorithm='ball_tree', metric='euclidean').fit(points)
return nbrs.kneighbors(points)
distances, indices = get_fd_indices()
r = distances
RHS = np.where(distances != 0, r**2*(16*np.log(r)+8), 0)
def LHS(x, xi):
R = np.zeros((size,stencil,stencil))
for i in range(size):
R[i] = distance.cdist(x[i], x[i], 'euclidean')
LHS = np.where(R != 0, R**4*np.log(R), 0)
return LHS
LHS = LHS(points[indices], points[indices])
def get_coef(LHS, RHS):
c = np.zeros((size, stencil, 1))
for i in range(size):
Left = LHS[i]
Right = RHS[i].reshape((stencil,1))
c[i] = LA.pinv(Left).dot(Right)
return c
c = get_coef(LHS, RHS)
values = f.ravel()
laplaceRBF = np.zeros(size)
for i in range(size):
index = indices[i]
laplaceRBF[i] = np.sum(values[index]*c[i])
laplaceRBF = laplaceRBF.reshape(nx, nz)
FDMソリューションと同様の結果が得られると期待しています
def FDM(f, dx):
for i in range(1, nx - 1):
d2px[i, :] = (f[i - 1, :] - 2 * f[i, :] + f[i + 1, :]) / dx ** 2
for j in range(1, nz - 1):
d2pz[:, j] = (f[:, j - 1] - 2 * f[:, j] + f[:, j + 1]) / dz ** 2
return d2px+d2pz
FDM = FDM(f, dx)
現在、RBF-FD の結果は FDM とはまったく異なります。RBF-FD 実現のエラー。何が悪いのか教えてください。