Statecharts execution

Statechart semantics

The module interpreter contains an Interpreter class that interprets a statechart mainly following the SCXML 1.0 semantics. In particular, eventless transitions are processed before transitions containing events, internal events are consumed before external events, and the simulation follows a inner-first/source-state and run-to-completion semantics.

The main difference between SCXML and Sismic’s default interpreter resides in how multiple transitions can be triggered simultaneously. This may occur for transitions in orthogonal/parallel states, or when transitions declaring the same event have guards that are not mutually exclusive.

Simulating the simultaneous triggering of multiple transitions is problematic, since it implies to make a non-deterministic choice on the order in which the transitions must be processed, and on the order in which the source states must the exited and the target states must be entered. The UML 2.5 specification explicitly leaves this issue unresolved, thereby delegating the decision to tool developers:

“Due to the presence of orthogonal Regions, it is possible that multiple Transitions (in different Regions) can be triggered by the same Event occurrence. The order in which these Transitions are executed is left undefined.” — UML 2.5 Specification

The SCXML specification addresses the issue by using the document order (i.e., the order in which the transitions appear in the SCXML file) as the order in which (non-parallel) transitions should be processed.

“If multiple matching transitions are present, take the first in document order.” — SCXML Specification

From our point of view, this solution is not satisfactory. The execution should not depend on the (often arbitrary) order in which items happen to be declared in some document, in particular when there may be many different ways to construct or to import a statechart.

Another statechart tool does not even define any order on the transitions in such situations:

“Rhapsody detects such cases of nondeterminism during code generation and does not allow them. The motivation for this is that the generated code is intended to serve as a final implementation and for most embedded software systems such nondeterminism is not acceptable.” — The Rhapsody Semantics of Statecharts

We decide to follow Rhapsody and to raise an error (in fact, a NonDeterminismError) if such cases of nondeterminism occur during the execution. Notice that this only concerns multiple transitions in the same composite state, not in parallel states.

When multiple transitions are triggered from within distinct parallel states, the situation is even more intricate. According to the Rhapsody implementation:

“The order of firing transitions of orthogonal components is not defined, and depends on an arbitrary traversal in the implementation. Also, the actions on the transitions of the orthogonal components are interleaved in an arbitrary way.” — The Rhapsody Semantics of Statecharts

SCXML circumvents this problem by relying again on the document order.

“enabledTransitions will contain multiple transitions only if a parallel state is active. In that case, we may have one transition selected for each of its children. […] If multiple states are active (i.e., we are in a parallel region), then there may be multiple transitions, one per active atomic state (though some states may not select a transition.) In this case, the transitions are taken in the document order of the atomic states that selected them.” — SCXML Specification

Again, Sismic does not agree with SCXML on this, and instead defines that multiple orthogonal/parallel transitions should be processed in a decreasing source state depth order. This is perfectly coherent with our aforementioned inner-first/source-state semantics, as “deeper” transitions are processed before “less nested” ones. In case of ties, the lexicographic order of the source state names will prevail.

Note that in an ideal world, orthogonal/parallel regions should be independent, implying that in principle such situations should not arise (“the designer does not rely on any particular order for event instances to be dispatched to the relevant orthogonal regions”, UML specification). In practice, however, it is often desirable to allow such situations.

Using Interpreter

An Interpreter instance is constructed upon a Statechart instance and an optional callable that returns an Evaluator. This callable must accept an interpreter and an initial execution context as input (see Include code in statecharts). If not specified, a PythonEvaluator will be used. This default evaluator can parse and interpret Python code in statecharts.

Consider the following example:

When an interpreter is built, the statechart is not yet in an initial configuration. To put the statechart in its initial configuration (and to further execute the statechart), call execute_once().

print('Before:', interpreter.configuration)

step = interpreter.execute_once()

print('After:', interpreter.configuration)
Before: []
After: ['active', 'floorListener', 'movingElevator', 'doorsOpen', 'floorSelecting']

The method execute_once() returns information about what happened during the execution, including the transitions that were processed, the event that was consumed and the sequences of entered and exited states (see Macro and micro steps and sismic.model.MacroStep).

for attribute in ['event', 'transitions', 'entered_states', 'exited_states', 'sent_events']:
    print('{}: {}'.format(attribute, getattr(step, attribute)))
event: None
transitions: []
entered_states: ['active', ...]
exited_states: []
sent_events: []

One can send events to the statechart using its sismic.interpreter.Interpreter.queue() method. This method accepts either an Event instance, or the name of an event. Multiple events (or names) can be provided at once.

from sismic.interpreter import Event

interpreter.queue(Event('click'))
interpreter.execute_once()  # Process the "click" event

interpreter.queue('clack')  # An event name can be provided as well
interpreter.execute_once()  # Process the "clack" event

interpreter.queue('click', 'clack')
interpreter.execute_once()  # Process "click"
interpreter.execute_once()  # Process "clack"

For convenience, queue() returns the interpreter and thus can be chained:

interpreter.queue('click', 'clack').execute_once()

Notice that execute_once() consumes at most one event at a time. In this example, the clack event is not processed.

To process all events at once, one can repeatedly call execute_once() until it returns a None value, meaning that nothing happened during the last call. For instance:

while interpreter.execute_once():
  pass

For convenience, an interpreter has a execute() method that repeatedly call execute_once() and that returns a list of its output (a list of sismic.model.MacroStep).

from sismic.model import MacroStep

interpreter.queue('click', 'clack')

for step in interpreter.execute():
  assert isinstance(step, MacroStep)

Notice that a call to execute() first computes the list and then returns it, meaning that all the steps are already processed when the call returns. As a call to execute() could lead to an infinite execution (see for example simple/infinite.yaml), an additional parameter max_steps can be specified to limit the number of steps that are computed and executed by the method. By default, this parameter is set to -1, meaning there is no limit on the number of calls to execute_once().

interpreter.queue('click', 'clack', 'clock')
assert len(interpreter.execute(max_steps=2)) <= 2

# 'clock' is not yet processed
assert len(interpreter.execute()) == 1

In these examples, none of click, clack or clock are expected to be received by the statechart. The statechart was not written to react to those events, and thus sending them has no effect on the active configuration.

For convenience, a Statechart has an events_for() method that returns the list of all possible events that are expected by this statechart.

print(elevator.events_for(interpreter.configuration))
['floorSelected']

The elevator statechart, the one used for this example, only reacts to floorSelected events. Moreover, it assumes that floorSelected events have an additional parameter named floor. These events are parametrized events, and can be created by providing keyword arguments when instanciating Event.

selecting_floor = Event('floorSelected', floor=1)

These parameters can be accessed by action code and guards in the statechart. For example, the floorSelecting state of the elevator example has a transition floorSelected / destination = event.floor.

Executing the statechart will make the elevator reaching first floor:

print('Current floor is', interpreter.context['current'])

interpreter.queue(selecting_floor).execute()
print('Current floor is', interpreter.context['current'])
Current floor is 0
Current floor is 1

Notice how we can access to the current values of internal variables by use of context. This attribute is a mapping between internal variable names and their current value.

Macro and micro steps

An interpreter execute_once() (resp. execute()) method returns an instance of (resp. a list of) sismic.model.MacroStep. A macro step corresponds to the process of consuming an event, regardless of the number and the type (eventless or not) of triggered transitions. A macro step also includes every consecutive stabilization step (i.e., the steps that are needed to enter nested states, or to switch into the configuration of a history state).

A MacroStep exposes the consumed event if any, a (possibly empty) list transitions of Transition instances, and two aggregated ordered sequences of state names, entered_states and exited_states. In addition, a MacroStep exposes a list sent_events of events that were fired by the statechart during the considered step. The order of states in those lists determines the order in which their on entry and on exit actions were processed. As transitions are atomically processed, this means that they could exit a state in entered_states that is entered before some state in exited_states is exited. The exact order in which states are exited and entered is indirectly available through the steps attribute that is a list of all the MicroStep that were executed. Each of them contains the states that were exited and entered during its execution, and the a list of events that were sent during the step.

A micro step is the smallest, atomic step that a statechart can execute. A MacroStep instance thus can be viewed (and is!) an aggregate of MicroStep instances.

This way, a complete run of a statechart can be summarized as an ordered list of MacroStep instances, and details can be obtained using the MicroStep list of a MacroStep.

Observing the execution

The interpreter is fully observable during its execution. It provides many public and private attributes that can be used to see what happens. In particular: