Getting started

Getting started

Get an overview and learn the basics.

Simulate.jl provides a clock with a virtual simulation time and the ability to schedule Julia functions and expressions as events on the clock's timeline or run them as processes synchronizing with the clock. The clock can invoke registered functions or expressions continuously with a given sample rate.

A first example

A server takes something from its input and puts it out modified after some time. We implement the server's activity in a function, create input and output channels and some "foo" and "bar" processes interacting on them:

using Simulate, Printf, Random
reset!(๐ถ) # reset the central clock

# describe the activity of the server
function serve(input::Channel, output::Channel, name, id, op)
    token = take!(input)         # take something from the input
    now!(SF(println, @sprintf("%5.2f: %s %d took token %d", tau(), name, id, token)))
    delay!(rand())               # after a delay
    put!(output, op(token, id))  # put it out with some op applied
end

ch1 = Channel(32)  # create two channels
ch2 = Channel(32)

for i in 1:2:8    # create, register and start 8 SimProcesses (alias SP)
    process!(SP(i, serve, ch1, ch2, "foo", i, +))
    process!(SP(i+1, serve, ch2, ch1, "bar", i+1, *))
end

put!(ch1, 1)  # put first token into channel 1
julia> run!(๐ถ, 10)   # run for 10 time units
 0.00: foo 7 took token 1
 0.25: bar 4 took token 8
 0.29: foo 3 took token 32
 0.55: bar 2 took token 35
 1.21: foo 5 took token 70
 1.33: bar 8 took token 75
...
...
 8.90: foo 3 took token 5551732
 9.10: bar 2 took token 5551735
 9.71: foo 5 took token 11103470
 9.97: bar 8 took token 11103475
10.09: foo 1 took token 88827800
"run! finished with 22 clock events, simulation time: 10.0"

Types and functions

๐ถ, reset!, now!, delay!, process!, SP, run!

Four building blocks

Simulate.jl provides 4 major building blocks for modeling and simulation of discrete event systems:

  1. the clock gives a virtual simulation time,
  2. events are Julia expressions or functions executing at given times or under given conditions,
  3. processes are functions running as tasks and synchronizing with the clock by delaying for a time or waiting for conditions,
  4. continuous sampling is done by invoking given expressions or functions at a given rate on the time line.

The clock

The clock is central to any model and simulation, since it establishes the timeline. It does not only provide the time, but contains also the time unit, all scheduled events, conditional events, processes, sampling expressions or functions and the sample rate ฮ”t. Each simulation can have its own clock.

julia> c = Clock()                           ### create a new clock
Clock: state=Simulate.Undefined(), time=0.0, unit=, events: 0, cevents: 0, processes: 0, sampling: 0, sample rate ฮ”t=0.0

julia> tick() = println(tau(c), ": tick!")   ### define a function printing the clock's time
tick (generic function with 1 method)

julia> event!(c, SF(tick), every, 1)         ### schedule a repeat event on the clock
0.0

julia> run!(c, 10)                           ### run the clock for 10 time units
0.0: tick!
1.0: tick!
2.0: tick!
3.0: tick!
4.0: tick!
5.0: tick!
6.0: tick!
7.0: tick!
8.0: tick!
9.0: tick!
10.0: tick!
"run! finished with 11 clock events, 0 sample steps, simulation time: 10.0"

If you work with only one simulation at a time, you normally use the central clock ๐ถ (\it๐ถ+tab), alias Clk:

Note

You definitely need different clock variables if you run multiple simulations on parallel threads. In such cases each simulation should have its own clock. Please look at the dicegame example for that.

julia> tick() = println(tau(), ": tick!")         ### the tick function now uses central time tau()
tick (generic function with 1 method)

julia> sample_time!(1)                            ### set the sampling rate on the central clock to 1
1.0

julia> sample!( SF(tick) );                       ### set tick as a sampling function

julia> ๐ถ                                          ### ๐ถ now has one sampling entry and the sample rate set
Clock: state=Simulate.Idle(), time=0.0, unit=, events: 0, cevents: 0, processes: 0, sampling: 1, sample rate ฮ”t=1.0

julia> run!(๐ถ, 5)                                 ### run ๐ถ for 5 time units
1.0: tick!
2.0: tick!
3.0: tick!
4.0: tick!
5.0: tick!
"run! finished with 0 clock events, 5 sample steps, simulation time: 5.0"

julia> run!(๐ถ, 5)                                 ### run it again
6.0: tick!
7.0: tick!
8.0: tick!
9.0: tick!
10.0: tick!
"run! finished with 0 clock events, 5 sample steps, simulation time: 10.0"

julia> reset!(๐ถ)                                  ### reset the clock
"clock reset to tโ‚€=0.0, sampling rate ฮ”t=0.0."

If ฮ”t = 0, the clock doesn't tick with a fixed interval, but jumps from event to event.

Note

Clocks work with a Float64 time and with Unitful.NoUnits but you can set them to work with Unitful.Time units like ms, s, minute, hr. In this case tau returns a time, e.g. 1 s. You can also provide time values to clocks or in scheduling events. They then are converted to the defined unit as long as the clock is set to a time unit.

At the moment I don't find it practical to work with units if for example I collect simulation events or variables with their time in a table or do plots. It seems easier not to use them as long you don't need automatic time conversion in your simulation projects.

Types and functions

Clock, ๐ถ, tau, sample_time!, sample!, run!, reset!, incr!, sync!, stop!, resume!,

Events

Julia functions or expressions are scheduled as events on the clock's time line. In order to not be invoked immediately,

Quoted expressions and SimFunctions can be given to events mixed in a tuple or array.

Timed events

Timed events with event! schedule functions and expressions to execute at a given time:

ev1 = :(println(tau(), ": I'm a quoted expression"))
ev2 = SF(() -> println(tau(), ": I'm a SimFunction"))

event!(ev1, at, 2)                             ### schedule an event at 2
event!(ev1, after, 8)                          ### schedule an event after 8
event!(ev2, every, 5)                          ### schedule an event every 5
julia> run!(๐ถ, 10)                             ### run
0.0: I'm a SimFunction
2.0: I'm a quoted expression
5.0: I'm a SimFunction
8.0: I'm a quoted expression
10.0: I'm a SimFunction
"run! finished with 5 clock events, 0 sample steps, simulation time: 10.0"

julia> event!((ev1, ev2), after, 2)            ### schedule both ev1 and ev2 as event
12.0

julia> run!(๐ถ, 5)                              ### run
12.0: I'm a quoted expression
12.0: I'm a SimFunction
15.0: I'm a SimFunction
"run! finished with 2 clock events, 0 sample steps, simulation time: 15.0"

Conditional events

Conditional events with (event!) execute under given conditions. Conditions can be formulated by using the @tau macro questioning the simulation time, the @val macro questioning a variable or any other logical expression or function or combinations of them.

reset!(๐ถ)                                       ### reset the clock
y = 0                                           ### create a variable y
sample!( SF(() -> global y = tau()/2) );        ### a sampling function
event!( SF(()->println(tau(),": now y โ‰ฅ ฯ€") ), (@val :y :โ‰ฅ ฯ€) ) ### a conditional event
julia> run!(๐ถ, 10)                              ### run
6.28999999999991: now y โ‰ฅ ฯ€
"run! finished with 0 clock events, 1000 sample steps, simulation time: 10.0"

julia> 2ฯ€                                       ### exact value
6.283185307179586
reset!(๐ถ)
sample!( SF(()-> global y=sin(@tau)) );         ### sample a sine function on y
event!(SF(()->println(tau(),": now y โ‰ฅ 1/2")), ((@val :y :โ‰ฅ 1/2),(@tau :โ‰ฅ 5))) ### two conditions
julia> run!(๐ถ, 10)
6.809999999999899: now y โ‰ฅ 1/2
"run! finished with 0 clock events, 1000 sample steps, simulation time: 10.0"

julia> asin(0.5) + 2ฯ€                           ### exact value
6.806784082777885

It can be seen: (1) the sample rate has some uncertainty in detecting events and (2) conditional events are triggered only once. If there is no sample rate set, a conditional event sets one up and deletes it again after it becomes true.

Types and functions

tau, SimFunction, SF, event!, run!, reset!, sample!, @val, @tau

Processes

Functions can be started as asynchronous tasks or coroutines, which can coordinate with the clock and events by delaying for some time or waiting for conditions, taking inputs from events or other tasks, triggering events or starting other tasks โ€ฆ

From a modeling or simulation standpoint we call such tasks processes, because they can represent some ongoing activity in nature. Tasks seen as processes are a powerful modeling device, but you need to take care that

  1. they give back control to the clock and other such processes by calling delays or conditional waits or requesting resources (and thus implicitly waiting for them to become available) and
  2. they get not out of sync with simulation time by transferring critical operations to the clock.

Create and start a process

SimProcess, alias SP prepares a function for running as a process and assignes it an id. Then process! registers it to the clock and starts it as a process in a loop. You can define how many loops the function should persist, but the default is Inf. You can create as many instances of a function as processes as you like.

function doit(n)                                ### create a function doit
    i = 1
    while i โ‰ค n
        delay!(rand()*2)                        ### delay for some time
        now!(SF(println, @sprintf("%5.2f: finished %d", tau(), i)))  ### print
        i += 1
    end
end

Random.seed!(1234);        
reset!(๐ถ)                                       ### reset the central clock
process!(SP(1, doit, 5), 1)                     ### create, register and start doit(5) as a process, id=1, runs only once
julia> run!(๐ถ, 5)                               ### run for 5 time units
 1.18: finished 1
 2.72: finished 2
 3.85: finished 3
 4.77: finished 4
"run! finished with 8 clock events, 0 sample steps, simulation time: 5.0"

julia> run!(๐ถ, 2)                               ### it is not yet finished, run 2 more
 6.36: finished 5
"run! finished with 2 clock events, 0 sample steps, simulation time: 7.0"


julia> run!(๐ถ, 3)                               ### doit(5) is done with 5, nothing happens anymore
"run! finished with 0 clock events, 0 sample steps, simulation time: 10.0"

Delay, wait, take and put

In order to synchronize with the clock, a process can

Processes can also interact directly e.g. via channels with take! and put!. This also may suspend them until there is something to take from a channel or until they are allowed to put something into it. In simulations they must take care that they keep synchronized with the clock.

function watchdog(name)
    delay!(until, 6 + rand())                    ### delay until
    now!(SF(println, @sprintf("%5.2f %s: yawn!, bark!, yawn!", tau(), name)))
    wait!(((@val :hunger :โ‰ฅ 7),(@tau :โ‰ฅ 6.5)))   ### conditional wait
    while 5 โ‰ค hunger โ‰ค 10
        now!(SF(println, @sprintf("%5.2f %s: %s", tau(), name, repeat("wow ", Int(trunc(hunger))))))
        delay!(rand()/2)                         ### simple delay
        if scuff
            now!(SF(println, @sprintf("%5.2f %s: smack smack smack", tau(), name)))
            global hunger = 2
            global scuff = false
        end
    end
    delay!(rand())                               ### simple delay
    now!(SF(println, @sprintf("%5.2f %s: snore ... snore ... snore", tau(), name)))
end

hunger = 0
scuff = false
reset!(๐ถ)
Random.seed!(1122)

sample!(SF(()-> global hunger += rand()), 0.5)   ### a sampling function: increasing hunger
event!(SF(()-> global scuff = true ), 7+rand())  ### an event: scuff after 7 am
process!(SP(1, watchdog, "Snoopy"), 1)            ### create, register and run Snoopy
julia> run!(๐ถ, 10)
 6.24 Snoopy: yawn!, bark!, yawn!
 6.50 Snoopy: wow wow wow wow wow wow wow wow
 6.98 Snoopy: wow wow wow wow wow wow wow wow wow
 7.37 Snoopy: smack smack smack
 7.38 Snoopy: snore ... snore ... snore
"run! finished with 10 clock events, 20 sample steps, simulation time: 10.0"
Warning

you must not use or invoke operations like delay!, wait!, take! or put! outside of tasks and inside the Main process, because they will suspend it.

IO-operations

If they invoke IO-operations like printing, reading or writing from or to files, tasks give control back to the Julia scheduler. In this case the clock may proceed further before the operation has been completed and the task has got out of sync with simulation time. Processes therefore should enclose IO-operations in a now! call. This will transfer them for execution to the clock, which must finish them before proceeding any further.

function bad()                                   ### bad: IO-operation DIY
    delay!(rand()*2)
    @printf("%5.2f: hi, here I am\n", tau())
end
Random.seed!(1234);
reset!(๐ถ)                                        ### reset the clock
process!(SP(1, bad), 5)                          ### setup a process with 5 cycles
julia> run!(๐ถ, 10)                               ### it runs only once !!!
 1.18: hi, here I am
"run! finished with 1 clock events, 0 sample steps, simulation time: 10.0"
function better()                                ### better: let the clock doit for you
    delay!(rand()*2)
    now!(SF(println, @sprintf("%5.2f: hi, I am fine", tau())))
end
Random.seed!(1234);
reset!(๐ถ)                                        ### reset the clock
process!(SP(1, better), 5)                       ### setup a process with 5 cycles
julia> run!(๐ถ, 10)                               ### it runs all 5 cycles
 1.18: hi, I am fine
 2.72: hi, I am fine
 3.85: hi, I am fine
 4.77: hi, I am fine
 6.36: hi, I am fine
"run! finished with 10 clock events, 0 sample steps, simulation time: 10.0"

Types and functions

SimProcess, SP, process!, delay!, wait!, now!, SF, run!, ๐ถ, reset!, sample!, event!

Continuous sampling

Continuous sampling allows to bring continuous processes or real world data into a simulation or can be used for visualization or logging and collecting statistics.

If you provide the clock with a time interval ฮ”t, it ticks with a fixed sample rate. At each tick it will call registered functions or expressions:

Sampling functions or expressions are called at clock ticks in the sequence they were registered. They are called before any events scheduled for the same time.

Note

Conditions set by conditional event! or by wait! are also evaluated with the sampling rate. But the conditional event disappears after the conditions are met and the sample rate is then canceled if no sampling functions are registered.

If no sample rate is set, the clock jumps from event to event.

Running a simulation

After you have setup the clock, scheduled events, setup sampling or started processes โ€“ as you have seen โ€“ you can step or run through a simulation, stop or resume it.

Logging

Logging enables us to trace variables over simulation time and then analyze their behaviour.