曲率的数值计算

时间:2018-05-30 12:07:18

标签: python numpy derivative

我想计算局部曲率,即每个点。我有一组数据点,x间距相等。下面是生成曲率的代码。

data=np.loadtxt('newsorted.txt') #data with uniform spacing
x=data[:,0]
y=data[:,1]

dx = np.gradient(data[:,0]) # first derivatives
dy = np.gradient(data[:,1])

d2x = np.gradient(dx) #second derivatives
d2y = np.gradient(dy)

cur = np.abs(d2y)/(1 + dy**2))**1.5 #curvature

下面是曲率(品红色)的图像及其与分析(等式:-0.02*(x-500)**2 + 250)(纯绿色)的比较 curvature

为什么两者之间存在这么大的偏差?如何获得分析的精确值。

帮助表示感谢。

1 个答案:

答案 0 :(得分:1)

我一直在玩你的价值观,我发现它们不够平滑,无法计算曲率。事实上,即使是一阶导数也是有缺陷的。 原因如下:Few plots of given data and my interpolation

你可以看到蓝色的数据看起来像一个抛物线,它的衍生物应该看起来像一条直线,但事实并非如此。当你采用二阶导数时它会变得更糟。在红色中,这是一个平滑抛物线计算10000点(尝试100点,它的工作原理相同:完美的线条和曲率)。 我做了一个小小的剧本来“丰富”#39;你的数据,人为地增加点数,但只会变得更糟,如果你想尝试,这是我的脚本。

import numpy as np
import matplotlib.pyplot as plt

def enrich(x, y):
    x2 = []
    y2 = []
    for i in range(len(x)-1):
        x2 += [x[i], (x[i] + x[i+1]) / 2]
        y2 += [y[i], (y[i] + y[i + 1]) / 2]
    x2 += [x[-1]]
    y2 += [y[-1]]
    assert len(x2) == len(y2)
    return x2, y2

data = np.loadtxt('newsorted.txt')
x = data[:, 0]
y = data[:, 1]

for _ in range(0):
    x, y = enrich(x, y)

dx = np.gradient(x, x)  # first derivatives
dy = np.gradient(y, x)

d2x = np.gradient(dx, x)  # second derivatives
d2y = np.gradient(dy, x)

cur = np.abs(d2y) / (np.sqrt(1 + dy ** 2)) ** 1.5  # curvature


# My interpolation with a lot of points made quickly
x2 = np.linspace(400, 600, num=100)
y2 = -0.0225*(x2 - 500)**2 + 250

dy2 = np.gradient(y2, x2)

d2y2 = np.gradient(dy2, x2)

cur2 = np.abs(d2y2) / (np.sqrt(1 + dy2 ** 2)) ** 1.5  # curvature

plt.figure(1)

plt.subplot(221)
plt.plot(x, y, 'b', x2, y2, 'r')
plt.legend(['new sorted values', 'My interpolation values'])
plt.title('y=f(x)')
plt.subplot(222)
plt.plot(x, cur, 'b', x2, cur2, 'r')
plt.legend(['new sorted values', 'My interpolation values'])
plt.title('curvature')
plt.subplot(223)
plt.plot(x, dy, 'b', x2, dy2, 'r')
plt.legend(['new sorted values', 'My interpolation values'])
plt.title('dy/dx')
plt.subplot(224)
plt.plot(x, d2y, 'b', x2, d2y2, 'r')
plt.legend(['new sorted values', 'My interpolation values'])
plt.title('d2y/dx2')

plt.show()

我的建议是用抛物线插值你的数据并计算这个插值的多个点。