forked from sl1673495/javascript-codes
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcreate-flow.js
61 lines (54 loc) · 1.43 KB
/
create-flow.js
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
/**
蚂蚁金服面试题
const log = jest.fn();
const subFlow = createFlow([() => log('subFlow')]),
createFlow([
() => log('a'),
() => log('b'),
subFlow,
[
() => delay().then(() => log('c')),
() => log('d'),
]
]).run(null, () => {
expect(log.mock.calls[0][0]).toBe('a')
expect(log.mock.calls[1][0]).toBe('b')
expect(log.mock.calls[2][0]).toBe('subFlow')
expect(log.mock.calls[3][0]).toBe('c')
expect(log.mock.calls[4][0]).toBe('d')
})
按照上面的测试用例,实现 createFlow:
flow 是指一些列 effects(这里是普通的函数)组成的逻辑片段
flow 支持嵌套
effects 的执行只需要支持串行
*/
function createFlow(effects = []) {
let sources = effects.slice().flat();
function run(callback) {
while (sources.length) {
const task = sources.shift();
if (typeof task === "function") {
const res = task();
if (res?.then) {
res.then(createFlow(sources).run);
break;
}
} else if (task?.isFlow) {
task.run(createFlow(sources).run);
break;
}
}
callback?.();
}
return {
run,
isFlow: true,
};
}
const delay = () => new Promise((resolve) => setTimeout(resolve, 1000));
createFlow([
() => console.log("a"),
() => console.log("b"),
createFlow([() => console.log("c")]),
[() => delay().then(() => console.log("d")), () => console.log("e")],
]).run();