Step 4: Diffusion Equation in 1-D#


The one-dimensional diffusion equation is:

ut=ν2ux2

The first thing you should notice is that —unlike the previous two simple equations we have studied— this equation has a second-order derivative. We first need to learn what to do with it!

Discretizing 2ux2#

The second-order derivative can be represented geometrically as the line tangent to the curve given by the first derivative. We will discretize the second-order derivative with a Central Difference scheme: a combination of Forward Difference and Backward Difference of the first derivative. Consider the Taylor expansion of ui+1 and ui1 around ui:

ui+1=ui+Δxux|i+Δx222ux2|i+Δx33!3ux3|i+O(Δx4)

ui1=uiΔxux|i+Δx222ux2|iΔx33!3ux3|i+O(Δx4)

If we add these two expansions, you can see that the odd-numbered derivative terms will cancel each other out. If we neglect any terms of O(Δx4) or higher (and really, those are very small), then we can rearrange the sum of these two expansions to solve for our second-derivative.

ui+1+ui1=2ui+Δx22ux2|i+O(Δx4)

Then rearrange to solve for 2ux2|i and the result is:

2ux2=ui+12ui+ui1Δx2+O(Δx2)

Back to Step 4#

We can now write the discretized version of the diffusion equation in 1D:

uin+1uinΔt=νui+1n2uin+ui1nΔx2

As before, we notice that once we have an initial condition, the only unknown is uin+1, so we re-arrange the equation solving for our unknown:

uin+1=uin+νΔtΔx2(ui+1n2uin+ui1n)

The above discrete equation allows us to write a program to advance a solution in time. But we need an initial condition. Let’s continue using our favorite: the hat function. So, at t=0, u=2 in the interval 0.5x1 and u=1 everywhere else. We are ready to go!

import numpy as np
from matplotlib import pyplot as plt
nx = 41
dx = 2 / (nx - 1)
nt = 20 # the number of timesteps
nu = 0.3 # diffusion coefficient
sigma = 0.2 # sigma is a numerical parameter, we will learn it later
dt = sigma * dx**2 / nu  # dt is defined using sigma 

u = np.ones(nx) # a numpy array with nx elements all equal to 1
u[int(0.5/dx):int(1/dx+1)] = 2 # setting u = 2 between 0.5 and 1 

un = np.ones(nx) # our placeholder array to advance the solution in time

for n in range(nt): # iterate through 0 to nt-1, in total nt steps
    un = u.copy() # copy the existing values of u into un
    for i in range(1, nx-1): # skip first and last component!
        u[i] = un[i] + nu * dt / dx**2 * (un[i+1] - 2 * un[i] + un[i-1])
        
plt.plot(np.linspace(0,2,nx),u)
[<matplotlib.lines.Line2D at 0x7f27c8150550>]
_images/cd9646958269b2c237c943321ccc83df86cd16c0c3a0f09e8decafad73ad4b59.png