Skip to content

Commit 555f566

Browse files
committed
Version 1.0.0-alpha.3
1 parent 0b677d1 commit 555f566

18 files changed

+922
-249
lines changed

.editorconfig

+26-12
Original file line numberDiff line numberDiff line change
@@ -1,13 +1,27 @@
1-
root = true
2-
31
[*]
4-
indent_style = space
5-
end_of_line = lf
6-
charset = utf-8
7-
trim_trailing_whitespace = true
8-
insert_final_newline = true
9-
max_line_length = 100
10-
indent_size = 2
11-
12-
[*.md]
13-
trim_trailing_whitespace = false
2+
charset=utf-8
3+
end_of_line=lf
4+
insert_final_newline=false
5+
indent_style=space
6+
indent_size=4
7+
8+
[{.babelrc,.prettierrc,.stylelintrc,.eslintrc,jest.config,*.json,*.jsb3,*.jsb2,*.bowerrc}]
9+
indent_style=space
10+
indent_size=2
11+
12+
[*.js]
13+
indent_style=space
14+
indent_size=2
15+
16+
[{*.ats,*.ts}]
17+
indent_style=space
18+
indent_size=2
19+
20+
[{tsconfig.app.json,tsconfig.spec.json,tsconfig.json,tsconfig.e2e.json}]
21+
indent_style=space
22+
indent_size=2
23+
24+
[{.analysis_options,*.yml,*.yaml}]
25+
indent_style=space
26+
indent_size=2
27+

README.md

+58-14
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,7 @@ Please note that this spec and reference implementation are still in alpha and t
1717

1818
- Discrete: if your actions only deal with the state object, then every state transition is 100% predictable.
1919
- Temporal: time can be rewound at any given moment (tick) by default, and the state machine will transition to a previously known state in time, along with any future information in the form of an optional state mutation to apply.
20-
- Recombinant: the pattern is based on [gene expression](https://en.wikipedia.org/wiki/Gene_expression), and since state machines are composed of events (`condition -> behaviour` pairs) that are quite similar to how real genes are theorised to work (`activation region -> coding region`), this means that genetic recombination can be applied to `when` state machines by transferring new events from one machine to another. Mutating the machine (DNA) by transferring events (genes) from one machine to the other will introduce new behaviour.
20+
- Recombinant: the pattern is based on [gene expression](https://en.wikipedia.org/wiki/Gene_expression), and since state machines are composed of events (`condition -> action` pairs) that are quite similar to how real genes are theorised to work (`activation region -> coding region`), this means that genetic recombination can be applied to `when` state machines by transferring new events from one machine to another. Mutating the machine (DNA) by transferring events (genes) from one machine to the other will introduce new behaviour.
2121

2222
#### Possible Proposals
2323

@@ -41,6 +41,16 @@ A `MachineState` consists of user-defined global variables (and is passed to eve
4141

4242
An external tick counter (`history.tick`) exists and can be considered part of the state (but is not included inside the state object). It is a special variable that is automatically incremented with every new tick. Can be used to reference discrete points in time.
4343

44+
##### Conditions and Actions
45+
46+
All when programs consist of `condition` and `action` pairs. The condition is a and expression that must evaluate to a boolean value.
47+
48+
When a `condition` evaluates to `true`, the associated `action` is then executed.
49+
50+
`actions` can modify the variables in the global state, but any modifications they make during a `tick` will be applied to the `state` only on the next `tick`.
51+
52+
If a conflict between two or more `actions` trying to modify the same variable during a `tick` happens, the last `action` to be invoked will override the previous value set by any earlier `actions` during the current `tick`.
53+
4454
##### Main loop
4555

4656
The goal of the main loop is to move execution forward by mutating the current `state`.
@@ -51,7 +61,11 @@ Note that any new mutations caused by actions will only appear during the next `
5161

5262
If multiple actions try to modify the same variable during the same `tick`, the last `action` to execute takes precedence.
5363

54-
The main loop will abort by default if no conditions evaluate to `true` during a single `tick`. This prevents the program from running forever.
64+
##### Finite State Machines
65+
66+
By default, the state machines built with `when` will be finite, this means that the main loop will halt by default if it exhausts all possible conditions and none evaluate to `true` and trigger an action during the same `tick`.
67+
68+
This prevents the program from running forever by default, and can be disabled as needed.
5569

5670
#### State Manager
5771

@@ -83,6 +97,10 @@ The main loop will abort by default if no conditions evaluate to `true` during a
8397

8498
- `history.limit = 0;` No further state recording allowed, and acts the same as `history.limit = 1`. Discards any older history, and `history.record` will only show the previous state.
8599

100+
#### External inputs
101+
102+
`when` supports external inputs via the `@input` decorator. External inputs are readonly variables that are recorded as part of the state, but never manually
103+
86104
#### Note on Recombination
87105

88106
This is not part of the current spec, but is currently offered by the TypeScript reference implementation. You can combine any two machines by calling `machine1.recombine(machine2)`, see the [TypeScript API documentation](https://voodooattack.github.io/when-ts/) for more details.
@@ -104,7 +122,14 @@ Here are some abstract syntax examples for a full pseudo-language based on this
104122

105123
You can read about the original idea (slightly outdated) [in this proposal](https://gist.github.com/voodooattack/ccb1d18112720a8de5be660dbb80541c).
106124

107-
This is mostly pseudo-javascript with two extra `when` and `exit` keywords.
125+
This is mostly pseudo-javascript with two extra `when` and `exit` keywords, and using a hypothetical decorator syntax to specify action metadata. The decorators are completely optional, and the currently proposed ones are:
126+
127+
- `@forever()` Must be defined a the start of the program, and tells the state machine not to halt due to inactivity. In this case, the machine must explicitly end its execution via a call to `exit()`. Accepts no arguments.
128+
- `@name('action_name')` Associate a name with an action to be make it possible for inhibitors to reference it elsewhere. Can only be used once per action.
129+
- `@unless(expression)` Prevents this action from triggering if `expression` evaluates to true. Can be used multiple times with the same action.
130+
- `@inhibitedBy('action_name')` Prevents this action from triggering if another by `action_name` will execute during this tick. Can be used multiple times with the same action and different inhibitors.
131+
132+
The above decorators may only precede a `when` block, and will only apply to the next encountered `when` block.
108133

109134
##### Examples
110135

@@ -116,17 +141,23 @@ let current = 3; // start looking at 3
116141
let primes = []; // array to store saved primes
117142

118143
// increment the counter with every tick till we hit the potential prime
144+
@name('increment')
145+
@unless(primes.length >= 10)
119146
when(counter < current) {
120147
counter++;
121148
}
122149

123150
// not a prime number, reset and increment current search
151+
@name('resetNotAPrime')
152+
@unless(primes.length >= 10)
124153
when(counter < current && current % counter === 0) {
125154
counter = 2;
126155
current++;
127156
}
128157

129158
// if this is ever triggered, then we're dealing with a prime.
159+
@name('capturePrime')
160+
@unless(primes.length >= 10)
130161
when(counter >= current) {
131162
// save the prime
132163
primes.push(current);
@@ -136,14 +167,21 @@ when(counter >= current) {
136167
counter = 2;
137168
current++;
138169
}
170+
```
171+
172+
To make this same machine with an explicit exit clause, simply remove all `@unless` decorators and add `@forever` at the beginning.
139173

174+
To make this machine exit, you must add the following anywhere in the file:
175+
```js
140176
// exit when we've found enough primes
177+
@name('exitOnceDone')
141178
when(primes.length >= 10) {
142179
exit();
143180
}
144181
```
145182

146-
Predicted exit state after `exit`:
183+
With either option, the predicted exit state after the machine exits should be:
184+
147185
```json
148186
{
149187
"counter": 2,
@@ -177,6 +215,8 @@ See the [API documentation](https://voodooattack.github.io/when-ts/) for more in
177215

178216
### Usage
179217

218+
Some examples are located in in [examples/](examples).
219+
180220
- Simple example:
181221

182222
```typescript
@@ -191,17 +231,17 @@ class TestMachine extends EventMachine<State> {
191231
super({ value: 0 }); // pass the initial state to the event machine
192232
}
193233

194-
@when(true) // define a condition for this block to execute, in this case always
234+
@when<State>(true) // define a condition for this block to execute, in this case always
195235
reportOncePerTick(s: State, m: TestMachine) {
196236
console.log(`beginning tick #${m.history.tick} with state`, s);
197237
}
198238

199-
@when(state => state.value < 5) // this only executes when `value` is less than 5
200-
incrementOncePerTick(s: State) { // increment `value` once per tick
239+
@when<State>(state => state.value < 5) currentValue
240+
incrementOncePerTick(s: State) { currentValue
201241
return { value: s.value + 1 };
202242
}
203243

204-
@when(state => state.value >= 5) // this will only execute when `value` is >= 5
244+
@when<State>(state => state.value >= 5) currentValue
205245
exitWhenDone(s: State, m: TestMachine) {
206246
console.log(`finished on tick #${m.history.tick}, exiting`, s);
207247
m.exit(); // exit the state machine
@@ -217,6 +257,8 @@ console.log('state machine exits with:', result);
217257

218258
- The same prime machine from earlier, implemented in TypeScript:
219259

260+
A better implementation exists in [examples/prime.ts](examples/prime.ts)!
261+
220262
```typescript
221263
import { StateMachine, when, MachineState } from 'when-ts';
222264

@@ -231,24 +273,24 @@ class PrimeMachine extends StateMachine<PrimeState> {
231273
super({ counter: 2, current: 3, primes: [2] });
232274
}
233275

234-
@when(state => state.counter < state.current)
276+
@when<PrimeState>(state => state.counter < state.current)
235277
incrementCounterOncePerTick({ counter }: PrimeState) {
236278
return { counter: counter + 1 };
237279
}
238280

239-
@when(state => state.counter < state.current && state.current % state.counter === 0)
281+
@when<PrimeState>(state => state.counter < state.current && state.current % state.counter === 0)
240282
resetNotPrime({ counter, primes, current }: PrimeState) {
241283
return { counter: 2, current: current + 1 };
242284
}
243285

244-
@when(state => state.counter >= state.current)
286+
@when<PrimeState>(state => state.counter >= state.current)
245287
capturePrime({ counter, primes, current }: PrimeState) {
246288
return { counter: 2, current: current + 1, primes: [...primes, current] };
247289
}
248290

249-
@when(state => state.primes.length >= 10)
250-
exitMachine() {
251-
this.exit();
291+
@when<PrimeState>(state => state.primes.length >= 10)
292+
exitMachine(_, m: StateMachine<PrimeState>) {
293+
m.exit();
252294
}
253295
}
254296

@@ -269,6 +311,8 @@ If you have something to suggest or an idea you'd like to discuss, then please s
269311

270312
Please make sure that test coverage does not drop below the set limits in `package.json`.
271313

314+
*Note: Active development happens in the `devel` branch.*
315+
272316
### License (MIT)
273317

274318
Copyright (c) 2018 Abdullah A. Hassan

examples/prime.ts

+78-18
Original file line numberDiff line numberDiff line change
@@ -1,40 +1,100 @@
1-
import { StateMachine, when, MachineState } from '../src';
1+
/**
2+
* prime.ts: A `when` state machine to discover primes through brute-force.
3+
*
4+
* Build this by typing `npm run build` and run it with the following command:
5+
* `node dist/lib/examples/prime.js <n>` where `n` is an integer specifying the
6+
* maximum number of primes to look for before stopping.
7+
* It will find the first 10 primes if you omit the argument.
8+
* Output is the total time spent (in ticks), number of primes, the primes themselves,
9+
* and time spent finding every individual prime.
10+
*/
211

12+
import { MachineState, StateMachine, when } from '../src';
13+
14+
/**
15+
* This state object defines the variables this machine will use for its state.
16+
*/
317
interface PrimeState extends MachineState {
18+
// total number of primes to find in a given run (readonly)
19+
readonly numberOfPrimes: number;
20+
// the current number being checked in any given `tick`
421
counter: number;
22+
// number to start counting from
523
current: number;
24+
// stored primes found so far
625
primes: number[];
26+
// tick count for every prime stored
27+
times: number[];
728
}
829

30+
/**
31+
* A simple state machine for brute-forcing primes.
32+
*/
933
class PrimeMachine extends StateMachine<PrimeState> {
10-
constructor() {
11-
super({ counter: 2, current: 3, primes: [2] });
34+
constructor(public readonly numberOfPrimes: number) {
35+
// pass the initial state to the StateMachine
36+
super({ counter: 2, current: 3, primes: [2], numberOfPrimes, times: [0] });
1237
}
1338

14-
@when(state => state.counter < state.current)
39+
// increment the counter with every tick
40+
@when<PrimeState>(state => state.counter < state.current)
41+
// this inhibit cause execution to end when we've found the required number of primes
42+
.unless(state => state.primes.length >= state.numberOfPrimes)
1543
incrementCounterOncePerTick({ counter }: PrimeState) {
1644
return { counter: counter + 1 };
1745
}
1846

19-
@when(state => state.counter < state.current && state.current % state.counter === 0)
47+
// this will only be triggered if the current number fails the prime check
48+
@when<PrimeState>(
49+
state => state.counter < state.current && state.current % state.counter === 0)
50+
.unless(state => state.primes.length >= state.numberOfPrimes)
2051
resetNotPrime({ current }: PrimeState) {
21-
return { counter: 2, current: current + 1 };
22-
}
23-
24-
@when(state => state.counter >= state.current)
25-
capturePrime({ primes, current }: PrimeState) {
26-
return { counter: 2, current: current + 1, primes: [...primes, current] };
52+
return {
53+
counter: 2, // reset the counter
54+
current: current + 1 // skip this number
55+
};
2756
}
2857

29-
@when(state => state.primes.length >= 10)
30-
exitMachine() {
31-
this.exit();
58+
// this will only be triggered when all checks have passed (the number is a confirmed prime)
59+
@when<PrimeState>(state => state.counter === state.current)
60+
.unless(state => state.primes.length >= state.numberOfPrimes)
61+
capturePrime({ primes, current, times }: PrimeState, { history }: PrimeMachine) {
62+
return {
63+
counter: 2, // reset the counter
64+
current: current + 1, // increment the target
65+
primes: [...primes, current], // store the new prime
66+
times: [...times, history.tick] // store the current tick count
67+
};
3268
}
3369
}
3470

35-
const primeMachine = new PrimeMachine();
36-
71+
// obtain the supplied count or default to 10
72+
const count = process.argv[2] ? parseInt(process.argv[2], 10) : 10;
73+
// crate an instance of the prime machine
74+
const primeMachine = new PrimeMachine(count);
75+
// let it execute to a conclusion
3776
const result = primeMachine.run();
3877

39-
if (result)
40-
console.log(result!.primes);
78+
if (result) {
79+
// number of primes
80+
console.log(`N = ${primeMachine.numberOfPrimes}`);
81+
// total execution time
82+
console.log(
83+
`O(N) = ${primeMachine.history.tick} ticks`
84+
);
85+
// the primes themselves
86+
console.log(
87+
`P(N) =`, result!.primes
88+
);
89+
// prime times
90+
console.log(
91+
`T(P) =`,
92+
result.times
93+
);
94+
// time spent per prime
95+
console.log(
96+
`T(P) - T(P-1) =`,
97+
result.times.map(
98+
(t, i, a) => t - (a[--i] || 0))
99+
);
100+
}

0 commit comments

Comments
 (0)