forked from qmuntal/stateless
-
Notifications
You must be signed in to change notification settings - Fork 0
/
statemachine.go
476 lines (425 loc) · 17 KB
/
statemachine.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
package stateless
import (
"container/list"
"context"
"fmt"
"reflect"
"sync"
"sync/atomic"
)
// State is used to to represent the possible machine states.
type State = interface{}
// Trigger is used to represent the triggers that cause state transitions.
type Trigger = interface{}
// FiringMode enumerate the different modes used when Fire-ing a trigger.
type FiringMode uint8
const (
// FiringQueued mode shoud be used when run-to-completion is required. This is the recommended mode.
FiringQueued FiringMode = iota
// FiringImmediate should be used when the queing of trigger events are not needed.
// Care must be taken when using this mode, as there is no run-to-completion guaranteed.
FiringImmediate
)
// Transition describes a state transition.
type Transition struct {
Source State
Destination State
Trigger Trigger
isInitial bool
}
// IsReentry returns true if the transition is a re-entry,
// i.e. the identity transition.
func (t *Transition) IsReentry() bool {
return t.Source == t.Destination
}
type TransitionFunc = func(context.Context, Transition)
// UnhandledTriggerActionFunc defines a function that will be called when a trigger is not handled.
type UnhandledTriggerActionFunc = func(ctx context.Context, state State, trigger Trigger, unmetGuards []string) error
// DefaultUnhandledTriggerAction is the default unhandled trigger action.
func DefaultUnhandledTriggerAction(_ context.Context, state State, trigger Trigger, unmetGuards []string) error {
if len(unmetGuards) != 0 {
return fmt.Errorf("stateless: Trigger '%v' is valid for transition from state '%v' but a guard conditions are not met. Guard descriptions: '%v", trigger, state, unmetGuards)
}
return fmt.Errorf("stateless: No valid leaving transitions are permitted from state '%v' for trigger '%v', consider ignoring the trigger", state, trigger)
}
func callEvents(events []TransitionFunc, ctx context.Context, transition Transition) {
for _, e := range events {
e(ctx, transition)
}
}
// A StateMachine is an abstract machine that can be in exactly one of a finite number of states at any given time.
// It is safe to use the StateMachine concurrently, but non of the callbacks (state manipulation, actions, events, ...) are guarded,
// so it is up to the client to protect them against race conditions.
type StateMachine struct {
// ops is accessed atomically so we put it at the beginning of the struct to achieve 64 bit alignment
ops uint32
stateConfig map[State]*stateRepresentation
triggerConfig map[Trigger]triggerWithParameters
stateAccessor func(context.Context) (State, error)
stateMutator func(context.Context, State) error
unhandledTriggerAction UnhandledTriggerActionFunc
onTransitioningEvents []TransitionFunc
onTransitionedEvents []TransitionFunc
eventQueue list.List
firingMode FiringMode
firingMutex sync.Mutex
}
func newStateMachine() *StateMachine {
return &StateMachine{
stateConfig: make(map[State]*stateRepresentation),
triggerConfig: make(map[Trigger]triggerWithParameters),
unhandledTriggerAction: UnhandledTriggerActionFunc(DefaultUnhandledTriggerAction),
}
}
// NewStateMachine returns a queued state machine.
func NewStateMachine(initialState State) *StateMachine {
return NewStateMachineWithMode(initialState, FiringQueued)
}
// NewStateMachineWithMode returns a state machine with the desired firing mode
func NewStateMachineWithMode(initialState State, firingMode FiringMode) *StateMachine {
var stateMutex sync.Mutex
sm := newStateMachine()
reference := &struct {
State State
}{State: initialState}
sm.stateAccessor = func(_ context.Context) (State, error) {
stateMutex.Lock()
defer stateMutex.Unlock()
return reference.State, nil
}
sm.stateMutator = func(_ context.Context, state State) error {
stateMutex.Lock()
defer stateMutex.Unlock()
reference.State = state
return nil
}
sm.firingMode = firingMode
return sm
}
// NewStateMachineWithExternalStorage returns a state machine with external state storage.
func NewStateMachineWithExternalStorage(stateAccessor func(context.Context) (State, error), stateMutator func(context.Context, State) error, firingMode FiringMode) *StateMachine {
sm := newStateMachine()
sm.stateAccessor = stateAccessor
sm.stateMutator = stateMutator
sm.firingMode = firingMode
return sm
}
// ToGraph returns the DOT representation of the state machine.
// It is not guaranteed that the returned string will be the same in different executions.
func (sm *StateMachine) ToGraph() string {
return new(graph).formatStateMachine(sm)
}
// State returns the current state.
func (sm *StateMachine) State(ctx context.Context) (State, error) {
return sm.stateAccessor(ctx)
}
// MustState returns the current state without the error.
// It is safe to use this method when used together with NewStateMachine
// or when using NewStateMachineWithExternalStorage with an state accessor that
// does not return an error.
func (sm *StateMachine) MustState() State {
st, err := sm.State(context.Background())
if err != nil {
panic(err)
}
return st
}
// PermittedTriggers see PermittedTriggersCtx.
func (sm *StateMachine) PermittedTriggers(args ...interface{}) ([]Trigger, error) {
return sm.PermittedTriggersCtx(context.Background(), args...)
}
// PermittedTriggersCtx returns the currently-permissible trigger values.
func (sm *StateMachine) PermittedTriggersCtx(ctx context.Context, args ...interface{}) ([]Trigger, error) {
sr, err := sm.currentState(ctx)
if err != nil {
return nil, err
}
return sr.PermittedTriggers(ctx, args...), nil
}
// Activate see ActivateCtx.
func (sm *StateMachine) Activate() error {
return sm.ActivateCtx(context.Background())
}
// ActivateCtx activates current state. Actions associated with activating the current state will be invoked.
// The activation is idempotent and subsequent activation of the same current state
// will not lead to re-execution of activation callbacks.
func (sm *StateMachine) ActivateCtx(ctx context.Context) error {
sr, err := sm.currentState(ctx)
if err != nil {
return err
}
return sr.Activate(ctx)
}
// Deactivate see DeactivateCtx.
func (sm *StateMachine) Deactivate() error {
return sm.DeactivateCtx(context.Background())
}
// DeactivateCtx deactivates current state. Actions associated with deactivating the current state will be invoked.
// The deactivation is idempotent and subsequent deactivation of the same current state
// will not lead to re-execution of deactivation callbacks.
func (sm *StateMachine) DeactivateCtx(ctx context.Context) error {
sr, err := sm.currentState(ctx)
if err != nil {
return err
}
return sr.Deactivate(ctx)
}
// IsInState see IsInStateCtx.
func (sm *StateMachine) IsInState(state State) (bool, error) {
return sm.IsInStateCtx(context.Background(), state)
}
// IsInStateCtx determine if the state machine is in the supplied state.
// Returns true if the current state is equal to, or a substate of, the supplied state.
func (sm *StateMachine) IsInStateCtx(ctx context.Context, state State) (bool, error) {
sr, err := sm.currentState(ctx)
if err != nil {
return false, err
}
return sr.IsIncludedInState(state), nil
}
// CanFire see CanFireCtx.
func (sm *StateMachine) CanFire(trigger Trigger, args ...interface{}) (bool, error) {
return sm.CanFireCtx(context.Background(), trigger, args...)
}
// CanFireCtx returns true if the trigger can be fired in the current state.
func (sm *StateMachine) CanFireCtx(ctx context.Context, trigger Trigger, args ...interface{}) (bool, error) {
sr, err := sm.currentState(ctx)
if err != nil {
return false, err
}
return sr.CanHandle(ctx, trigger, args...), nil
}
// SetTriggerParameters specify the arguments that must be supplied when a specific trigger is fired.
func (sm *StateMachine) SetTriggerParameters(trigger Trigger, argumentTypes ...reflect.Type) {
config := triggerWithParameters{Trigger: trigger, ArgumentTypes: argumentTypes}
if _, ok := sm.triggerConfig[config.Trigger]; ok {
panic(fmt.Sprintf("stateless: Parameters for the trigger '%v' have already been configured.", trigger))
}
sm.triggerConfig[trigger] = config
}
// Fire see FireCtx
func (sm *StateMachine) Fire(trigger Trigger, args ...interface{}) error {
return sm.FireCtx(context.Background(), trigger, args...)
}
// FireCtx transition from the current state via the specified trigger.
// The target state is determined by the configuration of the current state.
// Actions associated with leaving the current state and entering the new one will be invoked.
//
// An error is returned if any of the state machine actions or the state callbacks return an error
// without wrapping. It can also return an error if the trigger is not mapped to any state change,
// being this error the one returned by `OnUnhandledTrigger` func.
//
// There is no rollback mechanism in case there is an action error after the state has been changed.
// Guard clauses or error states can be used gracefully handle this situations.
//
// The context is passed down to all actions and callbacks called within the scope of this method.
// There is no context error checking, although it may be implemented in future releases.
func (sm *StateMachine) FireCtx(ctx context.Context, trigger Trigger, args ...interface{}) error {
return sm.internalFire(ctx, trigger, args...)
}
// OnTransitioned registers a callback that will be invoked every time the state machine
// successfully finishes a transitions from one state into another.
func (sm *StateMachine) OnTransitioned(fn ...TransitionFunc) {
sm.onTransitionedEvents = append(sm.onTransitionedEvents, fn...)
}
// OnTransitioning registers a callback that will be invoked every time the state machine
// starts a transitions from one state into another.
func (sm *StateMachine) OnTransitioning(fn ...TransitionFunc) {
sm.onTransitioningEvents = append(sm.onTransitioningEvents, fn...)
}
// OnUnhandledTrigger override the default behaviour of returning an error when an unhandled trigger.
func (sm *StateMachine) OnUnhandledTrigger(fn UnhandledTriggerActionFunc) {
sm.unhandledTriggerAction = fn
}
// Configure begin configuration of the entry/exit actions and allowed transitions
// when the state machine is in a particular state.
func (sm *StateMachine) Configure(state State) *StateConfiguration {
return &StateConfiguration{sm: sm, sr: sm.stateRepresentation(state), lookup: sm.stateRepresentation}
}
// Firing returns true when the state machine is processing a trigger.
func (sm *StateMachine) Firing() bool {
return atomic.LoadUint32(&sm.ops) != 0
}
// String returns a human-readable representation of the state machine.
// It is not guaranteed that the order of the PermittedTriggers is the same in consecutive executions.
func (sm *StateMachine) String() string {
state, err := sm.State(context.Background())
if err != nil {
return ""
}
// PermittedTriggers only returns an error if state accessor returns one, and it has already been checked.
triggers, _ := sm.PermittedTriggers()
return fmt.Sprintf("StateMachine {{ State = %v, PermittedTriggers = %v }}", state, triggers)
}
func (sm *StateMachine) setState(ctx context.Context, state State) error {
return sm.stateMutator(ctx, state)
}
func (sm *StateMachine) currentState(ctx context.Context) (sr *stateRepresentation, err error) {
var state State
state, err = sm.State(ctx)
if err == nil {
sr = sm.stateRepresentation(state)
}
return
}
func (sm *StateMachine) stateRepresentation(state State) (sr *stateRepresentation) {
var ok bool
if sr, ok = sm.stateConfig[state]; !ok {
sr = newstateRepresentation(state)
sm.stateConfig[state] = sr
}
return
}
func (sm *StateMachine) internalFire(ctx context.Context, trigger Trigger, args ...interface{}) error {
switch sm.firingMode {
case FiringImmediate:
return sm.internalFireOne(ctx, trigger, args...)
case FiringQueued:
fallthrough
default:
return sm.internalFireQueued(ctx, trigger, args...)
}
}
type queuedTrigger struct {
Context context.Context
Trigger Trigger
Args []interface{}
}
func (sm *StateMachine) internalFireQueued(ctx context.Context, trigger Trigger, args ...interface{}) error {
sm.firingMutex.Lock()
sm.eventQueue.PushBack(queuedTrigger{Context: ctx, Trigger: trigger, Args: args})
sm.firingMutex.Unlock()
if sm.Firing() {
return nil
}
for {
sm.firingMutex.Lock()
e := sm.eventQueue.Front()
if e == nil {
sm.firingMutex.Unlock()
break
}
et := sm.eventQueue.Remove(e).(queuedTrigger)
sm.firingMutex.Unlock()
if err := sm.internalFireOne(et.Context, et.Trigger, et.Args...); err != nil {
return err
}
}
return nil
}
func (sm *StateMachine) internalFireOne(ctx context.Context, trigger Trigger, args ...interface{}) (err error) {
atomic.AddUint32(&sm.ops, 1)
defer atomic.AddUint32(&sm.ops, ^uint32(0))
var (
config triggerWithParameters
ok bool
)
if config, ok = sm.triggerConfig[trigger]; ok {
config.validateParameters(args...)
}
source, err := sm.State(ctx)
if err != nil {
return
}
representativeState := sm.stateRepresentation(source)
var result triggerBehaviourResult
if result, ok = representativeState.FindHandler(ctx, trigger, args...); !ok {
return sm.unhandledTriggerAction(ctx, representativeState.State, trigger, result.UnmetGuardConditions)
}
switch t := result.Handler.(type) {
case *ignoredTriggerBehaviour:
// ignored
case *reentryTriggerBehaviour:
transition := Transition{Source: source, Destination: t.Destination, Trigger: trigger}
err = sm.handleReentryTrigger(ctx, representativeState, transition, args...)
case *dynamicTriggerBehaviour:
var destination interface{}
destination, err = t.Destination(ctx, args...)
if err == nil {
transition := Transition{Source: source, Destination: destination, Trigger: trigger}
err = sm.handleTransitioningTrigger(ctx, representativeState, transition, args...)
}
case *transitioningTriggerBehaviour:
transition := Transition{Source: source, Destination: t.Destination, Trigger: trigger}
err = sm.handleTransitioningTrigger(ctx, representativeState, transition, args...)
case *internalTriggerBehaviour:
var sr *stateRepresentation
sr, err = sm.currentState(ctx)
if err == nil {
transition := Transition{Source: source, Destination: source, Trigger: trigger}
err = sr.InternalAction(ctx, transition, args...)
}
}
return
}
func (sm *StateMachine) handleReentryTrigger(ctx context.Context, sr *stateRepresentation, transition Transition, args ...interface{}) error {
if err := sr.Exit(ctx, transition, args...); err != nil {
return err
}
newSr := sm.stateRepresentation(transition.Destination)
if !transition.IsReentry() {
transition = Transition{Source: transition.Destination, Destination: transition.Destination, Trigger: transition.Trigger}
if err := newSr.Exit(ctx, transition, args...); err != nil {
return err
}
}
callEvents(sm.onTransitioningEvents, ctx, transition)
rep, err := sm.enterState(ctx, newSr, transition, args...)
if err != nil {
return err
}
if err := sm.setState(ctx, rep.State); err != nil {
return err
}
callEvents(sm.onTransitionedEvents, ctx, transition)
return nil
}
func (sm *StateMachine) handleTransitioningTrigger(ctx context.Context, sr *stateRepresentation, transition Transition, args ...interface{}) error {
if err := sr.Exit(ctx, transition, args...); err != nil {
return err
}
callEvents(sm.onTransitioningEvents, ctx, transition)
if err := sm.setState(ctx, transition.Destination); err != nil {
return err
}
newSr := sm.stateRepresentation(transition.Destination)
rep, err := sm.enterState(ctx, newSr, transition, args...)
if err != nil {
return err
}
// Check if state has changed by entering new state (by firing triggers in OnEntry or such)
if rep.State != newSr.State {
if err := sm.setState(ctx, rep.State); err != nil {
return err
}
}
callEvents(sm.onTransitionedEvents, ctx, Transition{transition.Source, rep.State, transition.Trigger, false})
return nil
}
func (sm *StateMachine) enterState(ctx context.Context, sr *stateRepresentation, transition Transition, args ...interface{}) (*stateRepresentation, error) {
// Enter the new state
err := sr.Enter(ctx, transition, args...)
if err != nil {
return nil, err
}
// Recursively enter substates that have an initial transition
if sr.HasInitialState {
isValidForInitialState := false
for _, substate := range sr.Substates {
// Verify that the target state is a substate
// Check if state has substate(s), and if an initial transition(s) has been set up.
if substate.State == sr.InitialTransitionTarget {
isValidForInitialState = true
break
}
}
if !isValidForInitialState {
panic(fmt.Sprintf("stateless: The target (%v) for the initial transition is not a substate.", sr.InitialTransitionTarget))
}
initialTranslation := Transition{Source: transition.Source, Destination: sr.InitialTransitionTarget, Trigger: transition.Trigger, isInitial: true}
sr = sm.stateRepresentation(sr.InitialTransitionTarget)
callEvents(sm.onTransitioningEvents, ctx, Transition{transition.Destination, initialTranslation.Destination, transition.Trigger, false})
sr, err = sm.enterState(ctx, sr, initialTranslation, args...)
}
return sr, err
}