Handling Exogenous Input Signals
The key to using exogenous input signals is the same as in the rest of the SciML universe: just use the function in the definition of the differential equation. For example, if it's a standard differential equation, you can use the form
I(t) = t^2
function f(du, u, p, t)
du[1] = I(t)
du[2] = u[1]
end
so that I(t)
is an exogenous input signal into f
. Another form that could be useful is a closure. For example:
function f(du, u, p, t, I)
du[1] = I(t)
du[2] = u[1]
end
_f(du, u, p, t) = f(du, u, p, t, x -> x^2)
which encloses an extra argument into f
so that _f
is now the interface-compliant differential equation definition.
Note that you can also learn what the exogenous equation is from data. For an example on how to do this, you can use the Optimal Control Example, which shows how to parameterize a u(t)
by a universal function and learn that from data.
Example of a Neural ODE with Exogenous Input
In the following example, a discrete exogenous input signal ex
is defined and used as an input into the neural network of a neural ODE system.
import SciMLSensitivity as SMS
import OrdinaryDiffEq as ODE
import Lux
import ComponentArrays as CA
import Optimization as OPT
import OptimizationPolyalgorithms as OPA
import OptimizationOptimisers as OPO
import Plots
import Random
rng = Random.default_rng()
tspan = (0.1, 10.0)
tsteps = range(tspan[1], tspan[2], length = 100)
t_vec = collect(tsteps)
ex = vec(ones(Float64, length(tsteps), 1))
f(x) = (atan(8.0 * x - 4.0) + atan(4.0)) / (2.0 * atan(4.0))
function hammerstein_system(u)
y = zeros(size(u))
for k in 2:length(u)
y[k] = 0.2 * f(u[k - 1]) + 0.8 * y[k - 1]
end
return y
end
y = hammerstein_system(ex)
Plots.plot(collect(tsteps), y, ticks = :native)
nn_model = Lux.Chain(Lux.Dense(2, 8, tanh), Lux.Dense(8, 1))
p_model, st = Lux.setup(rng, nn_model)
u0 = Float64.([0.0])
function dudt(u, p, t)
global st
#input_val = u_vals[Int(round(t*10)+1)]
out, st = nn_model(vcat(u[1], ex[Int(round(10 * 0.1))]), p, st)
return out
end
prob = ODE.ODEProblem(dudt, u0, tspan, nothing)
function predict_neuralode(p)
_prob = ODE.remake(prob, p = p)
Array(ODE.solve(_prob, ODE.Tsit5(), saveat = tsteps, abstol = 1e-8, reltol = 1e-6))
end
function loss(p)
sol = predict_neuralode(p)
N = length(sol)
return sum(abs2.(y[1:N] .- sol')) / N
end
adtype = OPT.AutoZygote()
optf = OPT.OptimizationFunction((x, p) -> loss(x), adtype)
optprob = OPT.OptimizationProblem(optf, CA.ComponentArray{Float64}(p_model))
res0 = OPT.solve(optprob, OPA.PolyOpt(), maxiters = 100)
sol = predict_neuralode(res0.u)
Plots.plot(tsteps, sol')
N = length(sol)
Plots.scatter!(tsteps, y[1:N])