Skip to content

Commit 9af8820

Browse files
committed
Add mutation explainer
1 parent eadad3d commit 9af8820

File tree

1 file changed

+335
-0
lines changed

1 file changed

+335
-0
lines changed

SYNC-MUTATION.md

+335
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,335 @@
1+
# Synchronous Mutation
2+
3+
The enforced mutation function scope APIs with `run` (as in
4+
`AsyncContext.Snapshot.prototype.run` and `AsyncContext.Variable.prototype.run`)
5+
requires any `Variable` value mutations or `Snapshot` restorations to be
6+
performed within a new function scope.
7+
8+
Modifications to `Variable` values are propagated to its subtasks. This `.run`
9+
scope enforcement prevents any modifications to be visible to its caller
10+
function scope, consequently been propagated to tasks created in sibling
11+
function calls.
12+
13+
For instance, given a global scheduler state and a piece of user code:
14+
15+
```js
16+
globalThis.scheduler = {
17+
#asyncVar: new AsyncContext.Variable(),
18+
postTask(task, { priority }) {
19+
asyncVar.run(priority, task);
20+
},
21+
yield() {
22+
const priority = asyncVar.get();
23+
return new Promise(resolve => {
24+
// resolve at a timing depending on the priority
25+
resolve();
26+
});
27+
},
28+
};
29+
30+
async function f() {
31+
await scheduler.yield();
32+
33+
await someLibrary.doAsyncWork();
34+
someLibrary.doSyncWork();
35+
36+
// this can not be affected by either `doAsyncWork` or `doSyncWork` call.
37+
await scheduler.yield();
38+
}
39+
```
40+
41+
In this case, the `scheduler.yield` calls in function `f` will never be affected by
42+
sibling library function calls.
43+
44+
Notably, AsyncContext by itself is designed to be scoped by instance of
45+
`AsyncContext.Variable`s, and without sharing a reference to the instance, its
46+
value will not be affected in library calls. This example shows a design that
47+
modifications in `AsyncContext.Variable` are only visible to logical subtasks.
48+
49+
## Overview
50+
51+
The `.run` and `.set` comparison has the similar traits when comparing
52+
`AsyncContext.Variable` and [`ContinuationVariable`][]. The difference is that
53+
whether the mutations made with `.run`/`.set` is visible to its parent scope.
54+
55+
Type | Mutation not visible to parent scope | Mutation visible to parent scope
56+
--- | --- | ---
57+
Sync | `.run(value, fn)` | `.set(value)`
58+
Async | `AsyncContext.Variable` | `ContinuationVariable`
59+
60+
In the above table, the "sync" is referring to
61+
`someLibrary.doSyncWork()` (or `someLibrary.doAsyncWork()` without `await`),
62+
and the "async" is referring to `await someLibrary.doAsyncWork()` in the
63+
example snippet above respectively.
64+
65+
## Limitation of run
66+
67+
The enforcement of mutation scopes can reduce the chance that the mutation is
68+
exposed to the parent scope in unexpected way, but it also increases the bar to
69+
use the feature or migrate existing code to adopt the feature.
70+
71+
For example, given a snippet of code:
72+
73+
```js
74+
function *gen() {
75+
yield computeResult();
76+
yield computeResult2();
77+
}
78+
```
79+
80+
If we want to scope the `computeResult` and `computeResult2` calls with a new
81+
AsyncContext value, it needs non-trivial refactor:
82+
83+
```js
84+
const asyncVar = new AsyncContext.Context();
85+
86+
function *gen() {
87+
const span = createSpan();
88+
yield asyncVar.run(span, () => computeResult());
89+
yield asyncVar.run(span, () => computeResult2());
90+
// ...or
91+
yield* asyncVar.run(span, function *() {
92+
yield computeResult();
93+
yield computeResult2();
94+
});
95+
}
96+
```
97+
98+
`.run(val, fn)` creates a new function body. The new function environment
99+
is not equivalent to the outer environment and can not trivially share code
100+
fragments between them. Additionally, `break`/`continue`/`return` can not be
101+
refactored naively.
102+
103+
It will be more intuitive to be able to insert a new line and without refactor
104+
existing code snippet.
105+
106+
```js
107+
const asyncVar = new AsyncContext.Context();
108+
109+
function *gen() {
110+
asyncVar.set(createSpan(i));
111+
yield computeResult(i);
112+
yield computeResult2(i);
113+
}
114+
```
115+
116+
## The set semantics
117+
118+
With the name of `set`, this method actually doesn't modify existing async
119+
context snapshots, similar to consecutive `run` operations. For example, in
120+
the following case, `set` doesn't change the context variables in async tasks
121+
created just prior to the mutation:
122+
123+
```js
124+
const asyncVar = new AsyncContext.Variable({ defaultValue: "default" });
125+
126+
asyncVar.set("main");
127+
new AsyncContext.Snapshot() // snapshot 0
128+
console.log(asyncVar.get()); // => "main"
129+
130+
asyncVar.set("value-1");
131+
new AsyncContext.Snapshot() // snapshot 1
132+
Promise.resolve()
133+
.then(() => { // continuation 1
134+
console.log(asyncVar.get()); // => 'value-1'
135+
})
136+
137+
asyncVar.set("value-2");
138+
new AsyncContext.Snapshot() // snapshot 2
139+
Promise.resolve()
140+
.then(() => { // continuation 2
141+
console.log(asyncVar.get()); // => 'value-2'
142+
})
143+
```
144+
145+
The value mapping is equivalent to:
146+
147+
```
148+
⌌-----------⌍ snapshot 0
149+
| 'main' |
150+
⌎-----------⌏
151+
|
152+
⌌-----------⌍ snapshot 1
153+
| 'value-1' | <---- the continuation 1
154+
⌎-----------⌏
155+
|
156+
⌌-----------⌍ snapshot 2
157+
| 'value-2' | <---- the continuation 2
158+
⌎-----------⌏
159+
```
160+
161+
This trait is important with both `run` and `set` because mutations to
162+
`AsyncContext.Variable`s must not mutate prior `AsyncContext.Snapshot`s.
163+
164+
> Note: this also applies to [`ContinuationVariable`][]
165+
166+
### Decouple mutation with scopes
167+
168+
To preserve the strong scope guarantees provided by `run`, an additional
169+
constraint can also be put to `set` to declare explicit scopes of mutation.
170+
171+
A dedicated `AsyncContext.contextScope` can be decoupled with `run` to open a
172+
mutable scope with a series of `set` operations.
173+
174+
```js
175+
const asyncVar = new AsyncContext.Variable({ defaultValue: "default" });
176+
177+
asyncVar.set("A"); // Throws ReferenceError: Not in a mutable context scope.
178+
179+
// Executes the `main` function in a new mutable context scope.
180+
AsyncContext.contextScope(() => {
181+
asyncVar.set("main");
182+
183+
console.log(asyncVar.get()); // => "main"
184+
});
185+
// Goes out of scope and all variables are restored in the current context.
186+
187+
console.log(asyncVar.get()); // => "default"
188+
```
189+
190+
`AsyncContext.contextScope` is basically a shortcut of
191+
`AsyncContext.Snapshot.run`:
192+
193+
```js
194+
const asyncVar = new AsyncContext.Variable({ defaultValue: "default" });
195+
196+
asyncVar.set("A"); // Throws ReferenceError: Not in a mutable context scope.
197+
198+
// Executes the `main` function in a new mutable context scope.
199+
AsyncContext.Snapshot.wrap(() => {
200+
asyncVar.set("main");
201+
202+
console.log(asyncVar.get()); // => "main"
203+
})();
204+
// Goes out of scope and all variables are restored in the current context.
205+
206+
console.log(asyncVar.get()); // => "default"
207+
```
208+
209+
### Use cases
210+
211+
One use case of `set` is that it allows more intuitive test framework
212+
integration (or similar frameworks that have prose style declarations,
213+
like middlewares).
214+
215+
```js
216+
describe("asynct context", () => {
217+
const ctx = new AsyncContext.Variable();
218+
219+
beforeEach((test) => {
220+
ctx.set(1);
221+
});
222+
223+
it('run in snapshot', () => {
224+
// This function is run as a second paragraph of the test sequence.
225+
assert.strictEqual(ctx.get(),1);
226+
});
227+
});
228+
229+
function testDriver() {
230+
await AsyncContext.contextScope(async () => {
231+
runBeforeEach();
232+
await runTest();
233+
runAfterEach();
234+
});
235+
}
236+
```
237+
238+
However, without proper test framework support, mutations in async `beforeEach`
239+
are still unintuitive, e.g. https://github.com/xunit/xunit/issues/1880.
240+
241+
This will need a return-value API to feedback the final context snapshot to the
242+
next function paragraph.
243+
244+
```js
245+
describe("asynct context", () => {
246+
const ctx = new AsyncContext.Variable();
247+
248+
beforeEach(async (test) => {
249+
await undefined;
250+
ctx.set(1);
251+
test.setSnapshot(new AsyncContext.Snapshot());
252+
});
253+
254+
it('run in snapshot', () => {
255+
// This function is run in the snapshot saved in `test.setSnapshot`.
256+
assert.strictEqual(ctx.get(),1);
257+
});
258+
});
259+
260+
function testDriver() {
261+
let snapshot = new AsyncContext.Snapshot();
262+
await AsyncContext.contextScope(async () => {
263+
await runBeforeEach({
264+
setSnapshot(it) {
265+
snapshot = it;
266+
}
267+
});
268+
await snapshot.run(() => runTest());
269+
await runAfterEach();
270+
});
271+
}
272+
```
273+
274+
### Polyfill Viability
275+
276+
> Can `set` be implementation in user land with `run`?
277+
278+
The most important trait of `set` is that it will not mutate existing
279+
`AsyncContext.Snapshot`.
280+
281+
A userland polyfill like the following one can not preserve this trait.
282+
283+
```typescript
284+
class SettableVar<T> {
285+
private readonly internal: AsyncContext.Variable<[T]>;
286+
constructor(opts = {}) {
287+
this.internal = new AsyncContext.Variable({...opts, defaultValue: [opts.defaultValue]});
288+
}
289+
290+
get() {
291+
return this.internal.get()[0];
292+
}
293+
294+
set(val) {
295+
this.internal.get()[0] = val;
296+
}
297+
}
298+
```
299+
300+
In the following snippet, mutations to a `SettableVar` will also apply to prior
301+
snapshots.
302+
303+
```js
304+
const asyncVar = new SettableVar({ defaultValue: "default" });
305+
306+
asyncVar.set("main");
307+
new AsyncContext.Snapshot() // snapshot 0
308+
console.log(asyncVar.get()); // => "main"
309+
310+
asyncVar.set("value-1");
311+
new AsyncContext.Snapshot() // snapshot 1
312+
Promise.resolve()
313+
.then(() => { // continuation 1
314+
console.log(asyncVar.get()); // => 'value-2'
315+
})
316+
317+
asyncVar.set("value-2");
318+
new AsyncContext.Snapshot() // snapshot 2
319+
Promise.resolve()
320+
.then(() => { // continuation 2
321+
console.log(asyncVar.get()); // => 'value-2'
322+
})
323+
```
324+
325+
The value mapping is equivalent to:
326+
327+
```
328+
⌌---------------⌍ snapshot 0 & 1 & 2
329+
| [ 'value-2' ] | <---- the continuation 1 & 2
330+
⌎---------------⌏
331+
```
332+
333+
334+
335+
[`ContinuationVariable`]: ./CONTINUATION.md

0 commit comments

Comments
 (0)