We consider the IVP over , with .
f = @(t,u) sin( (t+u).^2 );
a = 0; b = 4;
u0 = -1;
[t,u] = eulerivp(f,[a,b],u0,20);
plot(t,u,'.-')
xlabel('t'), ylabel('u(t)'), title('Solution by Euler''s method') % ignore this line
We could define a different interpolant to get a smoother picture above, but the derivation assumed the piecewise linear interpolant, so it is the most meaningful one. We can instead request more steps to make the interpolant look smoother.
[t,u] = eulerivp(f,[a,b],u0,200);
hold on, plot(t,u,'-')
legend('n=20','n=200','location','southwest') % ignore this line
Increasing n changed the solution noticeably. Since we know that interpolants and finite differences become more accurate as , we should expect that from Euler's method too.
We don't have an exact solution to compare to, so we will use the built-in solver ode113 with settings chosen to construct an accurate solution.
opt = odeset('abstol',5e-14,'reltol',5e-14);
uhat = ode113(f,[a,b],u0,opt);
u_exact = @(t) deval(uhat,t)';
fplot(u_exact,[a,b],'k-')
Warning: Function behaves unexpectedly on array inputs. To improve performance, properly vectorize your function to return an output with the same size and shape as the input arguments.
legend('n=20','n=200','accurate','location','southwest') % ignore this line
Now we can perform a convergence study.
n = 50*2.^(0:5)';
err = 0*n;
for j = 1:length(n)
[t,u] = eulerivp(f,[a,b],u0,n(j));
err(j) = max(abs(u_exact(t)-u));
end
table(n,err)
ans = 6×2 table
nerr
1502.9996e-02
21001.4229e-02
32006.9443e-03
44003.4295e-03
58001.7041e-03
616008.4942e-04
The error is almost perfectly halved at each step, so we expect that a log-log plot will reveal first-order convergence.
clf
loglog(n,err,'.-'), hold on
loglog(n,0.05*(n/n(1)).^(-1),'--')
axis tight, xlabel('n'), ylabel('inf-norm error') % ignore this line
title('Convergence of Euler''s method') % ignore this line
legend('error','1st order','location','southwest') % ignore this line