我想整合一个定义的函数,该函数乘以勒让德多项式。
不幸的是,我找不到如何在documentation中使用x的第n个勒让德多项式。我想在n = 1,..., 50
时整合x的每个勒让德多项式,所以我设置了n = np.arange(1, 51, 1)
。
import numpy as np
import pylab
from scipy import integrate
n = np.arange(1, 51, 1)
def f(x):
if 0 <= x <= 1:
return 1
if -1 <= x <= 0:
return -1
我想我需要定义另一个函数,让我们说u(x)
。
c = []
def u(x):
c.append((2. * n + 1) / 2. * integrate.quad(f(x) * insert Legendre polynomials here, -1., 1.))
return sum(c * Legendre poly, for nn in range(1, 51))
所以我会返回一些u(x)
,前50个术语通过勒让德多项式扩展我的分段函数。
修改1:
如果无法做到这一点,我可以使用罗德里格斯公式来计算第n个勒让德多项式。但是,当我在Python中寻找计算n阶导数时,我找不到任何有用的东西。
P_n(x) = \frac{1}{2^n n!}\frac{d^n}{dx^n}(x^2 - 1)^n
如果有人知道如何在Python中实现这样的方案,那么这是一个选项。
编辑2:
使用Saullo Castro的答案,我有:
import numpy as np
from scipy.integrate import quad
def f(x, coef):
global p
p = np.polynomial.legendre.Legendre(coef=coef)
if 0 <= x <= 1:
return 1*p(x)
if -1 <= x <= 0:
return -1*p(x)
c = []
for n in range(1, 51):
c.append((2. * n + 1.) / 2. * quad(f, -1, 1, args=range(1,n+1))[0])
def g(x)
return sum(c * p(x) for n in range(1, 51))
但是,如果我打印c
,则值是错误的。值应为1.5, 0, -7/8, 0, ...
另外,当我绘制g
时,我想x = np.linspace(-1, 1, 500000)
,所以情节详细,但c
只有50。如何实现?
答案 0 :(得分:6)
如果我正确理解你的问题,你想计算f(x)* Ln(x)的积分,其中f(x)是你用python函数定义的分段函数。我假设你对这个特定的步骤函数并不特别感兴趣。
您可以使用legval和系数参数的单位矩阵来获取勒让德多项式的值。
import numpy as np
import matplotlib
x = np.linspace(-1, 1, 201)
L = np.polynomial.legendre.legval(x, np.identity(50))
plt.plot(x, L.T)
然后,您可以使用正交执行积分。使用高斯 - 图例正交可能更有效,因为图例多项式的积分对于Ln(x)是精确的,其中n小于正交尺寸。
import numpy as np
from numpy.polynomial.legendre import leggauss, legval
def f(x):
if 0 <= x <= 1:
return 1
if -1 <= x <= 0:
return -1
# of course you could write a vectorized version of
# this particular f(x), but I assume you have a more
# general piecewise function
f = np.vectorize(f)
deg = 100
x, w = leggauss(deg) # len(x) == 100
L = np.polynomial.legendre.legval(x, np.identity(deg))
# Sum L(xi)*f(xi)*wi
integral = (L*(f(x)*w)[None,:]).sum(axis=1)
c = (np.arange(1,51) + 0.5) * integral[1:51]
x_fine = np.linspace(-1, 1, 2001) # 2001 points
Lfine = np.polynomial.legendre.legval(x_fine, np.identity(51))
# sum_1_50 of c(n) * Ln(x_fine)
cLn_sum = (c[:,None] * Lfine[1:51,:]).sum(axis=0)
c = 1.5,0,-8.75e-1,0,......我认为这是你正在寻找的结果。
答案 1 :(得分:2)
您可以进行以下整合:
import numpy as np
from scipy.integrate import quad
def f(x, coef):
n = coef[-1]
p = (2*n+1)/2.*np.polynomial.legendre.Legendre(coef=coef)
if 0 <= x <= 1:
return 1*p(x)
if -1 <= x <= 0:
return -1*p(x)
c = []
for n in range(1, 51):
c.append(quad(f, -1, 1, args=range(1,n+1))[0])
这就是:
print c
#[0.0, 5.0, 6.9999999999999991, 4.5, ... , 62.975635570615466, 64.274102283412574, 77.143785770271251]