python利用中心差分公式数值计算y=sin(x)在[0,2π]一阶导数,取100个数值点,并且作图与精确的导函数的值比较
时间: 2024-10-24 17:18:06 浏览: 29
fist_der_光谱;一阶导数
5星 · 资源好评率100%
在Python中,我们可以使用numpy库来计算一阶导数并生成图表。首先,我们需要导入必要的库,如numpy、matplotlib和math。然后,我们将利用中心差分公式近似导数,并计算给定区间内的各个点。中心差分公式的一个常见版本是f'(x) ≈ (f(x+h) - f(x-h)) / (2h),其中h是一个小的步长。
以下是具体的步骤:
```python
import numpy as np
import matplotlib.pyplot as plt
from math import sin
# 定义函数及其一阶导数的精确值
def derivative_approximation(x, h):
return (sin(x + h) - sin(x - h)) / (2 * h)
# 定义区间和步长
x = np.linspace(0, 2*np.pi, 100)
h = x[1] - x[0]
# 计算导数的近似值
approx_derivative = derivative_approximation(x, h)
# 准确的一阶导数(理论值)
exact_derivative = np.cos(x)
# 创建图形
plt.figure(figsize=(8, 6))
plt.plot(x, exact_derivative, 'r', label='Exact Derivative', linewidth=2)
plt.plot(x, approx_derivative, 'b', label='Approximate Derivative', linewidth=2)
plt.xlabel('x')
plt.ylabel('Derivative of y=sin(x)')
plt.title('Comparison of Approximated and Exact Derivatives')
plt.legend()
plt.grid(True)
plt.show()
# 对比两者差异
diff = abs(exact_derivative - approx_derivative)
print("Difference between approximate and exact derivatives:", diff)
```
在这个示例中,我们绘制了精确的一阶导数(红色曲线)和中心差分法的近似值(蓝色曲线)。通过比较两者的差异,你可以看到数值计算的误差大小。
阅读全文