You can order print and ebook versions of Think Bayes 2e from Bookshop.org and Amazon.
8. Poisson Processes#
This chapter introduces the Poisson process, which is a model used to describe events that occur at random intervals. As an example of a Poisson process, we’ll model goal-scoring in soccer, which is American English for the game everyone else calls “football”. We’ll use goals scored in a game to estimate the parameter of a Poisson process; then we’ll use the posterior distribution to make predictions.
And we’ll solve The World Cup Problem.
8.1. The World Cup Problem#
In the 2018 FIFA World Cup final, France defeated Croatia 4 goals to 2. Based on this outcome:
How confident should we be that France is the better team?
If the same teams played again, what is the chance France would win again?
To answer these questions, we have to make some modeling decisions.
First, I’ll assume that for any team against another team there is some unknown goal-scoring rate, measured in goals per game, which I’ll denote with the Python variable
lam
or the Greek letter \(\lambda\), pronounced “lambda”.Second, I’ll assume that a goal is equally likely during any minute of a game. So, in a 90 minute game, the probability of scoring during any minute is \(\lambda/90\).
Third, I’ll assume that a team never scores twice during the same minute.
Of course, none of these assumptions is completely true in the real world, but I think they are reasonable simplifications. As George Box said, “All models are wrong; some are useful.” (https://en.wikipedia.org/wiki/All_models_are_wrong).
In this case, the model is useful because if these assumptions are true, at least roughly, the number of goals scored in a game follows a Poisson distribution, at least roughly.
8.2. The Poisson Distribution#
If the number of goals scored in a game follows a Poisson distribution with a goal-scoring rate, \(\lambda\), the probability of scoring \(k\) goals is
for any non-negative value of \(k\).
SciPy provides a poisson
object that represents a Poisson distribution.
We can create one with \(\lambda=1.4\) like this:
from scipy.stats import poisson
lam = 1.4
dist = poisson(lam)
type(dist)
scipy.stats._distn_infrastructure.rv_frozen
The result is an object that represents a “frozen” random variable and provides pmf
, which evaluates the probability mass function of the Poisson distribution.
k = 4
dist.pmf(k)
0.039471954028253146
This result implies that if the average goal-scoring rate is 1.4 goals per game, the probability of scoring 4 goals in a game is about 4%.
We’ll use the following function to make a Pmf
that represents a Poisson distribution.
from empiricaldist import Pmf
def make_poisson_pmf(lam, qs):
"""Make a Pmf of a Poisson distribution."""
ps = poisson(lam).pmf(qs)
pmf = Pmf(ps, qs)
pmf.normalize()
return pmf
make_poisson_pmf
takes as parameters the goal-scoring rate, lam
, and an array of quantities, qs
, where it should evaluate the Poisson PMF. It returns a Pmf
object.
For example, here’s the distribution of goals scored for lam=1.4
, computed for values of k
from 0 to 9.
import numpy as np
lam = 1.4
goals = np.arange(10)
pmf_goals = make_poisson_pmf(lam, goals)
And here’s what it looks like.
Show code cell content
from utils import decorate
def decorate_goals(title=''):
decorate(xlabel='Number of goals',
ylabel='PMF',
title=title)
Show code cell source
pmf_goals.bar(label=r'Poisson distribution with $\lambda=1.4$')
decorate_goals('Distribution of goals scored')
The most likely outcomes are 0, 1, and 2; higher values are possible but increasingly unlikely. Values above 7 are negligible. This distribution shows that if we know the goal scoring rate, we can predict the number of goals.
Now let’s turn it around: given a number of goals, what can we say about the goal-scoring rate?
To answer that, we need to think about the prior distribution of lam
, which represents the range of possible values and their probabilities before we see the score.
8.3. The Gamma Distribution#
If you have ever seen a soccer game, you have some information about lam
. In most games, teams score a few goals each. In rare cases, a team might score more than 5 goals, but they almost never score more than 10.
Using data from previous World Cups, I estimate that each team scores about 1.4 goals per game, on average. So I’ll set the mean of lam
to be 1.4.
For a good team against a bad one, we expect lam
to be higher; for a bad team against a good one, we expect it to be lower.
To model the distribution of goal-scoring rates, I’ll use a gamma distribution, which I chose because:
The goal scoring rate is continuous and non-negative, and the gamma distribution is appropriate for this kind of quantity.
The gamma distribution has only one parameter,
alpha
, which is the mean. So it’s easy to construct a gamma distribution with the mean we want.As we’ll see, the shape of the gamma distribution is a reasonable choice, given what we know about soccer.
And there’s one more reason, which I will reveal in <<_ConjugatePriors>>.
SciPy provides gamma
, which creates an object that represents a gamma distribution.
And the gamma
object provides provides pdf
, which evaluates the probability density function (PDF) of the gamma distribution.
Here’s how we use it.
from scipy.stats import gamma
alpha = 1.4
qs = np.linspace(0, 10, 101)
ps = gamma(alpha).pdf(qs)
The parameter, alpha
, is the mean of the distribution.
The qs
are possible values of lam
between 0 and 10.
The ps
are probability densities, which we can think of as unnormalized probabilities.
To normalize them, we can put them in a Pmf
and call normalize
:
from empiricaldist import Pmf
prior = Pmf(ps, qs)
prior.normalize()
The result is a discrete approximation of a gamma distribution. Here’s what it looks like.
Show code cell content
def decorate_rate(title=''):
decorate(xlabel='Goal scoring rate (lam)',
ylabel='PMF',
title=title)
Show code cell source
prior.plot(ls='--', label='prior', color='C5')
decorate_rate(r'Prior distribution of $\lambda$')
This distribution represents our prior knowledge about goal scoring: lam
is usually less than 2, occasionally as high as 6, and seldom higher than that.
And we can confirm that the mean is about 1.4.
Show code cell content
prior.mean()
1.4140818156118378
As usual, reasonable people could disagree about the details of the prior, but this is good enough to get started. Let’s do an update.
8.4. The Update#
Suppose you are given the goal-scoring rate, \(\lambda\), and asked to compute the probability of scoring a number of goals, \(k\). That is precisely the question we answered by computing the Poisson PMF.
For example, if \(\lambda\) is 1.4, the probability of scoring 4 goals in a game is:
lam = 1.4
k = 4
poisson(lam).pmf(4)
0.039471954028253146
Now suppose we are have an array of possible values for \(\lambda\); we can compute the likelihood of the data for each hypothetical value of lam
, like this:
lams = prior.qs
k = 4
likelihood = poisson(lams).pmf(k)
And that’s all we need to do the update. To get the posterior distribution, we multiply the prior by the likelihoods we just computed and normalize the result.
The following function encapsulates these steps.
def update_poisson(pmf, data):
"""Update Pmf with a Poisson likelihood."""
k = data
lams = pmf.qs
likelihood = poisson(lams).pmf(k)
pmf *= likelihood
pmf.normalize()
The first parameter is the prior; the second is the number of goals.
In the example, France scored 4 goals, so I’ll make a copy of the prior and update it with the data.
france = prior.copy()
update_poisson(france, 4)
Here’s what the posterior distribution looks like, along with the prior.
Show code cell source
prior.plot(ls='--', label='prior', color='C5')
france.plot(label='France posterior', color='C3')
decorate_rate('Posterior distribution for France')
The data, k=4
, makes us think higher values of lam
are more likely and lower values are less likely. So the posterior distribution is shifted to the right.
Let’s do the same for Croatia:
croatia = prior.copy()
update_poisson(croatia, 2)
And here are the results.
Show code cell source
prior.plot(ls='--', label='prior', color='C5')
croatia.plot(label='Croatia posterior', color='C0')
decorate_rate('Posterior distribution for Croatia')
Here are the posterior means for these distributions.
print(croatia.mean(), france.mean())
1.6999765866755225 2.699772393342308
The mean of the prior distribution is about 1.4. After Croatia scores 2 goals, their posterior mean is 1.7, which is near the midpoint of the prior and the data. Likewise after France scores 4 goals, their posterior mean is 2.7.
These results are typical of a Bayesian update: the location of the posterior distribution is a compromise between the prior and the data.
8.5. Probability of Superiority#
Now that we have a posterior distribution for each team, we can answer the first question: How confident should we be that France is the better team?
In the model, “better” means having a higher goal-scoring rate against the opponent. We can use the posterior distributions to compute the probability that a random value drawn from France’s distribution exceeds a value drawn from Croatia’s.
One way to do that is to enumerate all pairs of values from the two distributions, adding up the total probability that one value exceeds the other.
def prob_gt(pmf1, pmf2):
"""Compute the probability of superiority."""
total = 0
for q1, p1 in pmf1.items():
for q2, p2 in pmf2.items():
if q1 > q2:
total += p1 * p2
return total
This is similar to the method we use in <<_Addends>> to compute the distribution of a sum. Here’s how we use it:
prob_gt(france, croatia)
0.7499366290930155
Pmf
provides a function that does the same thing.
Pmf.prob_gt(france, croatia)
0.7499366290930174
The results are slightly different because Pmf.prob_gt
uses array operators rather than for
loops.
Either way, the result is close to 75%. So, on the basis of one game, we have moderate confidence that France is actually the better team.
Of course, we should remember that this result is based on the assumption that the goal-scoring rate is constant. In reality, if a team is down by one goal, they might play more aggressively toward the end of the game, making them more likely to score, but also more likely to give up an additional goal.
As always, the results are only as good as the model.
8.6. Predicting the Rematch#
Now we can take on the second question: If the same teams played again, what is the chance Croatia would win? To answer this question, we’ll generate the “posterior predictive distribution”, which is the number of goals we expect a team to score.
If we knew the goal scoring rate, lam
, the distribution of goals would be a Poisson distribution with parameter lam
.
Since we don’t know lam
, the distribution of goals is a mixture of a Poisson distributions with different values of lam
.
First I’ll generate a sequence of Pmf
objects, one for each value of lam
.
pmf_seq = [make_poisson_pmf(lam, goals)
for lam in prior.qs]
The following figure shows what these distributions look like for a few values of lam
.
Show code cell source
import matplotlib.pyplot as plt
for i, index in enumerate([10, 20, 30, 40]):
plt.subplot(2, 2, i+1)
lam = prior.qs[index]
pmf = pmf_seq[index]
pmf.bar(label=f'$\lambda$ = {lam}', color='C3')
decorate_goals()
The predictive distribution is a mixture of these Pmf
objects, weighted with the posterior probabilities.
We can use make_mixture
from <<_GeneralMixtures>> to compute this mixture.
from utils import make_mixture
pred_france = make_mixture(france, pmf_seq)
Here’s the predictive distribution for the number of goals France would score in a rematch.
Show code cell source
pred_france.bar(color='C3', label='France')
decorate_goals('Posterior predictive distribution')
This distribution represents two sources of uncertainty: we don’t know the actual value of lam
, and even if we did, we would not know the number of goals in the next game.
Here’s the predictive distribution for Croatia.
pred_croatia = make_mixture(croatia, pmf_seq)
Show code cell content
pred_croatia.bar(color='C0', label='Croatia')
decorate_goals('Posterior predictive distribution')
We can use these distributions to compute the probability that France wins, loses, or ties the rematch.
win = Pmf.prob_gt(pred_france, pred_croatia)
win
0.5703522415934519
lose = Pmf.prob_lt(pred_france, pred_croatia)
lose
0.26443376257235873
tie = Pmf.prob_eq(pred_france, pred_croatia)
tie
0.16521399583418947
Assuming that France wins half of the ties, their chance of winning the rematch is about 65%.
win + tie/2
0.6529592395105466
This is a bit lower than their probability of superiority, which is 75%. And that makes sense, because we are less certain about the outcome of a single game than we are about the goal-scoring rates. Even if France is the better team, they might lose the game.
8.7. The Exponential Distribution#
As an exercise at the end of this notebook, you’ll have a chance to work on the following variation on the World Cup Problem:
In the 2014 FIFA World Cup, Germany played Brazil in a semifinal match. Germany scored after 11 minutes and again at the 23 minute mark. At that point in the match, how many goals would you expect Germany to score after 90 minutes? What was the probability that they would score 5 more goals (as, in fact, they did)?
In this version, notice that the data is not the number of goals in a fixed period of time, but the time between goals.
To compute the likelihood of data like this, we can take advantage of the theory of Poisson processes again. If each team has a constant goal-scoring rate, we expect the time between goals to follow an exponential distribution.
If the goal-scoring rate is \(\lambda\), the probability of seeing an interval between goals of \(t\) is proportional to the PDF of the exponential distribution:
Because \(t\) is a continuous quantity, the value of this expression is not a probability; it is a probability density. However, it is proportional to the probability of the data, so we can use it as a likelihood in a Bayesian update.
SciPy provides expon
, which creates an object that represents an exponential distribution.
However, it does not take lam
as a parameter in the way you might expect, which makes it awkward to work with.
Since the PDF of the exponential distribution is so easy to evaluate, I’ll use my own function.
def expo_pdf(t, lam):
"""Compute the PDF of the exponential distribution."""
return lam * np.exp(-lam * t)
To see what the exponential distribution looks like, let’s assume again that lam
is 1.4; we can compute the distribution of \(t\) like this:
lam = 1.4
qs = np.linspace(0, 4, 101)
ps = expo_pdf(qs, lam)
pmf_time = Pmf(ps, qs)
pmf_time.normalize()
25.616650745459093
And here’s what it looks like:
Show code cell content
def decorate_time(title=''):
decorate(xlabel='Time between goals (games)',
ylabel='PMF',
title=title)
Show code cell source
pmf_time.plot(label='exponential with $\lambda$ = 1.4')
decorate_time('Distribution of time between goals')
It is counterintuitive, but true, that the most likely time to score a goal is immediately. After that, the probability of each successive interval is a little lower.
With a goal-scoring rate of 1.4, it is possible that a team will take more than one game to score a goal, but it is unlikely that they will take more than two games.
8.8. Summary#
This chapter introduces three new distributions, so it can be hard to keep them straight. Let’s review:
If a system satisfies the assumptions of a Poisson model, the number of events in a period of time follows a Poisson distribution, which is a discrete distribution with integer quantities from 0 to infinity. In practice, we can usually ignore low-probability quantities above a finite limit.
Also under the Poisson model, the interval between events follows an exponential distribution, which is a continuous distribution with quantities from 0 to infinity. Because it is continuous, it is described by a probability density function (PDF) rather than a probability mass function (PMF). But when we use an exponential distribution to compute the likelihood of the data, we can treat densities as unnormalized probabilities.
The Poisson and exponential distributions are parameterized by an event rate, denoted \(\lambda\) or
lam
.For the prior distribution of \(\lambda\), I used a gamma distribution, which is a continuous distribution with quantities from 0 to infinity, but I approximated it with a discrete, bounded PMF. The gamma distribution has one parameter, denoted \(\alpha\) or
alpha
, which is also its mean.
I chose the gamma distribution because the shape is consistent with our background knowledge about goal-scoring rates. There are other distributions we could have used; however, we will see in <<_ConjugatePriors>> that the gamma distribution can be a particularly good choice.
But we have a few things to do before we get there, starting with these exercises.
8.9. Exercises#
Exercise: Let’s finish the exercise we started:
In the 2014 FIFA World Cup, Germany played Brazil in a semifinal match. Germany scored after 11 minutes and again at the 23 minute mark. At that point in the match, how many goals would you expect Germany to score after 90 minutes? What was the probability that they would score 5 more goals (as, in fact, they did)?
Here are the steps I recommend:
Starting with the same gamma prior we used in the previous problem, compute the likelihood of scoring a goal after 11 minutes for each possible value of
lam
. Don’t forget to convert all times into games rather than minutes.Compute the posterior distribution of
lam
for Germany after the first goal.Compute the likelihood of scoring another goal after 12 more minutes and do another update. Plot the prior, posterior after one goal, and posterior after two goals.
Compute the posterior predictive distribution of goals Germany might score during the remaining time in the game,
90-23
minutes. Note: You will have to think about how to generate predicted goals for a fraction of a game.Compute the probability of scoring 5 or more goals during the remaining time.
Show code cell content
# Solution
# Here's a function that updates the distribution of lam
# with the given time between goals
def update_expo(pmf, data):
"""Update based on an observed interval
pmf: prior PMF
data: time between goals in minutes
"""
t = data / 90
lams = pmf.qs
likelihood = expo_pdf(t, lams)
pmf *= likelihood
pmf.normalize()
Show code cell content
# Solution
# Here are the updates for the first and second goals
germany = prior.copy()
update_expo(germany, 11)
germany2 = germany.copy()
update_expo(germany2, 12)
Show code cell content
# Solution
# Here are the mean values of `lam` after each update
germany.mean(), germany2.mean()
(2.1358882653086892, 2.703059034926364)
Show code cell content
# Solution
# Here's what the posterior distributions look like
prior.plot(ls='--', label='prior', color='C5')
germany.plot(color='C3', label='Posterior after 1 goal')
germany2.plot(color='C16', label='Posterior after 2 goals')
decorate_rate('Prior and posterior distributions')
Show code cell content
# Solution
# Here's the predictive distribution for each possible value of `lam`
t = (90-23) / 90
pmf_seq = [make_poisson_pmf(lam*t, goals)
for lam in germany2.qs]
Show code cell content
# Solution
# And here's the mixture of predictive distributions,
# weighted by the probabilities in the posterior distribution.
pred_germany2 = make_mixture(germany2, pmf_seq)
Show code cell content
# Solution
# Here's what the predictive distribution looks like
pred_germany2.bar(color='C1', label='germany')
decorate_goals('Posterior predictive distribution')
Show code cell content
# Solution
# Here's the probability of scoring exactly 5 more goals
pred_germany2[5]
0.047109658706113416
Show code cell content
# Solution
# And the probability of 5 or more
pred_germany2.prob_ge(5)
0.09286200122834538
Exercise: Returning to the first version of the World Cup Problem. Suppose France and Croatia play a rematch. What is the probability that France scores first?
Hint: Compute the posterior predictive distribution for the time until the first goal by making a mixture of exponential distributions. You can use the following function to make a PMF that approximates an exponential distribution.
Show code cell content
def make_expo_pmf(lam, high):
"""Make a PMF of an exponential distribution.
lam: event rate
high: upper bound on the interval `t`
returns: Pmf of the interval between events
"""
qs = np.linspace(0, high, 101)
ps = expo_pdf(qs, lam)
pmf = Pmf(ps, qs)
pmf.normalize()
return pmf
Show code cell content
# Solution
# Here are the predictive distributions for the
# time until the first goal
pmf_seq = [make_expo_pmf(lam, high=4) for lam in prior.qs]
Show code cell content
# Solution
# And here are the mixtures based on the two posterior distributions
pred_france = make_mixture(france, pmf_seq)
pred_croatia = make_mixture(croatia, pmf_seq)
Show code cell content
# Solution
# Here's what the posterior predictive distributions look like
pred_france.plot(label='France', color='C3')
pred_croatia.plot(label='Croatia', color='C0')
decorate_time('Posterior predictive distribution')
Show code cell content
# Solution
# And here's the probability France scores first
Pmf.prob_lt(pred_france, pred_croatia)
0.5904596116867543
Exercise: In the 2010-11 National Hockey League (NHL) Finals, my beloved Boston Bruins played a best-of-seven championship series against the despised Vancouver Canucks. Boston lost the first two games 0-1 and 2-3, then won the next two games 8-1 and 4-0. At this point in the series, what is the probability that Boston will win the next game, and what is their probability of winning the championship?
To choose a prior distribution, I got some statistics from http://www.nhl.com, specifically the average goals per game for each team in the 2010-11 season. The distribution is well modeled by a gamma distribution with mean 2.8.
In what ways do you think the outcome of these games might violate the assumptions of the Poisson model? How would these violations affect your predictions?
Show code cell content
# Solution
# When a team is winning or losing by an insurmountable margin,
# they might remove their best players from the game, which
# would affect their goal-scoring rate, violating the assumption
# that the goal scoring rate is constant.
# In this example, Boston won the third game 8-1, but scoring
# eight goals in a game might not reflect their true long-term
# goal-scoring rate.
# As a result, the analysis below might overestimate the chance
# that Boston wins.
# As it turned out, they did not.
Show code cell content
# Solution
from scipy.stats import gamma
alpha = 2.8
qs = np.linspace(0, 15, 101)
ps = gamma.pdf(qs, alpha)
prior_hockey = Pmf(ps, qs)
prior_hockey.normalize()
6.666325137469514
Show code cell content
# Solution
prior_hockey.plot(ls='--', color='C5')
decorate_rate('Prior distribution for hockey')
prior_hockey.mean()
2.7997400090376567
Show code cell content
# Solution
bruins = prior_hockey.copy()
for data in [0, 2, 8, 4]:
update_poisson(bruins, data)
bruins.mean()
3.3599999999999985
Show code cell content
# Solution
canucks = prior_hockey.copy()
for data in [1, 3, 1, 0]:
update_poisson(canucks, data)
canucks.mean()
1.5599999606443666
Show code cell content
# Solution
canucks.plot(label='Canucks')
bruins.plot(label='Bruins')
decorate_rate('Posterior distributions')
Show code cell content
# Solution
goals = np.arange(15)
pmf_seq = [make_poisson_pmf(lam, goals) for lam in bruins.qs]
Show code cell content
# Solution
pred_bruins = make_mixture(bruins, pmf_seq)
pred_bruins.bar(label='Bruins', color='C1')
decorate_goals('Posterior predictive distribution')
Show code cell content
# Solution
pred_canucks = make_mixture(canucks, pmf_seq)
pred_canucks.bar(label='Canucks')
decorate_goals('Posterior predictive distribution')
Show code cell content
# Solution
win = Pmf.prob_gt(pred_bruins, pred_canucks)
lose = Pmf.prob_lt(pred_bruins, pred_canucks)
tie = Pmf.prob_eq(pred_bruins, pred_canucks)
win, lose, tie
(0.7038631514645926, 0.16111690750716465, 0.1350199410282429)
Show code cell content
# Solution
# Assuming the Bruins win half of the ties,
# their chance of winning the next game is...
p = win + tie/2
p
0.771373121978714
Show code cell content
# Solution
# Their chance of winning the series is their
# chance of winning k=2 or k=3 of the remaining
# n=3 games.
from scipy.stats import binom
n = 3
a = binom.pmf([2,3], n, p)
a.sum()
0.8670900197850085