Catalyst.jl API
Reaction Network Generation and Representation
Catalyst provides the @reaction_network macro for generating a complete network, stored as a ReactionSystem, which in turn is composed of Reactions. ReactionSystems can be converted to other ModelingToolkit.AbstractSystems, including a ModelingToolkit.ODESystem, ModelingToolkit.SDESystem, or ModelingToolkit.JumpSystem.
An empty network can be generated using @reaction_network with no arguments (or one argument to name the system), or the make_empty_network function. These can then be extended programmatically using addspecies!, addparam!, and addreaction!.
It is important to note for @reaction_network that any variable not declared to be a parameter after end will be treated as a chemical species of the system. i.e. in
rn = @reaction_network begin
k*X, Y --> W
end kX, Y and W will all be classified as chemical species.
The ReactionSystem generated by the @reaction_network macro is a ModelingToolkit.AbstractSystem that symbolically represents a system of chemical reactions. In some cases it can be convenient to bypass the macro and directly generate a collection of Reactions and a corresponding ReactionSystem encapsulating them. Below we illustrate with a simple SIR example how a system can be directly constructed, and demonstrate how to then generate from the ReactionSystem and solve corresponding chemical reaction ODE models, chemical Langevin equation SDE models, and stochastic chemical kinetics jump process models.
using Catalyst, OrdinaryDiffEq, StochasticDiffEq, DiffEqJump
@parameters β γ t
@variables S(t) I(t) R(t)
rxs = [Reaction(β, [S,I], [I], [1,1], [2])
Reaction(γ, [I], [R])]
@named rs = ReactionSystem(rxs, t)
u₀map = [S => 999.0, I => 1.0, R => 0.0]
parammap = [β => 1/10000, γ => 0.01]
tspan = (0.0, 250.0)
# solve as ODEs
odesys = convert(ODESystem, rs)
oprob = ODEProblem(odesys, u₀map, tspan, parammap)
sol = solve(oprob, Tsit5())
# solve as SDEs
sdesys = convert(SDESystem, rs)
sprob = SDEProblem(sdesys, u₀map, tspan, parammap)
sol = solve(sprob, EM(), dt=.01)
# solve as jump process
jumpsys = convert(JumpSystem, rs)
u₀map = [S => 999, I => 1, R => 0]
dprob = DiscreteProblem(jumpsys, u₀map, tspan, parammap)
jprob = JumpProblem(jumpsys, dprob, Direct())
sol = solve(jprob, SSAStepper())Catalyst.@reaction_network — Macro@reaction_networkGenerates a ReactionSystem that encodes a chemical reaction network.
See the The Reaction DSL documentation for details on parameters to the macro.
Examples:
# a basic SIR model, with name SIR
sir_model = @reaction_network SIR begin
c1, s + i --> 2i
c2, i --> r
end c1 c2
# a basic SIR model, with random generated name
sir_model = @reaction_network begin
c1, s + i --> 2i
c2, i --> r
end c1 c2
# an empty network with name empty
emptyrn = @reaction_network empty
# an empty network with random generated name
emptyrn = @reaction_networkCatalyst.make_empty_network — Functionmake_empty_network(; iv=DEFAULT_IV, name=gensym(:ReactionSystem))Construct an empty ReactionSystem. iv is the independent variable, usually time, and name is the name to give the ReactionSystem.
Catalyst.Reaction — Typestruct Reaction{S, T<:Number}One chemical reaction.
Fields
rateThe rate function (excluding mass action terms).
substratesReaction substrates.
productsReaction products.
substoichThe stoichiometric coefficients of the reactants.
prodstoichThe stoichiometric coefficients of the products.
netstoichThe net stoichiometric coefficients of all species changed by the reaction.
only_use_ratefalse(default) ifrateshould be multiplied by mass action terms to give the rate law.trueifraterepresents the full reaction rate law.
Examples
using Catalyst
@parameters k[1:20]
@variables t A(t) B(t) C(t) D(t)
rxs = [Reaction(k[1], nothing, [A]), # 0 -> A
Reaction(k[2], [B], nothing), # B -> 0
Reaction(k[3],[A],[C]), # A -> C
Reaction(k[4], [C], [A,B]), # C -> A + B
Reaction(k[5], [C], [A], [1], [2]), # C -> A + A
Reaction(k[6], [A,B], [C]), # A + B -> C
Reaction(k[7], [B], [A], [2], [1]), # 2B -> A
Reaction(k[8], [A,B], [A,C]), # A + B -> A + C
Reaction(k[9], [A,B], [C,D]), # A + B -> C + D
Reaction(k[10], [A], [C,D], [2], [1,1]), # 2A -> C + D
Reaction(k[11], [A], [A,B], [2], [1,1]), # 2A -> A + B
Reaction(k[12], [A,B,C], [C,D], [1,3,4], [2, 3]), # A+3B+4C -> 2C + 3D
Reaction(k[13], [A,B], nothing, [3,1], nothing), # 3A+B -> 0
Reaction(k[14], nothing, [A], nothing, [2]), # 0 -> 2A
Reaction(k[15]*A/(2+A), [A], nothing; only_use_rate=true), # A -> 0 with custom rate
Reaction(k[16], [A], [B]; only_use_rate=true), # A -> B with custom rate.
Reaction(k[17]*A*exp(B), [C], [D], [2], [1]), # 2C -> D with non constant rate.
Reaction(k[18]*B, nothing, [B], nothing, [2]), # 0 -> 2B with non constant rate.
Reaction(k[19]*t, [A], [B]), # A -> B with non constant rate.
Reaction(k[20]*t*A, [B,C], [D],[2,1],[2]) # 2A +B -> 2C with non constant rate.
]Notes:
nothingcan be used to indicate a reaction that has no reactants or no products. In this case the corresponding stoichiometry vector should also be set tonothing.- The three-argument form assumes all reactant and product stoichiometric coefficients are one.
Catalyst.ReactionSystem — Typestruct ReactionSystem{U<:Union{Nothing, ModelingToolkit.AbstractSystem}} <: AbstractTimeDependentSystemA system of chemical reactions.
Fields
eqsThe reactions defining the system.
ivIndependent variable (usually time).
statesDependent (state) variables representing amount of each species. Must not contain the independent variable.
psParameter variables. Must not contain the independent variable.
var_to_nameMaps Symbol to corresponding variable.
observedEquations for observed variables.
nameThe name of the system
systemsInternal sub-systems
defaultsThe default values to use when initial conditions and/or parameters are not supplied in
ODEProblem.
connection_typeType of the system
constraintsNon-
Reactionequations that further constrain the system
Example
Continuing from the example in the Reaction definition:
# simple constructor that infers species and parameters
@named rs = ReactionSystem(rxs, t)
# allows specification of species and parameters
@named rs = ReactionSystem(rxs, t, [A,B,C,D], k)Keyword Arguments:
observed::Vector{Equation}, equations specifying observed variables.systems::Vector{AbstractSystems}, vector of sub-systems. Can beReactionSystems,ODESystems, orNonlinearSystems.name::Symbol, the name of the system (must be provided, or@namedmust be used).defaults::Dict, a dictionary mapping parameters to their default values and species to their default initial values.checks = true, boolean for whether to check units.constraints = nothing, aNonlinearSystemorODESystemof coupled constraint equations.
Notes:
- ReactionSystems currently do rudimentary unit checking, requiring that all species have the same units, and all reactions have rate laws with units of (species units) / (time units). Unit checking can be disabled by passing the keyword argument
checks=false.
ModelingToolkit and Catalyst Accessor Functions
A ReactionSystem is an instance of a ModelingToolkit.AbstractTimeDependentSystem, and has a number of fields that can be accessed using the Catalyst API and the ModelingToolkit.jl Abstract System Interface. Below we overview these components.
There are three basic sets of convenience accessors that will return information either from a top-level system, the top-level system and all sub-systems that are also ReactionSystems (i.e. the full reaction-network), or the top-level system, all subs-systems, and all constraint systems (i.e. the full model). To retrieve info from just a base ReactionSystemrn, ignoring sub-systems of rn, one can use the ModelingToolkit accessors (these provide direct access to the corresponding internal fields of the ReactionSystem)
get_states(rn)is a vector that collects all the species defined withinrn.get_ps(rn)is a vector that collects all the parameters defined within reactions inrn.get_eqs(rn)is a vector that collects all theReactions defined withinrn.get_iv(rn)is the independent variable used in the system (usuallytto represent time).get_systems(rn)is a vector of all sub-systems ofrn.get_defaults(rn)is a dictionary of all the default values for parameters and species inrn.
These are complemented by the Catalyst accessor
Catalyst.get_constraints(sys)is the constraint system ofrn. If none is defined will returnnothing.
The preceding accessors do not allocate, directly accessing internal fields of the ReactionSystem.
To retrieve information from the full reaction network represented by a system rn, which corresponds to information within both rn and all sub-systems of type ReactionSystem, one can call:
species(rn)is a vector collecting all the chemical species within the system and any sub-systems that are alsoReactionSystems.reactionparams(rn)is a vector of all the parameters within the system and any sub-systems that are alsoReactionSystems. These include all parameters that appear within someReaction.reactions(rn)is a vector of all theReactions within the system and any sub-systems that are alsoReactionSystems.
These accessors will allocate unless there are no subsystems. In the latter case they are equivalent to the corresponding get_* functions.
Finally, as some sub-systems may be other system types, for example specifying algebraic constraints with a NonlinearSystem, it can also be convenient to collect all state variables (e.g. species and algebraic variables) and such. The following ModelingToolkit functions provide this information
ModelingToolkit.states(rn)returns all species and variables across the system, all sub-systems, and all constraint systems.ModelingToolkit.parameters(rn)returns all parameters across the system, all sub-systems, and all constraint systems.ModelingToolkit.equations(rn)returns allReactions and allEquationsdefined across the system, all sub-systems, and all constraint systems.
states and parameters should be assumed to always allocate, while equations will allocate unless there are no subsystems or constraint systems. In the latter case equations is equivalent to get_eqs.
Below we list the remainder of the Catalyst API accessor functions mentioned above.
Basic System Properties
See Symbolic Reaction Systems for examples and ModelingToolkit and Catalyst Accessor Functions for more details on the basic accessor functions.
Catalyst.species — Functionspecies(network)Given a ReactionSystem, return a vector of all species defined in the system and any subsystems that are of type ReactionSystem. To get the variables in the system and all subsystems, including non-ReactionSystem subsystems, uses states(network).
Notes:
- If
ModelingToolkit.get_systems(network)is non-empty will allocate.
Catalyst.reactionparams — Functionreactionparams(network)Given a ReactionSystem, return a vector of all parameters defined within the system and any subsystems that are of type ReactionSystem. To get the parameters in the system and all subsystems, including non-ReactionSystem subsystems, use parameters(network).
Notes:
- If
ModelingToolkit.get_systems(network)is non-empty will allocate.
Catalyst.reactions — Functionreactions(network)Given a ReactionSystem, return a vector of all Reactions in the system.
Notes:
- If
ModelingToolkit.get_systems(network)is not empty, will allocate.
Catalyst.numspecies — Functionnumspecies(network)Return the total number of species within the given ReactionSystem and subsystems that are ReactionSystems.
Notes
- If there are no subsystems this will be fast.
- As this calls
species, it can be slow and will allocate if there are any subsystems.
Catalyst.numreactions — Functionnumreactions(network)Return the total number of reactions within the given ReactionSystem and subsystems that are ReactionSystems.
Catalyst.numreactionparams — Functionnumreactionparams(network)Return the total number of parameters within the given ReactionSystem and subsystems that are ReactionSystems.
Notes
- If there are no subsystems this will be fast.
- As this calls
reactionparams, it can be slow and will allocate if there are any subsystems.
Catalyst.speciesmap — Functionspeciesmap(network)Given a ReactionSystem, return a Dictionary mapping species that participate in Reactions to their index within species(network).
Catalyst.paramsmap — Functionparamsmap(network)Given a ReactionSystem, return a Dictionary mapping from all parameters that appear within the system to their index within parameters(network).
Catalyst.reactionparamsmap — Functionreactionparamsmap(network)Given a ReactionSystem, return a Dictionary mapping from parameters that appear within Reactions to their index within reactionparams(network).
Basic Reaction Properties
Catalyst.ismassaction — Functionismassaction(rx, rs; rxvars = get_variables(rx.rate),
haveivdep = any(var -> isequal(get_iv(rs),var), rxvars),
stateset = Set(states(rs)))True if a given reaction is of mass action form, i.e. rx.rate does not depend on any chemical species that correspond to states of the system, and does not depend explicitly on the independent variable (usually time).
Arguments
rx, theReaction.rs, aReactionSystemcontaining the reaction.- Optional:
rxvars,Variables which are not inrxvarsare ignored as possible dependencies. - Optional:
haveivdep,trueif theReactionratefield explicitly depends on the independent variable. - Optional:
stateset, set of states which if the rxvars are within mean rx is non-mass action.
Catalyst.dependents — Functiondependents(rx, network)Given a Reaction and a ReactionSystem, return a vector of ModelingToolkit.Nums corresponding to species the reaction rate law depends on. E.g., for
k*W, 2X + 3Y --> 5Z + W
the returned vector would be [W(t),X(t),Y(t)].
Notes:
- Allocates
- Does not check for dependents within any subsystems.
Catalyst.dependants — Functiondependents(rx, network)See documentation for dependents.
Catalyst.substoichmat — Functionsubstoichmat(rn; sparse=false, smap=speciesmap(rn))Returns the substrate stoichiometry matrix, $S$, with $S_{i j}$ the stoichiometric coefficient of the ith substrate within the jth reaction.
Note:
- Set sparse=true for a sparse matrix representation
Catalyst.prodstoichmat — Functionprodstoichmat(rn; sparse=false, smap=speciesmap(rn))Returns the product stoichiometry matrix, $P$, with $P_{i j}$ the stoichiometric coefficient of the ith product within the jth reaction.
Note:
- Set sparse=true for a sparse matrix representation
Catalyst.netstoichmat — Functionnetstoichmat(rn, sparse=false; smap=speciesmap(rn))Returns the net stoichiometry matrix, $N$, with $N_{i j}$ the net stoichiometric coefficient of the ith species within the jth reaction.
Note:
- Set sparse=true for a sparse matrix representation
Catalyst.reactionrates — Functionreactionrates(network)Given a ReactionSystem, returns a vector of the symbolic reaction rates for each reaction.
Functions to Extend a Network
ReactionSystems can be programmatically extended using addspecies!, addparam!, addreaction!, @add_reactions, or composed using ModelingToolkit.extend and ModelingToolkit.compose.
Catalyst.@add_reactions — Macro@add_reactionsAdds the reactions declared to a preexisting ReactionSystem. All parameters used in the added reactions need to be declared after the reactions.
See the Catalyst.jl for Reaction Models documentation for details on parameters to the macro.
Catalyst.addspecies! — Functionaddspecies!(network::ReactionSystem, s::Symbolic; disablechecks=false)Given a ReactionSystem, add the species corresponding to the variable s to the network (if it is not already defined). Returns the integer id of the species within the system.
Notes:
disablecheckswill disable checking for whether the passed in variable is already defined, which is useful when adding many new variables to the system. Do not disable checks unless you are sure the passed in variable is a new variable, as this will potentially leave the system in an undefined state.
addspecies!(network::ReactionSystem, s::Num; disablechecks=false)Given a ReactionSystem, add the species corresponding to the variable s to the network (if it is not already defined). Returns the integer id of the species within the system.
disablecheckswill disable checking for whether the passed in variable is already defined, which is useful when adding many new variables to the system. Do not disable checks unless you are sure the passed in variable is a new variable, as this will potentially leave the system in an undefined state.
Catalyst.reorder_states! — Functionreorder_states!(rn, neworder)Given a ReactionSystem and a vector neworder, orders the states of rn accordingly to neworder.
Notes:
- Currently only supports
ReactionSystems without constraints or subsystems.
Catalyst.addparam! — Functionaddparam!(network::ReactionSystem, p::Symbolic; disablechecks=false)Given a ReactionSystem, add the parameter corresponding to the variable p to the network (if it is not already defined). Returns the integer id of the parameter within the system.
disablecheckswill disable checking for whether the passed in variable is already defined, which is useful when adding many new variables to the system. Do not disable checks unless you are sure the passed in variable is a new variable, as this will potentially leave the system in an undefined state.
addparam!(network::ReactionSystem, p::Num; disablechecks=false)Given a ReactionSystem, add the parameter corresponding to the variable p to the network (if it is not already defined). Returns the integer id of the parameter within the system.
disablecheckswill disable checking for whether the passed in variable is already defined, which is useful when adding many new variables to the system. Do not disable checks unless you are sure the passed in variable is a new variable, as this will potentially leave the system in an undefined state.
Catalyst.addreaction! — Functionaddreaction!(network::ReactionSystem, rx::Reaction)Add the passed in reaction to the ReactionSystem. Returns the integer id of rx in the list of Reactions within network.
Notes:
- Any new species or parameters used in
rxshould be separately added tonetworkusingaddspecies!andaddparam!.
ModelingToolkit.extend — Functionextend(sys::ModelingToolkit.AbstractSystem, basesys::ModelingToolkit.AbstractSystem; name) -> ReactionSystem
entend the basesys with sys, the resulting system would inherit sys's name by default.
ModelingToolkit.extend(sys::Union{NonlinearSystem,ODESystem}, rs::ReactionSystem; name::Symbol=nameof(sys))Extends the indicated ReactionSystem with a ModelingToolkit.NonlinearSystem or ModelingToolkit.ODESystem, which will be stored internally as constraint equations.
Notes:
- Returns a new
ReactionSystemand does not modifyrs. - By default, the new
ReactionSystemwill have the same name assys.
ModelingToolkit.extend(sys::ReactionSystem, rs::ReactionSystem; name::Symbol=nameof(sys))Extends the indicated ReactionSystem with another ReactionSystem. Similar to calling merge! except constraint systems are allowed (and will also be merged together).
Notes:
- Returns a new
ReactionSystemand does not modifyrs. - By default, the new
ReactionSystemwill have the same name assys.
ModelingToolkit.compose — Functioncompose(sys, systems; name)
compose multiple systems together. The resulting system would inherit the first system's name.
Catalyst.flatten — FunctionCatalyst.flatten(rs::ReactionSystem)Merges all subsystems of the given ReactionSystem up into rs.
Notes:
- Returns a new
ReactionSystemthat represents the flattened system. - All
Reactions within subsystems are namespaced and merged into the list ofReactionsofrs. The merged list is then available asreactions(rs)orget_eqs(rs). - All algebraic equations are merged into a
NonlinearSystemorODESystemstored asget_constraints(rs). Ifget_constraints !== nothingthen the algebraic equations are merged with the current constraints in a system of the same type as the current constraints, otherwise the new constraint system is anODESystem. - Currently only
ReactionSystems,NonlinearSystems andODESystems are supported as sub-systems when flattening.
Base.merge! — Methodmerge!(network1::ReactionSystem, network2::ReactionSystem)Merge network2 into network1.
Notes:
- Duplicate reactions between the two networks are not filtered out.
Reactions are not deepcopied to minimize allocations, so both networks will share underlying data arrays.- Subsystems are not deepcopied between the two networks and will hence be shared.
- Returns
network1.
Network Analysis and Representations
Catalyst.conservationlaws — Functionconservationlaws(netstoichmat::AbstractMatrix)::MatrixGiven the net stoichiometry matrix of a reaction system, computes a matrix of conservation laws, each represented as a row in the output.
Catalyst.conservedquantities — Functionconservedquantities(state, cons_laws)Compute conserved quantities for a system with the given conservation laws.
Catalyst.ReactionComplexElement — Typestruct ReactionComplexElement{T}One reaction complex element
Fields
speciesidThe integer id of the species representing this element.
speciesstoichThe stoichiometric coefficient of this species.
Catalyst.ReactionComplex — Typestruct ReactionComplex{V<:Integer} <: AbstractArray{Catalyst.ReactionComplexElement{V<:Integer}, 1}One reaction complex.
Fields
speciesidsThe integer ids of all species participating in this complex.
speciesstoichsThe stoichiometric coefficients of all species participating in this complex.
Catalyst.reactioncomplexmap — Functionreactioncomplexmap(rn::ReactionSystem; smap=speciesmap(rn))Find each ReactionComplex within the specified system, constructing a mapping from the complex to vectors that indicate which reactions it appears in as substrates and products.
Notes:
- Each
ReactionComplexis mapped to a vector of pairs, with each pair having the formreactionidx => ± 1, where-1indicates the complex appears as a substrate and+1as a product in the reaction with integer labelreactionidx.
Catalyst.reactioncomplexes — Functionreactioncomplexes(network::ReactionSystem; sparse=false, smap=speciesmap(rn),
complextorxsmap=reactioncomplexmap(rn; smap=smap))Calculate the reaction complexes and complex incidence matrix for the given ReactionSystem.
Notes:
- returns a pair of a vector of
ReactionComplexs and the complex incidence matrix. - An empty
ReactionComplexdenotes the null (∅) state (from reactions like ∅ -> A or A -> ∅). - The complex incidence matrix, $B$, is number of complexes by number of reactions with
\[B_{i j} = \begin{cases} -1, &\text{if the i'th complex is the substrate of the j'th reaction},\\ 1, &\text{if the i'th complex is the product of the j'th reaction},\\ 0, &\text{otherwise.} \end{cases}\]
- Set sparse=true for a sparse matrix representation of the incidence matrix
Catalyst.complexstoichmat — Functioncomplexstoichmat(network::ReactionSystem; sparse=false, rcs=keys(reactioncomplexmap(rn)))Given a ReactionSystem and vector of reaction complexes, return a matrix with positive entries of size number of species by number of complexes, where the non-zero positive entries in the kth column denote stoichiometric coefficients of the species participating in the kth reaction complex.
Notes:
rcscorrespond to an iterable of theReactionComplexes, i.e.rcs=keys(reactioncomplexmap(rn))orreactioncomplexes(rn)[1].- Set sparse=true for a sparse matrix representation
Catalyst.complexoutgoingmat — Functioncomplexoutgoingmat(network; sparse=false, B=reactioncomplexes(rn)[2])Given a ReactionSystem and complex incidence matrix, $B$, return a matrix of size num of complexes by num of reactions that identifies substrate complexes.
Notes:
- The complex outgoing matrix, $\Delta$, is defined by
\[\Delta_{i j} = \begin{cases} = 0, &\text{if } B_{i j} = 1, \\ = B_{i j}, &\text{otherwise.} \end{cases}\]
- Set sparse=true for a sparse matrix representation
Catalyst.incidencematgraph — Functionincidencematgraph(incidencemat)Given an incidence matrix of a reaction-network, construct a directed simple graph where nodes correspond to reaction complexes and directed edges to reactions converting between two complexes.
For example,
sir = @reaction_network SIR begin
β, S + I --> 2I
ν, I --> R
end β ν
rcs,incidencemat = reactioncomplexes(sir)
incidencegraph = incidencematgraph(incidencemat)Catalyst.linkageclasses — Functionlinkageclasses(incidencegraph)Given the incidence graph of a reaction network, return a vector of the connected components of the graph (i.e. sub-groups of reaction complexes that are connected in the incidence graph).
For example, continuing the example from incidencematgraph
julia> linkageclasses(incidencegraph)
2-element Vector{Vector{Int64}}:
[1, 2]
[3, 4]Catalyst.deficiency — Functiondeficiency(netstoich_mat, incidence_graph, linkage_classes)Calculate the deficiency of a reaction network.
Here the deficiency, $\delta$, of a network with $n$ reaction complexes, $\ell$ linkage classes and a rank $s$ stoichiometric matrix is
\[\delta = n - \ell - s\]
For example,
sir = @reaction_network SIR begin
β, S + I --> 2I
ν, I --> R
end β ν
rcs,incidencemat = reactioncomplexes(sir)
incidence_graph = incidencematgraph(incidencemat)
linkage_classes = linkageclasses(incidence_graph)
netstoich_mat = netstoichmat(sir)
δ = deficiency(netstoich_mat, incidence_graph, linkage_classes)Catalyst.subnetworks — Functionsubnetworks(network, linkage_classes ; rxs = reactions(network),
complextorxmap = collect(values(reactioncomplexmap(network))),
p = parameters(network))Find subnetworks corresponding to the each linkage class of reaction network
For example, continuing the example from deficiency
subnets = subnetworks(sir, linkage_classes)Catalyst.linkagedeficiencies — Functionlinkagedeficiencies(subnetworks::AbstractVector, linkage_classes::AbstractVector)Calculates the deficiency of each sub-reaction network defined by a collection of linkage_classes.
For example, continuing the example from deficiency
subnets = subnetworks(sir, linkage_classes)
linkage_deficiencies = linkagedeficiency(subnets, linkage_classes)Catalyst.isreversible — Functionisreversible(incidencegraph)Given an incidence graph of the reaction network, returns if the network is reversible or not. For example, continuing the example from linkagedeficiencies
isreversible(incidence_graph)Catalyst.isweaklyreversible — Functionisweaklyreversible(subnetworks)Given the subnetworks corresponding to the each linkage class of reaction network, determines if the reaction network is weakly reversible or not. For example, continuing the example from isreversible
isweaklyreversible(subnets)Network Comparison
Base.:== — Method==(rx1::Reaction, rx2::Reaction)Tests whether two Reactions are identical.
Notes:
- Ignores the order in which stoichiometry components are listed.
- Does not currently simplify rates, so a rate of
A^2+2*A+1would be considered different than(A+1)^2.
Catalyst.isequal_ignore_names — Functionisequal_ignore_names(rn1::ReactionSystem, rn2::ReactionSystem)Tests whether the underlying species, parameters and reactions are the same in the two ReactionSystems. Ignores the names of the systems in testing equality.
Notes:
- Does not currently simplify rates, so a rate of
A^2+2*A+1would be considered different than(A+1)^2. - Does not include
defaultsin determining equality.
Base.:== — Method==(rn1::ReactionSystem, rn2::ReactionSystem)Tests whether the underlying species, parameters and reactions are the same in the two ReactionSystems. Requires the systems to have the same names too.
Notes:
- Does not currently simplify rates, so a rate of
A^2+2*A+1would be considered different than(A+1)^2. - Does not include
defaultsin determining equality.
Network Visualization
Latexify can be used to convert networks to LaTeX mhchem equations by
using Latexify
latexify(rn)If Graphviz is installed and commandline accessible, it can be used to create and save network diagrams using Graph and savegraph.
Catalyst.Graph — TypeGraph(rn::ReactionSystem)Converts a ReactionSystem into a Graphviz graph. Reactions correspond to small green circles, and species to blue circles.
Notes:
- Black arrows from species to reactions indicate reactants, and are labelled with their input stoichiometry.
- Black arrows from reactions to species indicate products, and are labelled with their output stoichiometry.
- Red arrows from species to reactions indicate that species is used within the rate expression. For example, in the reaction
k*A, B --> C, there would be a red arrow fromAto the reaction node. Ink*A, A+B --> C, there would be red and black arrows fromAto the reaction node. - Requires the Graphviz jll to be installed, or Graphviz to be installed and commandline accessible.
Catalyst.complexgraph — Functioncomplexgraph(rn::ReactionSystem; complexdata=reactioncomplexes(rn))Creates a Graphviz graph of the ReactionComplexs in rn. Reactions correspond to arrows and reaction complexes to blue circles.
Notes:
- Black arrows from complexes to complexes indicate reactions whose rate is a parameter or a
Number. i.e.k, A --> B. - Red dashed arrows from complexes to complexes indicate reactions whose rate depends on species. i.e.
k*C, A --> BforCa species. - Requires the Graphviz jll to be installed, or Graphviz to be installed and commandline accessible.
Catalyst.savegraph — Functionsavegraph(g::Graph, fname, fmt="png")Given a Graph generated by Graph, save the graph to the file with name fname and extension fmt.
Notes:
fmt="png"is the default output format.- Requires the Graphviz jll to be installed, or Graphviz to be installed and commandline accessible.
Rate Laws
As the underlying ReactionSystem is comprised of ModelingToolkit expressions, one can directly access the generated rate laws, and using ModelingToolkit tooling generate functions or Julia Exprs from them.
Catalyst.oderatelaw — Functionoderatelaw(rx; combinatoric_ratelaw=true)Given a Reaction, return the symbolic reaction rate law used in generated ODEs for the reaction. Note, for a reaction defined by
k*X*Y, X+Z --> 2X + Y
the expression that is returned will be k*X(t)^2*Y(t)*Z(t). For a reaction of the form
k, 2X+3Y --> Z
the expression that is returned will be k * (X(t)^2/2) * (Y(t)^3/6).
Notes:
- Allocates
combinatoric_ratelaw=trueuses factorial scaling factors in calculating the rate law, i.e. for2S -> 0at ratekthe ratelaw would bek*S^2/2!. Ifcombinatoric_ratelaw=falsethen the ratelaw isk*S^2, i.e. the scaling factor is ignored.
Catalyst.jumpratelaw — Functionjumpratelaw(rx; rxvars=get_variables(rx.rate), combinatoric_ratelaw=true)Given a Reaction, return the symbolic reaction rate law used in generated stochastic chemical kinetics model SSAs for the reaction. Note, for a reaction defined by
k*X*Y, X+Z --> 2X + Y
the expression that is returned will be k*X^2*Y*Z. For a reaction of the form
k, 2X+3Y --> Z
the expression that is returned will be k * binomial(X,2) * binomial(Y,3).
Notes:
rxvarsshould give theVariables, i.e. species and parameters, the rate depends on.- Allocates
combinatoric_ratelaw=trueuses binomials in calculating the rate law, i.e. for2S -> 0at ratekthe ratelaw would bek*S*(S-1)/2. Ifcombinatoric_ratelaw=falsethen the ratelaw isk*S*(S-1), i.e. the rate law is not normalized by the scaling factor.
Catalyst.mm — Functionmm(X,v,K) = v*X / (X + K)A Michaelis-Menten rate function.
Catalyst.mmr — Functionmmr(X,v,K) = v*K / (X + K)A repressive Michaelis-Menten rate function.
Catalyst.hill — Functionhill(X,v,K,n) = v*(X^n) / (X^n + K^n)A Hill rate function.
Catalyst.hillr — Functionhillr(X,v,K,n) = v*(K^n) / (X^n + K^n)A repressive Hill rate function.
Catalyst.hillar — Functionhillar(X,Y,v,K,n) = v*(X^n) / (X^n + Y^n + K^n)An activation/repressing Hill rate function.
Transformations
Base.convert — FunctionBase.convert(::Type{<:ODESystem},rs::ReactionSystem)Convert a ReactionSystem to an ModelingToolkit.ODESystem.
Notes:
combinatoric_ratelaws=trueuses factorial scaling factors in calculating the rate
law, i.e. for 2S -> 0 at rate k the ratelaw would be k*S^2/2!. If combinatoric_ratelaws=false then the ratelaw is k*S^2, i.e. the scaling factor is ignored.
Base.convert(::Type{<:NonlinearSystem},rs::ReactionSystem)Convert a ReactionSystem to an ModelingToolkit.NonlinearSystem.
Notes:
combinatoric_ratelaws=trueuses factorial scaling factors in calculating the rate
law, i.e. for 2S -> 0 at rate k the ratelaw would be k*S^2/2!. If combinatoric_ratelaws=false then the ratelaw is k*S^2, i.e. the scaling factor is ignored.
Base.convert(::Type{<:SDESystem},rs::ReactionSystem)Convert a ReactionSystem to an ModelingToolkit.SDESystem.
Notes:
combinatoric_ratelaws=trueuses factorial scaling factors in calculating the rate
law, i.e. for 2S -> 0 at rate k the ratelaw would be k*S^2/2!. If combinatoric_ratelaws=false then the ratelaw is k*S^2, i.e. the scaling factor is ignored.
noise_scaling=nothing::Union{Vector{Num},Num,Nothing}allows for linear
scaling of the noise in the chemical Langevin equations. If nothing is given, the default value as in Gillespie 2000 is used. Alternatively, a Num can be given, this is added as a parameter to the system (at the end of the parameter array). All noise terms are linearly scaled with this value. The parameter may be one already declared in the ReactionSystem. Finally, a Vector{Num} can be provided (the length must be equal to the number of reactions). Here the noise for each reaction is scaled by the corresponding parameter in the input vector. This input may contain repeat parameters.
Base.convert(::Type{<:JumpSystem},rs::ReactionSystem; combinatoric_ratelaws=true)Convert a ReactionSystem to an ModelingToolkit.JumpSystem.
Notes:
combinatoric_ratelaws=trueuses binomials in calculating the rate law, i.e. for2S -> 0at ratekthe ratelaw would bek*S*(S-1)/2. Ifcombinatoric_ratelaws=falsethen the ratelaw isk*S*(S-1), i.e. the rate law is not normalized by the scaling factor.
ModelingToolkit.structural_simplify — Functionstructural_simplify(sys; simplify)
Structurally simplify algebraic equations in a system and compute the topological sort of the observed equations. When simplify=true, the simplify function will be applied during the tearing process.
Unit Validation
ModelingToolkit.validate — Methodvalidate(rx::Reaction; info::String = "")Check that all substrates and products within the given Reaction have the same units, and that the units of the reaction's rate expression are internally consistent (i.e. if the rate involves sums, each term in the sum has the same units).
ModelingToolkit.validate — Functionvalidate(rs::ReactionSystem, info::String="")Check that all species in the ReactionSystem have the same units, and that the rate laws of all reactions reduce to units of (species units) / (time units).
Notes:
- Does not check subsystems too.