This article provides an overview of the core functionality in Turing.jl, which are likely to be used across a wide range of models.
Basics
Introduction
A probabilistic program is Julia code wrapped in a @model macro. It can use arbitrary Julia code, but to ensure correctness of inference it should not have external effects or modify global state. Stack-allocated variables are safe, but mutable heap-allocated objects may lead to subtle bugs when using task copying. By default Libtask deepcopies Array and Dict objects when copying task to avoid bugs with data stored in mutable structure in Turing models.
To specify distributions of random variables, Turing programs should use the ~ notation:
x ~ distr where x is a symbol and distr is a distribution. If x is undefined in the model function, inside the probabilistic program, this puts a random variable named x, distributed according to distr, in the current scope. distr can be a value of any type that implements rand(distr), which samples a value from the distribution distr. If x is defined, this is used for conditioning in a style similar to Anglican (another PPL). In this case, x is an observed value, assumed to have been drawn from the distribution distr. The likelihood is computed using logpdf(distr,y). The observe statements should be arranged so that every possible run traverses all of them in exactly the same order. This is equivalent to demanding that they are not placed inside stochastic control flow.
Available inference methods include Importance Sampling (IS), Sequential Monte Carlo (SMC), Particle Gibbs (PG), Hamiltonian Monte Carlo (HMC), Hamiltonian Monte Carlo with Dual Averaging (HMCDA) and The No-U-Turn Sampler (NUTS).
Simple Gaussian Demo
Below is a simple Gaussian demo illustrate the basic usage of Turing.jl.
# Import packages.usingTuringusingStatsPlots# Define a simple Normal model with unknown mean and variance.@modelfunctiongdemo(x, y) s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²)) x ~Normal(m, sqrt(s²))return y ~Normal(m, sqrt(s²))end
gdemo (generic function with 2 methods)
Note: As a sanity check, the prior expectation of s² is mean(InverseGamma(2, 3)) = 3/(2 - 1) = 3 and the prior expectation of m is 0. This can be easily checked using Prior:
The MCMCChains module (which is re-exported by Turing) provides plotting tools for the Chain objects returned by a sample function. See the MCMCChains repository for more information on the suite of tools available for diagnosing MCMC chains.
Using this syntax, a probabilistic model is defined in Turing. The model function generated by Turing can then be used to condition the model onto data. Subsequently, the sample function can be used to generate samples from the posterior distribution.
In the following example, the defined model is conditioned to the data (arg1 = 1, arg2 = 2) by passing (1, 2) to the model function.
The conditioned model can then be passed onto the sample function to run posterior inference.
model_func =model_name(1, 2)chn =sample(model_func, HMC(..)) # Perform inference by sampling using HMC.
The returned chain contains samples of the variables in the model.
var_1 =mean(chn[:var_1]) # Taking the mean of a variable named var_1.
The key (:var_1) can be a Symbol or a String. For example, to fetch x[1], one can use chn[Symbol("x[1]")] or chn["x[1]"]. If you want to retrieve all parameters associated with a specific symbol, you can use group. As an example, if you have the parameters "x[1]", "x[2]", and "x[3]", calling group(chn, :x) or group(chn, "x") will return a new chain with only "x[1]", "x[2]", and "x[3]".
Turing does not have a declarative form. More generally, the order in which you place the lines of a @model macro matters. For example, the following example works:
# Define a simple Normal model with unknown mean and variance.@modelfunctionmodel_function(y) s ~Poisson(1) y ~Normal(s, 1)return yendsample(model_function(10), SMC(), 100)
Chains MCMC chain (100×3×1 Array{Float64, 3}):
Log evidence = -18.01191680345487
Iterations = 1:1:100
Number of chains = 1
Samples per chain = 100
Wall duration = 1.81 seconds
Compute duration = 1.81 seconds
parameters = s
internals = lp, weight
Summary Statistics
parameters mean std mcse ess_bulk ess_tail rhat e ⋯
Symbol Float64 Float64 Float64 Float64 Float64 Float64 ⋯
s 4.9900 0.1000 0.0100 100.0801 NaN 1.0000 ⋯
1 column omitted
Quantiles
parameters 2.5% 25.0% 50.0% 75.0% 97.5%
Symbol Float64 Float64 Float64 Float64 Float64
s 5.0000 5.0000 5.0000 5.0000 5.0000
But if we switch the s ~ Poisson(1) and y ~ Normal(s, 1) lines, the model will no longer sample correctly:
# Define a simple Normal model with unknown mean and variance.@modelfunctionmodel_function(y) y ~Normal(s, 1) s ~Poisson(1)return yendsample(model_function(10), SMC(), 100)
Sampling Multiple Chains
Turing supports distributed and threaded parallel sampling. To do so, call sample(model, sampler, parallel_type, n, n_chains), where parallel_type can be either MCMCThreads() or MCMCDistributed() for thread and parallel sampling, respectively.
Having multiple chains in the same object is valuable for evaluating convergence. Some diagnostic functions like gelmandiag require multiple chains.
If you do not want parallelism or are on an older version Julia, you can sample multiple chains with the mapreduce function:
# Replace num_chains below with however many chains you wish to sample.chains =mapreduce(c ->sample(model_fun, sampler, 1000), chainscat, 1:num_chains)
The chains variable now contains a Chains object which can be indexed by chain. To pull out the first chain from the chains object, use chains[:,:,1]. The method is the same if you use either of the below parallel sampling methods.
Multithreaded sampling
If you wish to perform multithreaded sampling and are running Julia 1.3 or greater, you can call sample with the following signature:
usingTuring@modelfunctiongdemo(x) s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²))for i ineachindex(x) x[i] ~Normal(m, sqrt(s²))endendmodel =gdemo([1.5, 2.0])# Sample four chains using multiple threads, each with 1000 samples.sample(model, NUTS(), MCMCThreads(), 1000, 4)
Be aware that Turing cannot add threads for you – you must have started your Julia instance with multiple threads to experience any kind of parallelism. See the Julia documentation for details on how to achieve this.
Distributed sampling
To perform distributed sampling (using multiple processes), you must first import Distributed.
Process parallel sampling can be done like so:
# Load Distributed to add processes and the @everywhere macro.usingDistributed# Load Turing.usingTuring# Add four processes to use for sampling.addprocs(4; exeflags="--project=$(Base.active_project())")# Initialize everything on all the processes.# Note: Make sure to do this after you've already loaded Turing,# so each process does not have to precompile.# Parallel sampling may fail silently if you do not do this.@everywhereusingTuring# Define a model on all processes.@everywhere@modelfunctiongdemo(x) s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²))for i ineachindex(x) x[i] ~Normal(m, sqrt(s²))endend# Declare the model instance everywhere.@everywhere model =gdemo([1.5, 2.0])# Sample four chains using multiple processes, each with 1000 samples.sample(model, NUTS(), MCMCDistributed(), 1000, 4)
Sampling from an Unconditional Distribution (The Prior)
Turing allows you to sample from a declared model’s prior. If you wish to draw a chain from the prior to inspect your prior distributions, you can simply run
chain =sample(model, Prior(), n_samples)
You can also run your model (as if it were a function) from the prior distribution, by calling the model without specifying inputs or a sampler. In the below example, we specify a gdemo model which returns two variables, x and y. The model includes x and y as arguments, but calling the function without passing in x or y means that Turing’s compiler will assume they are missing values to draw from the relevant distribution. The return statement is necessary to retrieve the sampled x and y values. Assign the function with missing inputs to a variable, and Turing will produce a sample from the prior distribution.
@modelfunctiongdemo(x, y) s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²)) x ~Normal(m, sqrt(s²)) y ~Normal(m, sqrt(s²))return x, yend
gdemo (generic function with 2 methods)
Assign the function with missing inputs to a variable, and Turing will produce a sample from the prior distribution.
# Samples from p(x,y)g_prior_sample =gdemo(missing, missing)g_prior_sample()
(0.41153128186868515, -1.0201591724165657)
Sampling from a Conditional Distribution (The Posterior)
Treating observations as random variables
Inputs to the model that have a value missing are treated as parameters, aka random variables, to be estimated/sampled. This can be useful if you want to simulate draws for that parameter, or if you are sampling from a conditional distribution. Turing supports the following syntax:
@modelfunctiongdemo(x, ::Type{T}=Float64) where {T}if x ===missing# Initialize `x` if missing x =Vector{T}(undef, 2)end s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²))for i ineachindex(x) x[i] ~Normal(m, sqrt(s²))endend# Construct a model with x = missingmodel =gdemo(missing)c =sample(model, HMC(0.01, 5), 500)
Note the need to initialize x when missing since we are iterating over its elements later in the model. The generated values for x can be extracted from the Chains object using c[:x].
Turing also supports mixed missing and non-missing values in x, where the missing ones will be treated as random variables to be sampled while the others get treated as observations. For example:
@modelfunctiongdemo(x) s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²))for i ineachindex(x) x[i] ~Normal(m, sqrt(s²))endend# x[1] is a parameter, but x[2] is an observationmodel =gdemo([missing, 2.4])c =sample(model, HMC(0.01, 5), 500)
Arguments to Turing models can have default values much like how default values work in normal Julia functions. For instance, the following will assign missing to x and treat it as a random variable. If the default value is not missing, x will be assigned that value and will be treated as an observation instead.
usingTuring@modelfunctiongenerative(x=missing, ::Type{T}=Float64) where {T<:Real}if x ===missing# Initialize x when missing x =Vector{T}(undef, 10)end s² ~InverseGamma(2, 3) m ~Normal(0, sqrt(s²))for i in1:length(x) x[i] ~Normal(m, sqrt(s²))endreturn s², mendm =generative()chain =sample(m, HMC(0.01, 5), 1000)
You can access the values inside a chain several ways:
Turn them into a DataFrame object
Use their raw AxisArray form
Create a three-dimensional Array object
For example, let c be a Chain:
DataFrame(c) converts c to a DataFrame,
c.value retrieves the values inside c as an AxisArray, and
c.value.data retrieves the values inside c as a 3D Array.
Variable Types and Type Parameters
The element type of a vector (or matrix) of random variables should match the eltype of its prior distribution, <: Integer for discrete distributions and <: AbstractFloat for continuous distributions. Moreover, if the continuous random variable is to be sampled using a Hamiltonian sampler, the vector’s element type needs to either be:
Real to enable auto-differentiation through the model which uses special number types that are sub-types of Real, or
Some type parameter T defined in the model header using the type parameter syntax, e.g. function gdemo(x, ::Type{T} = Float64) where {T}.
Similarly, when using a particle sampler, the Julia variable used should either be:
An Array, or
An instance of some type parameter T defined in the model header using the type parameter syntax, e.g. function gdemo(x, ::Type{T} = Vector{Float64}) where {T}.
Querying Probabilities from Model or Chain
Turing offers three functions: loglikelihood, logprior, and logjoint to query the log-likelihood, log-prior, and log-joint probabilities of a model, respectively.
Let’s look at a simple model called gdemo:
@modelfunctiongdemo0() s ~InverseGamma(2, 3) m ~Normal(0, sqrt(s))return x ~Normal(m, sqrt(s))end
gdemo0 (generic function with 2 methods)
If we observe x to be 1.0, we can condition the model on this datum using the condition syntax:
Turing.jl provides a Gibbs interface to combine different samplers. For example, one can combine an HMC sampler with a PG sampler to run inference for different parameters in a single model as below.
@modelfunctionsimple_choice(xs) p ~Beta(2, 2) z ~Bernoulli(p)for i in1:length(xs)if z ==1 xs[i] ~Normal(0, 1)else xs[i] ~Normal(2, 1)endendendsimple_choice_f =simple_choice([1.5, 2.0, 0.3])chn =sample(simple_choice_f, Gibbs(HMC(0.2, 3, :p), PG(20, :z)), 1000)
Chains MCMC chain (1000×3×1 Array{Float64, 3}):
Iterations = 1:1:1000
Number of chains = 1
Samples per chain = 1000
Wall duration = 12.58 seconds
Compute duration = 12.58 seconds
parameters = p, z
internals = lp
Summary Statistics
parameters mean std mcse ess_bulk ess_tail rhat e ⋯
Symbol Float64 Float64 Float64 Float64 Float64 Float64 ⋯
p 0.4435 0.2004 0.0176 123.8496 241.6586 1.0061 ⋯
z 0.1770 0.3819 0.0150 645.1937 NaN 0.9991 ⋯
1 column omitted
Quantiles
parameters 2.5% 25.0% 50.0% 75.0% 97.5%
Symbol Float64 Float64 Float64 Float64 Float64
p 0.1161 0.2818 0.4222 0.6015 0.8238
z 0.0000 0.0000 0.0000 0.0000 1.0000
The Gibbs sampler can be used to specify unique automatic differentiation backends for different variable spaces. Please see the Automatic Differentiation article for more.
For more details of compositional sampling in Turing.jl, please check the corresponding paper.
Working with filldist and arraydist
Turing provides filldist(dist::Distribution, n::Int) and arraydist(dists::AbstractVector{<:Distribution}) as a simplified interface to construct product distributions, e.g., to model a set of variables that share the same structure but vary by group.
Constructing product distributions with filldist
The function filldist provides a general interface to construct product distributions over distributions of the same type and parameterisation. Note that, in contrast to the product distribution interface provided by Distributions.jl (Product), filldist supports product distributions over univariate or multivariate distributions.
Example usage:
@modelfunctiondemo(x, g) k =length(unique(g)) a ~filldist(Exponential(), k) # = Product(fill(Exponential(), k)) mu = a[g]return x .~Normal.(mu)end
demo (generic function with 2 methods)
Constructing product distributions with arraydist
The function arraydist provides a general interface to construct product distributions over distributions of varying type and parameterisation. Note that in contrast to the product distribution interface provided by Distributions.jl (Product), arraydist supports product distributions over univariate or multivariate distributions.
Example usage:
@modelfunctiondemo(x, g) k =length(unique(g)) a ~arraydist([Exponential(i) for i in1:k]) mu = a[g]return x .~Normal.(mu)end
demo (generic function with 2 methods)
Working with MCMCChains.jl
Turing.jl wraps its samples using MCMCChains.Chain so that all the functions working for MCMCChains.Chain can be re-used in Turing.jl. Two typical functions are MCMCChains.describe and MCMCChains.plot, which can be used as follows for an obtained chain chn. For more information on MCMCChains, please see the GitHub repository.
describe(chn) # Lists statistics of the samples.plot(chn) # Plots statistics of the samples.
There are numerous functions in addition to describe and plot in the MCMCChains package, such as those used in convergence diagnostics. For more information on the package, please see the GitHub repository.
Changing Default Settings
Some of Turing.jl’s default settings can be changed for better usage.
AD Chunk Size
ForwardDiff (Turing’s default AD backend) uses forward-mode chunk-wise AD. The chunk size can be set manually by AutoForwardDiff(;chunksize=new_chunk_size).
AD Backend
Turing supports four automatic differentiation (AD) packages in the back end during sampling. The default AD backend is ForwardDiff for forward-mode AD. Three reverse-mode AD backends are also supported, namely Tracker, Zygote and ReverseDiff. Zygote and ReverseDiff are supported optionally if explicitly loaded by the user with using Zygote or using ReverseDiff next to using Turing.
For more information on Turing’s automatic differentiation backend, please see the Automatic Differentiation article.
Progress Logging
Turing.jl uses ProgressLogging.jl to log the sampling progress. Progress logging is enabled as default but might slow down inference. It can be turned on or off by setting the keyword argument progress of sample to true or false. Moreover, you can enable or disable progress logging globally by calling setprogress!(true) or setprogress!(false), respectively.
Turing uses heuristics to select an appropriate visualization backend. If you use Jupyter notebooks, the default backend is ConsoleProgressMonitor.jl. In all other cases, progress logs are displayed with TerminalLoggers.jl. Alternatively, if you provide a custom visualization backend, Turing uses it instead of the default backend.