9. Consumption Smoothing#
9.1. Overview#
Technically, this lecture is a sequel to this quantecon lecture present values, although it might not seem so at first.
It will take a while for a “present value” or asset price explicilty to appear in this lecture, but when it does it will be a key actor.
In this lecture, we’ll study a famous model of the “consumption function” that Milton Friedman [Fri56] and Robert Hall [Hal78]) proposed to fit some empirical data patterns that the simple Keynesian model described in this quantecon lecture geometric series had missed.
The key insight of Friedman and Hall was that today’s consumption ought not to depend just on today’s non-financial income: it should also depend on a person’s anticipations of her future non-financial incomes at various dates.
In this lecture, we’ll study what is sometimes called the “consumption-smoothing model” using only linear algebra, in particular matrix multiplication and matrix inversion.
Formulas presented in present value formulas are at the core of the consumption smoothing model because they are used to define a consumer’s “human wealth”.
As usual, we’ll start with by importing some Python modules.
import numpy as np
import matplotlib.pyplot as plt
from collections import namedtuple
Our model describes the behavior of a consumer who lives from time \(t=0, 1, \ldots, T\), receives a stream \(\{y_t\}_{t=0}^T\) of non-financial income and chooses a consumption stream \(\{c_t\}_{t=0}^T\).
We usually think of the non-financial income stream as coming from the person’s salary from supplying labor.
The model takes that non-financial income stream as an input, regarding it as “exogenous” in the sense of not being determined by the model.
The consumer faces a gross interest rate of \(R >1\) that is constant over time, at which she is free to borrow or lend, up to some limits that we’ll describe below.
To set up the model, let
\(T \geq 2\) be a positive integer that constitutes a time-horizon
\(y = \{y_t\}_{t=0}^T\) be an exogenous sequence of non-negative non-financial incomes \(y_t\)
\(a = \{a_t\}_{t=0}^{T+1}\) be a sequence of financial wealth
\(c = \{c_t\}_{t=0}^T\) be a sequence of non-negative consumption rates
\(R \geq 1\) be a fixed gross one period rate of return on financial assets
\(\beta \in (0,1)\) be a fixed discount factor
\(a_0\) be a given initial level of financial assets
\(a_{T+1} \geq 0\) be a terminal condition on final assets
While the sequence of financial wealth \(a\) is to be determined by the model, it must satisfy two boundary conditions that require it to be equal to \(a_0\) at time \(0\) and \(a_{T+1}\) at time \(T+1\).
The terminal condition \(a_{T+1} \geq 0\) requires that the consumer not die leaving debts.
(We’ll see that a utility maximizing consumer won’t want to die leaving positive assets, so she’ll arrange her affairs to make $a_{T+1} = 0.)
The consumer faces a sequence of budget constraints that constrains the triple of sequences \(y, c, a\)
Notice that there are \(T+1\) such budget constraints, one for each \(t=0, 1, \ldots, T\).
Given a sequence \(y\) of non-financial income, there is a big set of pairs \((a, c)\) of (financial wealth, consumption) sequences that satisfy the sequence of budget constraints (9.1).
Our model has the following logical flow.
start with an exogenous non-financial income sequence \(y\), an initial financial wealth \(a_0\), and a candidate consumption path \(c\).
use the system of equations (9.1) for \(t=0, \ldots, T\) to compute a path \(a\) of financial wealth
verify that \(a_{T+1}\) satisfies the terminal wealth constraint \(a_{T+1} \geq 0\).
If it does, declare that the candidate path is budget feasible.
if the candidate consumption path is not budget feasible, propose a path with less consumption sometimes and start over
Below, we’ll describe how to execute these steps using linear algebra – matrix inversion and multiplication.
The above procedure seems like a sensible way to find “budget-feasible” consumption paths \(c\), i.e., paths that are consistent with the exogenous non-financial income stream \(y\), the initial financial asset level \(a_0\), and the terminal asset level \(a_{T+1}\).
In general, there will be many budget feasible consumption paths \(c\).
Among all budget-feasible consumption paths, which one should the consumer want to choose?
We shall eventually evaluate alternative budget feasible consumption paths \(c\) using the following welfare criterion
where \(g_1 > 0, g_2 > 0\).
The fact that the utility function \(g_1 c_t - \frac{g_2}{2} c_t^2\) has diminishing marginal utility imparts a preference for consumption that is very smooth when \(\beta R \approx 1\).
Indeed, we shall see that when \(\beta R = 1\) (a condition assumed by Milton Friedman [Fri56] and Robert Hall [Hal78]), this criterion assigns higher welfare to smoother consumption paths.
By smoother we mean as close as possible to being constant over time.
The preference for smooth consumption paths that is built into the model gives it the name “consumption smoothing model”.
Let’s dive in and do some calculations that will help us understand how the model works.
Here we use default parameters \(R = 1.05\), \(g_1 = 1\), \(g_2 = 1/2\), and \(T = 65\).
We create a namedtuple to store these parameters with default values.
ConsumptionSmoothing = namedtuple("ConsumptionSmoothing",
["R", "g1", "g2", "β_seq", "T"])
def creat_cs_model(R=1.05, g1=1, g2=1/2, T=65):
β = 1/R
β_seq = np.array([β**i for i in range(T+1)])
return ConsumptionSmoothing(R=1.05, g1=1, g2=1/2,
β_seq=β_seq, T=65)
9.2. Friedman-Hall consumption-smoothing model#
A key object in the model is what Milton Friedman called “human” or “non-financial” wealth at time \(0\):
Human or non-financial wealth is evidently just the present value at time \(0\) of the consumer’s non-financial income stream \(y\).
Notice that formally it very much resembles the asset price that we computed in this quantecon lecture present values.
Indeed, this is why Milton Friedman called it “human capital”.
By iterating on equation (9.1) and imposing the terminal condition
it is possible to convert a sequence of budget constraints into the single intertemporal constraint
which says that the present value of the consumption stream equals the sum of finanical and non-financial (or human) wealth.
Robert Hall [Hal78] showed that when \(\beta R = 1\), a condition Milton Friedman had also assumed, it is “optimal” for a consumer to smooth consumption by setting
(Later we’ll present a “variational argument” that shows that this constant path is indeed optimal when \(\beta R =1\).)
In this case, we can use the intertemporal budget constraint to write
Equation (9.3) is the consumption-smoothing model in a nutshell.
9.3. Mechanics of Consumption smoothing model#
As promised, we’ll provide step by step instructions on how to use linear algebra, readily implemented in Python, to compute all the objects in play in the consumption-smoothing model.
In the calculations below, we’ll set default values of \(R > 1\), e.g., \(R = 1.05\), and \(\beta = R^{-1}\).
9.3.1. Step 1#
For some \((T+1) \times 1\) \(y\) vector, use matrix algebra to compute \(h_0\)
9.3.2. Step 2#
Compute the optimal level of consumption \(c_0 \)
9.3.3. Step 3#
In this step, we use the system of equations (9.1) for \(t=0, \ldots, T\) to compute a path \(a\) of financial wealth.
To do this, we translated that system of difference equations into a single matrix equation as follows (we’ll say more about the mechanics of using linear algebra to solve such difference equations later in the last part of this lecture):
Multiply both sides by the inverse of the matrix on the left side to compute
It should turn out automatically that
We have built into the our calculations that the consumer leaves life with exactly zero assets, just barely satisfying the terminal condition that \(a_{T+1} \geq 0\).
Let’s verify this with our Python code.
First we implement this model in compute_optimal
def compute_optimal(model, a0, y_seq):
R, T = model.R, model.T
# non-financial wealth
h0 = model.β_seq @ y_seq # since β = 1/R
# c0
c0 = (1 - 1/R) / (1 - (1/R)**(T+1)) * (a0 + h0)
c_seq = c0*np.ones(T+1)
# verify
A = np.diag(-R*np.ones(T), k=-1) + np.eye(T+1)
b = y_seq - c_seq
b[0] = b[0] + a0
a_seq = np.linalg.inv(A) @ b
a_seq = np.concatenate([[a0], a_seq])
return c_seq, a_seq
We use an example where the consumer inherits \(a_0<0\) (which can be interpreted as a student debt).
The non-financial process \(\{y_t\}_{t=0}^{T}\) is constant and positive up to \(t=45\) and then becomes zero afterward.
# Financial wealth
a0 = -2 # such as "student debt"
# non-financial Income process
y_seq = np.concatenate([np.ones(46), np.zeros(20)])
cs_model = creat_cs_model()
c_seq, a_seq = compute_optimal(cs_model, a0, y_seq)
print('check a_T+1=0:',
np.abs(a_seq[-1] - 0) <= 1e-8)
check a_T+1=0: True
The visualization shows the path of non-financial income, consumption, and financial assets.
# Sequence Length
T = cs_model.T
plt.plot(range(T+1), y_seq, label='non-financial income')
plt.plot(range(T+1), c_seq, label='consumption')
plt.plot(range(T+2), a_seq, label='financial wealth')
plt.plot(range(T+2), np.zeros(T+2), '--')
plt.legend()
plt.xlabel(r'$t$')
plt.ylabel(r'$c_t,y_t,a_t$')
plt.show()
Note that \(a_{T+1} = 0\) is satisfied.
We can further evaluate the welfare using the formula (9.2)
def welfare(model, c_seq):
β_seq, g1, g2 = model.β_seq, model.g1, model.g2
u_seq = g1 * c_seq - g2/2 * c_seq**2
return β_seq @ u_seq
print('Welfare:', welfare(cs_model, c_seq))
Welfare: 13.285050962183433
9.3.4. Feasible consumption variations#
Earlier, we had promised to present an argument that supports our claim that a constant consumption play \(c_t = c_0\) for all \(t\) is optimal.
Let’s do that now.
Although simple and direct, the approach we’ll take is actually an example of what is called the “calculus of variations”.
Let’s dive in and see what the key idea is.
To explore what types of consumption paths are welfare-improving, we shall create an admissible consumption path variation sequence \(\{v_t\}_{t=0}^T\) that satisfies
This equation says that the present value of admissible variations must be zero.
(So once again, we encounter our formula for the present value of an “asset”.)
Here we’ll compute a two-parameter class of admissible variations of the form
We say two and not three-parameter class because \(\xi_0\) will be a function of \((\phi, \xi_1; R)\) that guarantees that the variation is feasible.
Let’s compute that function.
We require
which implies that
which implies that
which implies that
This is our formula for \(\xi_0\).
Evidently, if \(c^o\) is a budget-feasible consumption path, then so is \(c^o + v\), where \(v\) is a budget-feasible variation.
Given \(R\), we thus have a two parameter class of budget feasible variations \(v\) that we can use to compute alternative consumption paths, then evaluate their welfare.
Now let’s compute and visualize the variations
def compute_variation(model, ξ1, ϕ, a0, y_seq, verbose=1):
R, T, β_seq = model.R, model.T, model.β_seq
ξ0 = ξ1*((1 - 1/R) / (1 - (1/R)**(T+1))) * ((1 - (ϕ/R)**(T+1)) / (1 - ϕ/R))
v_seq = np.array([(ξ1*ϕ**t - ξ0) for t in range(T+1)])
if verbose == 1:
print('check feasible:', np.isclose(β_seq @ v_seq, 0)) # since β = 1/R
c_opt, _ = compute_optimal(model, a0, y_seq)
cvar_seq = c_opt + v_seq
return cvar_seq
We visualize variations with \(\xi_1 \in \{.01, .05\}\) and \(\phi \in \{.95, 1.02\}\)
fig, ax = plt.subplots()
ξ1s = [.01, .05]
ϕs= [.95, 1.02]
colors = {.01: 'tab:blue', .05: 'tab:green'}
params = np.array(np.meshgrid(ξ1s, ϕs)).T.reshape(-1, 2)
for i, param in enumerate(params):
ξ1, ϕ = param
print(f'variation {i}: ξ1={ξ1}, ϕ={ϕ}')
cvar_seq = compute_variation(model=cs_model,
ξ1=ξ1, ϕ=ϕ, a0=a0,
y_seq=y_seq)
print(f'welfare={welfare(cs_model, cvar_seq)}')
print('-'*64)
if i % 2 == 0:
ls = '-.'
else:
ls = '-'
ax.plot(range(T+1), cvar_seq, ls=ls,
color=colors[ξ1],
label=fr'$\xi_1 = {ξ1}, \phi = {ϕ}$')
plt.plot(range(T+1), c_seq,
color='orange', label=r'Optimal $\vec{c}$ ')
plt.legend()
plt.xlabel(r'$t$')
plt.ylabel(r'$c_t$')
plt.show()
variation 0: ξ1=0.01, ϕ=0.95
check feasible: True
welfare=13.285009346064834
----------------------------------------------------------------
variation 1: ξ1=0.01, ϕ=1.02
check feasible: True
welfare=13.284911631015438
----------------------------------------------------------------
variation 2: ξ1=0.05, ϕ=0.95
check feasible: True
welfare=13.284010559218512
----------------------------------------------------------------
variation 3: ξ1=0.05, ϕ=1.02
check feasible: True
welfare=13.28156768298361
----------------------------------------------------------------

We can even use the Python np.gradient
command to compute derivatives of welfare with respect to our two parameters.
We are teaching the key idea beneath the calculus of variations.
First, we define the welfare with respect to \(\xi_1\) and \(\phi\)
def welfare_rel(ξ1, ϕ):
"""
Compute welfare of variation sequence
for given ϕ, ξ1 with a consumption smoothing model
"""
cvar_seq = compute_variation(cs_model, ξ1=ξ1,
ϕ=ϕ, a0=a0,
y_seq=y_seq,
verbose=0)
return welfare(cs_model, cvar_seq)
# Vectorize the function to allow array input
welfare_vec = np.vectorize(welfare_rel)
Then we can visualize the relationship between welfare and \(\xi_1\) and compute its derivatives
ξ1_arr = np.linspace(-0.5, 0.5, 20)
plt.plot(ξ1_arr, welfare_vec(ξ1_arr, 1.02))
plt.ylabel('welfare')
plt.xlabel(r'$\xi_1$')
plt.show()
welfare_grad = welfare_vec(ξ1_arr, 1.02)
welfare_grad = np.gradient(welfare_grad)
plt.plot(ξ1_arr, welfare_grad)
plt.ylabel('derivative of welfare')
plt.xlabel(r'$\xi_1$')
plt.show()
The same can be done on \(\phi\)
ϕ_arr = np.linspace(-0.5, 0.5, 20)
plt.plot(ξ1_arr, welfare_vec(0.05, ϕ_arr))
plt.ylabel('welfare')
plt.xlabel(r'$\phi$')
plt.show()
welfare_grad = welfare_vec(0.05, ϕ_arr)
welfare_grad = np.gradient(welfare_grad)
plt.plot(ξ1_arr, welfare_grad)
plt.ylabel('derivative of welfare')
plt.xlabel(r'$\phi$')
plt.show()
9.4. Wrapping up the consumption-smoothing model#
The consumption-smoothing model of Milton Friedman [Fri56] and Robert Hall [Hal78]) is a cornerstone of modern macro that has important ramifications about the size of the Keynesian “fiscal policy multiplier” described briefly in quantecon lecture geometric series.
In particular, Milton Friedman and others showed that it lowered the fiscal policy multiplier relative to the one implied by the simple Keynesian consumption function presented in geometric series.
Friedman and Hall’s work opened the door to a lively literature on the aggregate consumption function and implied fiscal multipliers that remains very active today.
9.5. Difference equations with linear algebra#
In the preceding sections we have used linear algebra to solve a consumption smoothing model.
The same tools from linear algebra – matrix multiplication and matrix inversion – can be used to study many other dynamic models too.
We’ll concluse this lecture by giving a couple of examples.
In particular, we’ll describe a useful way of representing and “solving” linear difference equations.
To generate some \(y\) vectors, we’ll just write down a linear difference equation with appropriate initial conditions and then use linear algebra to solve it.
9.5.1. First-order difference equation#
We’ll start with a first-order linear difference equation for \(\{y_t\}_{t=0}^T\):
where \(y_0\) is a given initial condition.
We can cast this set of \(T\) equations as a single matrix equation
Multiplying both sides by inverse of the matrix on the left provides the solution
Exercise 9.1
In the (9.4), we multiply the inverse of the matrix \(A\). In this exercise, please confirm that
is the inverse of \(A\) and check that \(A A^{-1} = I\)
9.5.2. Second order difference equation#
A second-order linear difference equation for \(\{y_t\}_{t=0}^T\) is
where now \(y_0\) and \(y_{-1}\) are two given initial equations determined outside the model.
As we did with the first-order difference equation, we can cast this set of \(T\) equations as a single matrix equation
Multiplying both sides by inverse of the matrix on the left again provides the solution.
Exercise 9.2
As an exercise, we ask you to represent and solve a third order linear difference equation. How many initial conditions must you specify?