42. Supply and Demand with Many Goods#
42.1. Overview#
In a previous lecture we studied supply, demand and welfare in a market with a single consumption good.
In this lecture, we study a setting with
Key infrastructure concepts that we’ll encounter in this lecture are
inverse demand curves
marginal utilities of wealth
inverse supply curves
consumer surplus
producer surplus
social welfare as a sum of consumer and producer surpluses
competitive equilibrium
We will provide a version of the first fundamental welfare theorem, which was formulated by
Important extensions to the key ideas were obtained by
We shall describe two classic welfare theorems:
first welfare theorem: for a given distribution of wealth among consumers, a competitive equilibrium allocation of goods solves a social planning problem.
second welfare theorem: An allocation of goods to consumers that solves a social planning problem can be supported by a competitive equilibrium with an appropriate initial distribution of wealth.
As usual, we start by importing some Python modules.
# import some packages
import numpy as np
import matplotlib.pyplot as plt
from scipy.linalg import inv
42.2. Formulas from linear algebra#
We shall apply formulas from linear algebra that
differentiate an inner product with respect to each vector
differentiate a product of a matrix and a vector with respect to the vector
differentiate a quadratic form in a vector with respect to the vector
Where
42.3. From utility function to demand curve#
Our study of consumers will use the following primitives
be an matrix, be an vector of bliss points, be an vector of endowments, and
We will analyze endogenous objects
is an vector of consumptions of various goods, is an vector of prices
The matrix
We assume that
it follows that
has an inverse.
We shall see below that
A consumer faces
subject to the budget constraint
We shall specify examples in which
This means that the consumer has much less of each good than he wants.
The deviation in (42.3) will ultimately assure us that competitive equilibrium prices are positive.
42.3.1. Demand curve implied by constrained utility maximization#
For now, we assume that the budget constraint is (42.2).
So we’ll be deriving what is known as a Marshallian demand curve.
Our aim is to maximize (42.1) subject to (42.2).
Form a Lagrangian
where
The consumer chooses
First-order conditions for
so that, given
Substituting (42.4) into budget constraint (42.2) and solving for
Equation (42.5) tells how marginal utility of wealth depends on the endowment vector
42.4. Endowment economy#
We now study a pure-exchange economy, or what is sometimes called an endowment economy.
Consider a single-consumer, multiple-goods economy without production.
The only source of goods is the single consumer’s endowment vector
A competitive equilibrium price vector induces the consumer to choose
This implies that the equilibrium price vector satisfies
In the present case where we have imposed budget constraint in the form (42.2), we are free to normalize the price vector by setting the marginal utility of wealth
This amounts to choosing a common unit (or numeraire) in which prices of all goods are expressed.
(Doubling all prices will affect neither quantities nor relative prices.)
We’ll set
Here is a class that computes competitive equilibria for our economy.
class ExchangeEconomy:
def __init__(self,
Π,
b,
e,
thres=1.5):
"""
Set up the environment for an exchange economy
Args:
Π (np.array): shared matrix of substitution
b (list): the consumer's bliss point
e (list): the consumer's endowment
thres (float): a threshold to check p >> Π e condition
"""
# check non-satiation
if np.min(b / np.max(Π @ e)) <= thres:
raise Exception('set bliss points further away')
self.Π, self.b, self.e = Π, b, e
def competitive_equilibrium(self):
"""
Compute the competitive equilibrium prices and allocation
"""
Π, b, e = self.Π, self.b, self.e
# compute price vector with μ=1
p = Π.T @ b - Π.T @ Π @ e
# compute consumption vector
slope_dc = inv(Π.T @ Π)
Π_inv = inv(Π)
c = Π_inv @ b - slope_dc @ p
if any(c < 0):
print('allocation: ', c)
raise Exception('negative allocation: equilibrium does not exist')
return p, c
42.5. Digression: Marshallian and Hicksian demand curves#
Sometimes we’ll use budget constraint (42.2) in situations in which a consumer’s endowment vector
Other times we’ll instead assume that the consumer has another source of income (positive or negative) and write his budget constraint as
where
Whether the consumer’s budget constraint is (42.2) or (42.6) and whether we take
Consequently, how we set
a Marshallian demand curve, as when we use (42.2) and solve for
using equation (42.5) above, ora Hicksian demand curve, as when we treat
as a fixed parameter and solve for from (42.6).
Marshallian and Hicksian demand curves contemplate different mental experiments:
For a Marshallian demand curve, hypothetical changes in a price vector have both substitution and income effects
income effects are consequences of changes in
associated with the change in the price vector
For a Hicksian demand curve, hypothetical price vector changes have only substitution effects
changes in the price vector leave the
unaltered because we freeze and solve for
Sometimes a Hicksian demand curve is called a compensated demand curve in order to emphasize that, to disarm the income (or wealth) effect associated with a price change, the consumer’s wealth
We’ll discuss these distinct demand curves more below.
42.6. Dynamics and risk as special cases#
Special cases of our
dynamics — by putting different dates on different commodities
risk — by interpreting delivery of goods as being contingent on states of the world whose realizations are described by a known probability distribution
Let’s illustrate how.
42.6.1. Dynamics#
Suppose that we want to represent a utility function
where
To capture this with our quadratic utility function (42.1), set
and
The budget constraint (42.2) becomes
The left side is the discounted present value of consumption.
The right side is the discounted present value of the consumer’s endowment.
The relative price
Consequently,
is the gross interest rate and
Here is an example.
beta = 0.95
Π = np.array([[1, 0],
[0, np.sqrt(beta)]])
b = np.array([5, np.sqrt(beta) * 5])
e = np.array([1, 1])
dynamics = ExchangeEconomy(Π, b, e)
p, c = dynamics.competitive_equilibrium()
print('Competitive equilibrium price vector:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price vector: [4. 3.8]
Competitive equilibrium allocation: [1. 1.]
42.6.2. Risk and state-contingent claims#
We study risk in the context of a static environment, meaning that there is only one period.
By risk we mean that an outcome is not known in advance, but that it is governed by a known probability distribution.
As an example, our consumer confronts risk means in particular that
there are two states of nature,
and .the consumer knows that the probability that state
occurs is .the consumer knows that the probability that state
occurs is .
Before the outcome is realized, the consumer’s expected utility is
where
is consumption in state is consumption in state
To capture these preferences we set
A consumer’s endowment vector is
A price vector is
where
The state-contingent goods being traded are often called Arrow securities.
Before the random state of the world
Trading such state-contingent goods is one way economists often model insurance.
We use the tricks described above to interpret
Here is an instance of the risk economy:
prob = 0.2
Π = np.array([[np.sqrt(prob), 0],
[0, np.sqrt(1 - prob)]])
b = np.array([np.sqrt(prob) * 5, np.sqrt(1 - prob) * 5])
e = np.array([1, 1])
risk = ExchangeEconomy(Π, b, e)
p, c = risk.competitive_equilibrium()
print('Competitive equilibrium price vector:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price vector: [0.8 3.2]
Competitive equilibrium allocation: [1. 1.]
Exercise 42.3
Consider the instance above.
Please numerically study how each of the following cases affects the equilibrium prices and allocations:
the consumer gets poorer,
they like the first good more, or
the probability that state
occurs is higher.
Hints. For each case choose some parameter
Solution to Exercise 42.3
First consider when the consumer is poorer.
Here we just decrease the endowment.
risk.e = np.array([0.5, 0.5])
p, c = risk.competitive_equilibrium()
print('Competitive equilibrium price vector:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price vector: [0.9 3.6]
Competitive equilibrium allocation: [0.5 0.5]
If the consumer likes the first (or second) good more, then we can set a larger bliss value for good 1.
risk.b = np.array([np.sqrt(prob) * 6, np.sqrt(1 - prob) * 5])
p, c = risk.competitive_equilibrium()
print('Competitive equilibrium price vector:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price vector: [1.1 3.6]
Competitive equilibrium allocation: [0.5 0.5]
Increase the probability that state
prob = 0.8
Π = np.array([[np.sqrt(prob), 0],
[0, np.sqrt(1 - prob)]])
b = np.array([np.sqrt(prob) * 5, np.sqrt(1 - prob) * 5])
e = np.array([1, 1])
risk = ExchangeEconomy(Π, b, e)
p, c = risk.competitive_equilibrium()
print('Competitive equilibrium price vector:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price vector: [3.2 0.8]
Competitive equilibrium allocation: [1. 1.]
42.7. Economies with endogenous supplies of goods#
Up to now we have described a pure exchange economy in which endowments of goods are exogenous, meaning that they are taken as given from outside the model.
42.7.1. Supply curve of a competitive firm#
A competitive firm that can produce goods takes a price vector
The firm’s total revenue equals
and
So the firm’s profits are
An
where
The firm maximizes total profits by setting marginal revenue to marginal costs.
An
So price equals marginal revenue for our price-taking competitive firm.
This leads to the following inverse supply curve for the competitive firm:
42.7.2. Competitive equilibrium#
To compute a competitive equilibrium for a production economy where demand curve is pinned down by the marginal utility of wealth
Then we compute the equilibrium price vector using the inverse demand or supply curve.
42.7.2.1. warmup#
As a special case, let’s pin down a demand curve by setting the marginal utility of wealth
Equating supply price to demand price and letting
which implies the equilibrium quantity vector
This equation is the counterpart of equilibrium quantity (7.3) for the scalar
42.7.2.2. General case#
Now let’s extend the preceding analysis to a more
general case by allowing
Then the inverse demand curve is
Equating this to the inverse supply curve, letting
42.7.3. Implementation#
A Production Economy will consist of
a single person that we’ll interpret as a representative consumer
a single set of production costs
a multiplier
that weights “consumers” versus “producers” in a planner’s welfare function, as described above in the main textan
vector of competitive equilibrium pricesan
vector of competitive equilibrium quantitiesconsumer surplus
producer surplus
Here we define a class ProductionEconomy
.
class ProductionEconomy:
def __init__(self,
Π,
b,
h,
J,
μ):
"""
Set up the environment for a production economy
Args:
Π (np.ndarray): matrix of substitution
b (np.array): bliss points
h (np.array): h in cost func
J (np.ndarray): J in cost func
μ (float): welfare weight of the corresponding planning problem
"""
self.n = len(b)
self.Π, self.b, self.h, self.J, self.μ = Π, b, h, J, μ
def competitive_equilibrium(self):
"""
Compute a competitive equilibrium of the production economy
"""
Π, b, h, μ, J = self.Π, self.b, self.h, self.μ, self.J
H = .5 * (J + J.T)
# allocation
c = inv(Π.T @ Π + μ * H) @ (Π.T @ b - μ * h)
# price
p = 1 / μ * (Π.T @ b - Π.T @ Π @ c)
# check non-satiation
if any(Π @ c - b >= 0):
raise Exception('invalid result: set bliss points further away')
return c, p
def compute_surplus(self):
"""
Compute consumer and producer surplus for single good case
"""
if self.n != 1:
raise Exception('not single good')
h, J, Π, b, μ = self.h.item(), self.J.item(), self.Π.item(), self.b.item(), self.μ
H = J
# supply/demand curve coefficients
s0, s1 = h, H
d0, d1 = 1 / μ * Π * b, 1 / μ * Π**2
# competitive equilibrium
c, p = self.competitive_equilibrium()
# calculate surplus
c_surplus = d0 * c - .5 * d1 * c**2 - p * c
p_surplus = p * c - s0 * c - .5 * s1 * c**2
return c_surplus, p_surplus
Then define a function that plots demand and supply curves and labels surpluses and equilibrium.
Show source
def plot_competitive_equilibrium(PE):
"""
Plot demand and supply curves, producer/consumer surpluses, and equilibrium for
a single good production economy
Args:
PE (class): A initialized production economy class
"""
# get singleton value
J, h, Π, b, μ = PE.J.item(), PE.h.item(), PE.Π.item(), PE.b.item(), PE.μ
H = J
# compute competitive equilibrium
c, p = PE.competitive_equilibrium()
c, p = c.item(), p.item()
# inverse supply/demand curve
supply_inv = lambda x: h + H * x
demand_inv = lambda x: 1 / μ * (Π * b - Π * Π * x)
xs = np.linspace(0, 2 * c, 100)
ps = np.ones(100) * p
supply_curve = supply_inv(xs)
demand_curve = demand_inv(xs)
# plot
plt.figure()
plt.plot(xs, supply_curve, label='Supply', color='#020060')
plt.plot(xs, demand_curve, label='Demand', color='#600001')
plt.fill_between(xs[xs <= c], demand_curve[xs <= c], ps[xs <= c], label='Consumer surplus', color='#EED1CF')
plt.fill_between(xs[xs <= c], supply_curve[xs <= c], ps[xs <= c], label='Producer surplus', color='#E6E6F5')
plt.vlines(c, 0, p, linestyle="dashed", color='black', alpha=0.7)
plt.hlines(p, 0, c, linestyle="dashed", color='black', alpha=0.7)
plt.scatter(c, p, zorder=10, label='Competitive equilibrium', color='#600001')
plt.legend(loc='upper right')
plt.margins(x=0, y=0)
plt.ylim(0)
plt.xlabel('Quantity')
plt.ylabel('Price')
plt.show()
42.7.3.1. Example: single agent with one good and production#
Now let’s construct an example of a production economy with one good.
To do this we
specify a single person and a cost curve in a way that let’s us replicate the simple single-good supply demand example with which we started
compute equilibrium
and and consumer and producer surplusesdraw graphs of both surpluses
do experiments in which we shift
and watch what happens to .
Π = np.array([[1]]) # the matrix now is a singleton
b = np.array([10])
h = np.array([0.5])
J = np.array([[1]])
μ = 1
PE = ProductionEconomy(Π, b, h, J, μ)
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p.item())
print('Competitive equilibrium allocation:', c.item())
# plot
plot_competitive_equilibrium(PE)
c_surplus, p_surplus = PE.compute_surplus()
print('Consumer surplus:', c_surplus.item())
print('Producer surplus:', p_surplus.item())
Consumer surplus: 11.28125
Producer surplus: 11.28125
Let’s give the consumer a lower welfare weight by raising
PE.μ = 2
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p.item())
print('Competitive equilibrium allocation:', c.item())
# plot
plot_competitive_equilibrium(PE)
c_surplus, p_surplus = PE.compute_surplus()
print('Consumer surplus:', c_surplus.item())
print('Producer surplus:', p_surplus.item())
Consumer surplus: 2.25
Producer surplus: 4.5
Now we change the bliss point so that the consumer derives more utility from consumption.
PE.μ = 1
PE.b = PE.b * 1.5
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p.item())
print('Competitive equilibrium allocation:', c.item())
# plot
plot_competitive_equilibrium(PE)
This raises both the equilibrium price and quantity.
42.7.3.2. Example: single agent two-good economy with production#
we’ll do some experiments like those above
we can do experiments with a diagonal
and also with a non-diagonal matrices to study how cross-slopes affect responses of and to various shifts in (TODO)
Π = np.array([[1, 0],
[0, 1]])
b = np.array([10, 10])
h = np.array([0.5, 0.5])
J = np.array([[1, 0.5],
[0.5, 1]])
μ = 1
PE = ProductionEconomy(Π, b, h, J, μ)
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price: [6.2 6.2]
Competitive equilibrium allocation: [3.8 3.8]
PE.b = np.array([12, 10])
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price: [7.13333333 6.46666667]
Competitive equilibrium allocation: [4.86666667 3.53333333]
PE.Π = np.array([[1, 0.5],
[0.5, 1]])
PE.b = np.array([10, 10])
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price: [6.3 6.3]
Competitive equilibrium allocation: [3.86666667 3.86666667]
PE.b = np.array([12, 10])
c, p = PE.competitive_equilibrium()
print('Competitive equilibrium price:', p)
print('Competitive equilibrium allocation:', c)
Competitive equilibrium price: [7.23333333 6.56666667]
Competitive equilibrium allocation: [4.93333333 3.6 ]
42.7.4. Digression: a supplier who is a monopolist#
A competitive firm is a price-taker who regards the price and therefore its marginal revenue as being beyond its control.
A monopolist knows that it has no competition and can influence the price and its marginal revenue by setting quantity.
A monopolist takes a demand curve and not the price as beyond its control.
Thus, instead of being a price-taker, a monopolist sets prices to maximize profits subject to the inverse demand curve (42.9).
So the monopolist’s total profits as a function of its output
After finding
first-order necessary conditions for maximizing monopoly profits with respect to
We’ll soon see that a monopolist sets a lower output
planner who chooses
to maximize social welfarea competitive equilibrium
Exercise 42.4
Please verify the monopolist’s supply curve (42.12).
42.7.5. A monopolist#
Let’s consider a monopolist supplier.
We have included a method in our ProductionEconomy
class to compute an equilibrium price and allocation when the supplier is a monopolist.
Since the supplier now has the price-setting power
we first compute the optimal quantity that solves the monopolist’s profit maximization problem.
Then we back out an equilibrium price from the consumer’s inverse demand curve.
Next, we use a graph for the single good case to illustrate the difference between a competitive equilibrium and an equilibrium with a monopolist supplier.
Recall that in a competitive equilibrium, a price-taking supplier equates marginal revenue
This yields a competitive producer’s inverse supply curve.
A monopolist’s marginal revenue is not constant but instead is a non-trivial function of the quantity it sets.
The monopolist’s marginal revenue is
which the monopolist equates to its marginal cost.
The plot indicates that the monopolist’s sets output lower than either the competitive equilibrium quantity.
In a single good case, this equilibrium is associated with a higher price of the good.
class Monopoly(ProductionEconomy):
def __init__(self,
Π,
b,
h,
J,
μ):
"""
Inherit all properties and methods from class ProductionEconomy
"""
super().__init__(Π, b, h, J, μ)
def equilibrium_with_monopoly(self):
"""
Compute the equilibrium price and allocation when there is a monopolist supplier
"""
Π, b, h, μ, J = self.Π, self.b, self.h, self.μ, self.J
H = .5 * (J + J.T)
# allocation
q = inv(μ * H + 2 * Π.T @ Π) @ (Π.T @ b - μ * h)
# price
p = 1 / μ * (Π.T @ b - Π.T @ Π @ q)
if any(Π @ q - b >= 0):
raise Exception('invalid result: set bliss points further away')
return q, p
Define a function that plots the demand, marginal cost and marginal revenue curves with surpluses and equilibrium labelled.
Show source
def plot_monopoly(M):
"""
Plot demand curve, marginal production cost and revenue, surpluses and the
equilibrium in a monopolist supplier economy with a single good
Args:
M (class): A class inherits class ProductionEconomy with monopoly
"""
# get singleton value
J, h, Π, b, μ = M.J.item(), M.h.item(), M.Π.item(), M.b.item(), M.μ
H = J
# compute competitive equilibrium
c, p = M.competitive_equilibrium()
q, pm = M.equilibrium_with_monopoly()
c, p, q, pm = c.item(), p.item(), q.item(), pm.item()
# compute
# inverse supply/demand curve
marg_cost = lambda x: h + H * x
marg_rev = lambda x: -2 * 1 / μ * Π * Π * x + 1 / μ * Π * b
demand_inv = lambda x: 1 / μ * (Π * b - Π * Π * x)
xs = np.linspace(0, 2 * c, 100)
pms = np.ones(100) * pm
marg_cost_curve = marg_cost(xs)
marg_rev_curve = marg_rev(xs)
demand_curve = demand_inv(xs)
# plot
plt.figure()
plt.plot(xs, marg_cost_curve, label='Marginal cost', color='#020060')
plt.plot(xs, marg_rev_curve, label='Marginal revenue', color='#E55B13')
plt.plot(xs, demand_curve, label='Demand', color='#600001')
plt.fill_between(xs[xs <= q], demand_curve[xs <= q], pms[xs <= q], label='Consumer surplus', color='#EED1CF')
plt.fill_between(xs[xs <= q], marg_cost_curve[xs <= q], pms[xs <= q], label='Producer surplus', color='#E6E6F5')
plt.vlines(c, 0, p, linestyle="dashed", color='black', alpha=0.7)
plt.hlines(p, 0, c, linestyle="dashed", color='black', alpha=0.7)
plt.scatter(c, p, zorder=10, label='Competitive equilibrium', color='#600001')
plt.vlines(q, 0, pm, linestyle="dashed", color='black', alpha=0.7)
plt.hlines(pm, 0, q, linestyle="dashed", color='black', alpha=0.7)
plt.scatter(q, pm, zorder=10, label='Equilibrium with monopoly', color='#E55B13')
plt.legend(loc='upper right')
plt.margins(x=0, y=0)
plt.ylim(0)
plt.xlabel('Quantity')
plt.ylabel('Price')
plt.show()
42.7.5.1. A multiple good example#
Let’s compare competitive equilibrium and monopoly outcomes in a multiple goods economy.
Π = np.array([[1, 0],
[0, 1.2]])
b = np.array([10, 10])
h = np.array([0.5, 0.5])
J = np.array([[1, 0.5],
[0.5, 1]])
μ = 1
M = Monopoly(Π, b, h, J, μ)
c, p = M.competitive_equilibrium()
q, pm = M.equilibrium_with_monopoly()
print('Competitive equilibrium price:', p)
print('Competitive equilibrium allocation:', c)
print('Equilibrium with monopolist supplier price:', pm)
print('Equilibrium with monopolist supplier allocation:', q)
Competitive equilibrium price: [6.23542117 6.32397408]
Competitive equilibrium allocation: [3.76457883 3.94168467]
Equilibrium with monopolist supplier price: [7.26865672 8.23880597]
Equilibrium with monopolist supplier allocation: [2.73134328 2.6119403 ]
42.7.5.2. A single-good example#
Π = np.array([[1]]) # the matrix now is a singleton
b = np.array([10])
h = np.array([0.5])
J = np.array([[1]])
μ = 1
M = Monopoly(Π, b, h, J, μ)
c, p = M.competitive_equilibrium()
q, pm = M.equilibrium_with_monopoly()
print('Competitive equilibrium price:', p.item())
print('Competitive equilibrium allocation:', c.item())
print('Equilibrium with monopolist supplier price:', pm.item())
print('Equilibrium with monopolist supplier allocation:', q.item())
# plot
plot_monopoly(M)
42.8. Multi-good welfare maximization problem#
Our welfare maximization problem – also sometimes called a social planning problem – is to choose
minus the area under the inverse supply curve, namely,
So the welfare criterion is
In this formulation,
The first-order condition with respect to
which implies (42.10).
Thus, as for the single-good case, with multiple goods a competitive equilibrium quantity vector solves a planning problem.
(This is another version of the first welfare theorem.)
We can deduce a competitive equilibrium price vector from either
the inverse demand curve, or
the inverse supply curve