5.1. Piecewise integration#
We want to integrate a function \(f(x)\) from \(a\) to \(b\). Similarly to the numerical derivative problems, there are two different cases. In one case, a closed form expression of the function is known and we can evaluate the function value at any point of \(x \in [a,b]\). In the other case, the function values are given as a finite sequence \(f_n = f(x_n), n=0, \cdots, N\) and the analytical expression of the function is unknown. In this section, we focus on the former case and the latter case will be discussed in a later chapter.
data:image/s3,"s3://crabby-images/02808/02808c09f7fc0e4e463f0179ab4711be5d927380" alt="../_images/int_rectangle.png"
Fig. 5.1 The forward (left) and backward (right) recutangular rules are illustrated. The integral is the sum of the shadowed area of all boxes shown in the diagrams.#
5.1.1. Rectangular methods#
We begin with the Rieman’s definition of integral:
where \(h =(b-a)/N\) and \(x_n=a + n\, h\). Note that \(h\) depends on \(N\). Numerical methods do not understand this kind of limit since it ends up with \(\infty \times 0\). Beside, summing infinitely many terms costs infinite CPU time. We hope that sufficiently large \(N\) (i.e., sufficiently small \(h>0\)) gives a value close to the exact integral. This is the rectangular rule. There are two ways to form a set of boxes. In the forward rectangular method, the left edge of the rectangle matches to the curve. See the left panel of Fig. Fig. 5.1. Mathematically, it is expressed as
Similarly, in the backward rectangular method (the right panel of Fig. Fig. 5.1) , the right edge of the rectangle matches the curve and thus we have
In the rectangular method, the curve is approximated by piecewise constants: for \(x \in (x_n,x_{n+1}), f(x)=c_n\). Then, each piece is integrated analytically, that is
The forward rectangular method used \(c_n = f(x_n)\) and the backward rectangular method \(c_n = f(x_{n+1})\).
Alrgorithm 3.1.1: Forward rectangular rule
Set \(s=0.0\) where \(s\) should be double (float64).
Repeat steps 4-6 for \(n=0\) to \(n=N-1\):
\(x=a+n*h\).
\(s=s+f(x)\).
Go back to step 4 and repeat with new \(n\).
The integral is given by \(s*h\).
As seen in Fig. Fig. 5.1 the rectangular method seems not accurate. To analyze the accuracy, we consider a small integral interval from \(x_{n}\) to \(x_{n+1}=x_n+h\). Expanding the integral with respect to \(h\) (See Appendix \ref{ap:int_expand}), the integral is expressed as power series of \(h\):
Then, the whole integral in the forward scheme is expressed as
By neglecting \(h^2\) and higher orders, we obtain the rectangular rule. Therefore, the error of the rectangular rule is the order of \(h^2\) per segment. Since there are \(N\) segments, the total error is order of \(h^2 N = (b-a) h\). Hence, the total error is the order of \(h\). You might think that if a very small value of \(h\) is used the error is negligible. Unfortunately, the round-off error gets too large when \(N\) is too large (See Sec Section 1.5). In practice, this method is rarely used.
Example 3.1.1
Let’s integrate \(f(x)=x^2 \sin(x)\) from \(x=0\) to \(x=4\pi\) using the rectangular rule. The exact answer is \(\int_0^{4 \pi} \cos(x) dx =8 \pi\). First we plot the function to see hpw the curve looks like.
import numpy as np
import matplotlib.pyplot as plt
a = 0
b = 4.0*np.pi
x = a + np.linspace(a,b,101)
f = x**2*np.cos(x)
plt.figure(figsize=(4,3))
plt.xlabel("x")
plt.ylabel("f(x)")
plt.plot(x,f)
[<matplotlib.lines.Line2D at 0x7fb036971120>]
data:image/s3,"s3://crabby-images/3ad37/3ad374fbd2da482569fb6575edc315fbfa555141" alt="../_images/12b2c74dbb31168ab02f275eb14dd21541851bfc115278d46975b17dbdcfaa25.png"
The curve oscillates and gets steeper as \(x\) increases. In addition, the functiopn value does not vanish at the upper integral limit. The rectangular rule is not suitabgle for this type of curve. In the following example code, we evaluate integral using \(N=2^{k+2},\, k=0, \cdots (k_\text{max}-1)\). The step size is given by \(h=4\pi/N\). We plot the integral and absolute error as a function of \(h\).
# Integration of x^2 cos(x) by the rectangular rule.
import numpy as np
import matplotlib.pyplot as plt
# Set the lower and upper bound of the integration.
a=0.
b=4.0*np.pi
# exact value is known.
exact = 8.0*np.pi
# the number of evaluation points
kmax=15
# allocate arrays
h=np.zeros(kmax)
integral=np.zeros(kmax)
error=np.zeros(kmax)
# loop over different step size
for k in range(0,kmax):
# set the number of steps
N=2**(k+2)
# set the step size
h[k]=(b-a)/N
# the locations where the function is evaluated.
x = a + np.linspace(a,b,N+1)
# function values
f = x**2*np.cos(x)
# rectangluar rule
integral[k]=f[0:N].sum()*h[k]
# absolute error
error[k]=abs(integral[k]-exact)
# reset x and f for next cycle
del x
del f
# Plot data
plt.ioff()
plt.figure(figsize=(10,3))
# plot of the integral
plt.subplot(1,2,1)
plt.semilogx(h,integral,"-k",label="rectangular")
plt.semilogx([h[0],h[kmax-1]],[exact,exact],"--r",label="exact")
plt.legend(loc=0)
plt.xlabel("h")
plt.ylabel("Integral")
# plot of the absolute error
plt.subplot(1,2,2)
plt.loglog(h,error, "ob", label="rectangular")
plt.loglog(h,h,"--r",label='$h$')
plt.legend(loc=4)
plt.xlabel("h")
plt.ylabel("Error")
plt.show()
data:image/s3,"s3://crabby-images/16d14/16d14e846bb88f369a332e23293383403a5d38ca" alt="../_images/428a319b285339a2e9315d681bc40942cf04e9c581608a0ef280d8c6074ca471.png"
From naked eyes (left panel), the integral looks converging well below \(h=10^{-2}\). However, the actual error (right panel) shows that the error is still significant. The error is propotional to \(h\) as the theory predicts.
5.1.2. Trapezoidal rule#
Istead of approximating with piecewise constant lines, fitting each segment of the curve with a linear function. For \(x \in [x_n, x_{n+1}]\), we approximate function \(f(x)\) with a linear equation \(a x + b\) such that \(f(x_n)= a x_n + b\) and \(f(x_{n+1}) = a x_{n+1}+b\). Then, the area below the linear line, which is a trapezoid, approximates the integral of the segment. See Fig. Fig. 5.2 Hence,
Adding all segments, we obtain the trapezoidal rule
Notice that this formula is equivalen to the average of the forward and backward rectangular methods. Note also that the difference between the trapezoidal rule and the rectangular rule is only how the end points \(f(a)\) and \(f(b)\) are treated.
data:image/s3,"s3://crabby-images/bcb87/bcb878f947eaa255a7c84208a397a9e2581edf8e" alt="../_images/int_trapezoid.png"
Fig. 5.2 The trapezoidal rule is illustrated. The integral is approximated by the shadowed area of all trapezoids shown in the diagrams.#
Let us find the order of error by substituting the forward finite difference method, \(f'(x_n) = \displaystyle\frac{f(x_n+h)-f(x_n)}{h}+\mathcal{O}(h)\) into Eq. (5.3):
If \(h^3\) and higher orders is ignored, we obtain the trapezoid rule. Hence, the trapezoidal rule is locally accurate up to \(h^2\), better than the rectangular rule. The total error is the order of \(h^3 N =(b-a) h^2\). The trapezoidal method is commonly used due to its simplicity and reasonable accuracy. Interestingly, if the function vanishes at the integral limits, \(f(a)=f(b)=0\), then the rectangular rule produces exactly the same result as the trapezoidal rule.
Alrgorithm 3.1.2: Trapezoidal rule
Choose an appropriate N (often through try and error).
Get the step length: \(h=\displaystyle\frac{b-a}{N}\)
Generate evaluation points \(x_n = a + n h,\, n=0,\cdots N\).
Evaluate function values: \(f_n = f(x_n)\)
Add up all \(f_n\).
Apply the boundary correction, that is subtract \(f(x_0)+f(x_n)\).
Multiply \(h\),
Example 3.1.2
We solve the same integral as Example 3.1.1 using the trapezoidal rule. The oscillation function suggests that the curve gets steep between the tops and the bottoms. The trapezoidal rule takes into account the slope. The major soure of error is the big curvature at the tops and the bottoms.
# Integration of x^2 cos(x) by the rectangular rule.
import numpy as np
import matplotlib.pyplot as plt
# Set the lower and upper bound of the integration.
a=0.
b=4.0*np.pi
# exact value is known.
exact = 8.0*np.pi
# the number of evaluation points
kmax=15
# allocate arrays
h=np.zeros(kmax)
integral=np.zeros(kmax)
error=np.zeros(kmax)
# loop over different step size
for k in range(0,kmax):
# set the number of steps
N=2**(k+2)
# set the step size
h[k]=(b-a)/N
# the locations where the function is evaluated.
x = a + np.linspace(a,b,N+1)
# function values
f = x**2*np.cos(x)
# trapezoidal rule
integral[k]=f.sum()*h[k]-(f[0]+f[N])*h[k]/2.
# absolute error
error[k]=abs(integral[k]-exact)
# reset x and f for next cycle
del x
del f
# Plot data
plt.ioff()
plt.figure(figsize=(10,3))
# plot of the integral
plt.subplot(1,2,1)
plt.semilogx(h,integral,"-k",label="trapezoid")
plt.semilogx([h[0],h[kmax-1]],[exact,exact],"--r",label="exact")
plt.legend(loc=0)
plt.xlabel("h")
plt.ylabel("Integral")
# plot of the absolute error
plt.subplot(1,2,2)
plt.loglog(h,error, "ob", label="trapezoid")
plt.loglog(h,h**2,"--r",label='$h^2$')
plt.legend(loc=4)
plt.xlabel("h")
plt.ylabel("Error")
plt.show()
data:image/s3,"s3://crabby-images/bbf92/bbf926fa5a03c7b74f0863da7f19c55be6ca4201" alt="../_images/0a53c76263f75cb96fb490aedb87a61d9b225ddd1b9dc5b54c9b4f505483b551.png"
The integral seems converging faster than the rectangular rule in Example 3.1.1. The absolute error also shows that indeed the error decreasing much faster. The arror is in propotion to \(h^2\) as expected from the theory.
5.1.3. Simpson’s rule#
The rectangular method takes into account opnly the first term in the expansion (5.3) and ignores the first order derivative \(f'(x)\). The trapezoidal method includes the derivative information but ignores the second order derivative \(f''(x)\). On other words, it take into account the slope of the curve but not the curvature Natural extension to this line of approximation is to take into account the curvature or \(f''(x)\). Recall that the evaluation of \(f''(x)\) requires at least three data points (See Sec Section 3.3.) Hence, we consider another interval \([x_{n-1},x_n]\):
By adding Eqs. (5.3) and (5.6), we find an approximated integral as
Note that the fourth order term is canceled out, which makes this approximation accurate.
Substituting the finite difference formula of the second order derivative Eq. (3.3) into Eq. (5.7), we find the integral
which leads to local error at the order of \(h^5\). Repeating this formular, we obtain the Simpson rule
The error of the Simpson’s rule is the order of \(h^5\) per segment and thus \(h^4\) for the whole integral which is two orders of magnitude better than that of the trapezoidal rule.
Alrgorithm 3.1.3: Simpson’s rule
Set the number of evaluation points \(N\) which should be a even integer.
Set the step length: \(h=\displaystyle\frac{b-a}{N}\)
Set \(s=-f(a)-f(b)\) where \(s\) should be double (float64).
Repeat steps 4-6 for \(j=0\) to \(j=N/2-1\):
\(x=a+2*j*h\).
\(s=s+2.0*f(x)+4.0*f(x+h)\).
Go back to step 4 and repeat with new \(j\).
The integral is given by \(s*h/3.0\).
Example 3.1.3
We solve the same integral as Example 3.1.1 using the Simplson’s rule. The slope and the curvature are both taken care of by the Simpson’s rule. Hence, we expect a very good result.
# Integration of x^2 cos(x) by the Simpson's rule.
import numpy as np
import matplotlib.pyplot as plt
# Set the lower and upper bound of the integration.
a=0.
b=4.0*np.pi
# exact value is known.
exact = 8.0*np.pi
# the number of evaluation points
kmax=15
# allocate arrays
h=np.zeros(kmax)
integral=np.zeros(kmax)
error=np.zeros(kmax)
# loop over different step size
for k in range(0,kmax):
# set the number of steps
N=2**(k+2)
# set the step size
h[k]=(b-a)/N
# the locations where the function is evaluated.
x = a + np.linspace(a,b,N+1)
# function values
f = x**2*np.cos(x)
# trapezoidal rule
integral[k]=(2.0*f[0:N-1:2].sum()+4.0*f[1:N:2].sum()-f[0]+f[N])*h[k]/3.
# absolute error
error[k]=abs(integral[k]-exact)
# reset x and f for next cycle
del x
del f
# Plot data
plt.ioff()
plt.figure(figsize=(10,3))
# plot of the integral
plt.subplot(1,2,1)
plt.semilogx(h,integral,"-k",label="Simpson's")
plt.semilogx([h[0],h[kmax-1]],[exact,exact],"--r",label="exact")
plt.legend(loc=0)
plt.xlabel("h")
plt.ylabel("Integral")
# plot of the absolute error
plt.subplot(1,2,2)
plt.loglog(h,error, "ob", label="Simpson's")
plt.loglog(h,h**4,"--r",label='$h^4$')
plt.legend(loc=4)
plt.xlabel("h")
plt.ylabel("Error")
plt.show()
data:image/s3,"s3://crabby-images/c085b/c085ba4b87c6a70c2d4d9d97cdcc2131e88efd87" alt="../_images/355aeb1cfdc51fb1d5be6f089ed4ff9c4384f5b44b05e9cc1bb1b842b2779433.png"
The convergency is remarkably faster compared to the two previous methods. The error is at the order of \(h^4\) as theoretically estimated. Note also that the round-off error is visible below \(h=10^{-3}\).
5.1.4. Canned routines#
The trapezoidal and Simplson’s rules are widely used in neumerical computations. There are many preprogrmamed pacakges so that you don’t have to write your own code. Nothing is worng with using the canned routines. However, we must know the limitation of the methods the routines use or otherwise your calculation may not be accurate.
A python package scipy contains a large number of canned routines for scientific computation, including trapzoid
(trapezoidal rule) and simpson
(Simpson’s rule). The following example uses the simpson
subroutine.
Example 3.1.4
We solve the same integral as Example 3.1.1 using simpson in scipy. See reference manual.
# Integration of x^2 cos(x) using the canned routines `simpson` in scipy.
import numpy as np
import matplotlib.pyplot as plt
# load the scipy integral package
import scipy.integrate as integrate
# Set the lower and upper bound of the integration.
a=0.
b=4.0*np.pi
# exact value is known.
exact = 8.0*np.pi
# the number of evaluation points
kmax=15
# allocate arrays
h=np.zeros(kmax)
integral=np.zeros(kmax)
error=np.zeros(kmax)
# loop over different step size
for k in range(0,kmax):
# set the number of steps
N=2**(k+2)
# set the step size
h[k]=(b-a)/N
# the locations where the function is evaluated.
x = a + np.linspace(a,b,N+1)
# function values
f = x**2*np.cos(x)
# Simpson subroutine from scipy.
integral[k]=integrate.simpson(f,x=x)
# absolute error
error[k]=abs(integral[k]-exact)
# reset x and f for next cycle
del x
del f
# Plot data
plt.ioff()
plt.figure(figsize=(10,3))
# plot of the integral
plt.subplot(1,2,1)
plt.semilogx(h,integral,"-k",label="simpson in scipy")
plt.semilogx([h[0],h[kmax-1]],[exact,exact],"--r",label="exact")
plt.legend(loc=0)
plt.xlabel("h")
plt.ylabel("Integral")
# plot of the absolute error
plt.subplot(1,2,2)
plt.loglog(h,error, "ob", label="simpson in scipy")
plt.loglog(h,h**4,"--r",label="$h^4$")
plt.legend(loc=4)
plt.xlabel("h")
plt.ylabel("Error")
plt.show()
data:image/s3,"s3://crabby-images/86548/86548a2f8ed4c3c04b1b4c7065cef9a071711c75" alt="../_images/ab33ad7808b1682e5d7af2af529bbfe3aba07a9eb579b854565315198be574c7.png"
The result is identical to that of Example 3.1.3.
Exercise: Numerically evaluate \(\int_0^{2 n \pi} e^{-x} \cos(x)\, dx\) where \(n\) is integer. The exact answer is \(\frac{1}{2}\left(1-e^{-2 n \pi}\right)\). Try \(n=4\). At least 6 digits of the result should agree with the exact value.
5.1.5. Clenshaw–Curtis quadrature#
Simpson’s method provides adequate accuracy for most of application. There are even better methods, for example, Clenshaw–Curtis quadrature. The algorithm is a bit more complicated. The idea is to convert the original integral to another form of integral suitable for neumarical integration by variable transformations and the Fourier cosine expansion. See Wikipedia page for details.
Scipy provides a canned routine quad
which uses the Clenshaw–Curtis quadrature. You can compute \(\int_a^b f(x) dx\) by just calling quad(f(x),a,b)
. You dont have to specify the stempsize \(h\) nor the number of steps \(N\). It is automatically It returns the integral value and the absolute error in a tuple.
In most cases, the error is close to the round-off limit. See the following example.
Example 3.1.4 We solve the same integral as Example 3.1.1 using quad in scipy.
import numpy as np
import scipy.integrate as integrate
y=integrate.quad(lambda x: x**2*np.cos(x),0.0,4.0*np.pi)
print("scipy quad:", y[0])
print(" exact:",8*np.pi)
print("abs. error:",y[1])
scipy quad: 25.13274122871832
exact: 25.132741228718345
abs. error: 4.7354927655701164e-12
Notice that the agreement with the exact value is 15 digits, which is the best we can do with the double precision.
Updated on 2/21/2024 by R. Kawai