我经常遇到这种情况,我需要完成几个顺序的操作。如果每个操作都排他性地使用了上一步中的数据,那么我可以很开心地做类似pipe(startingData, TE.chain(op1), TE.chain(op2), TE.chain(op3), ...)
的事情。当op2
也需要startingData
的数据而没有一堆嵌套的回调时,我找不到写这种方法的好方法。
在下面的示例中,如何避免厄运金字塔?
declare const op1: (x: {one: string}) => TE.TaskEither<Error, string>;
declare const op2: (x: {one: string, two: string}) => TE.TaskEither<Error, string>;
declare const op3: (x: {one: string, two: string, three: string}) => TE.TaskEither<Error, string>;
pipe(
TE.of<Error, string>('one'),
TE.chain((one) =>
pipe(
op1({ one }),
TE.chain((two) =>
pipe(
op2({ one, two }),
TE.chain((three) => op3({ one, two, three }))
)
)
)
)
);
答案 0 :(得分:1)
有一个 解决问题的方法,它称为“注释”。它已经在fp-ts-contrib
中提供了一段时间,但现在它也具有使用fp-ts
函数(已在所有monadic类型上定义)嵌入bind
的版本。基本思想类似于我在下面所做的工作-我们将计算结果绑定到一个特定的名称,并在进行过程中在“上下文”对象中跟踪这些名称。这是代码:
pipe(
TE.of<Error, string>('one'),
TE.bindTo('one'), // start with a simple struct {one: 'one'}
TE.bind('two', op1), // the payload now contains `one`
TE.bind('three', op2), // the payload now contains `one` and `two`
TE.bind('four', op3), // the payload now contains `one` and `two` and `three`
TE.map(x => x.four) // we can discharge the payload at any time
)
我想出了一个我并不感到骄傲的解决方案,但是我正在分享它以获取可能的反馈!
首先,定义一些辅助函数:
function mapS<I, O>(f: (i: I) => O) {
return <R extends { [k: string]: I }>(vals: R) =>
Object.fromEntries(Object.entries(vals).map(([k, v]) => [k, f(v)])) as {
[k in keyof R]: O;
};
}
const TEofStruct = <R extends { [k: string]: any }>(x: R) =>
mapS(TE.of)(x) as { [K in keyof R]: TE.TaskEither<unknown, R[K]> };
mapS
允许我将函数应用于对象中的所有值(子问题1:是否有内置函数可以执行此操作?)。 TEofStruct
使用此功能将值的结构转换为这些值的TaskEither
s的结构。
我的基本想法是使用TEofStruct
和sequenceS
来累积新值和以前的值。到目前为止,看起来像这样:
pipe(
TE.of({
one: 'one',
}),
TE.chain((x) =>
sequenceTE({
two: op1(x),
...TEofStruct(x),
})
),
TE.chain((x) =>
sequenceTE({
three: op2(x),
...TEofStruct(x),
})
),
TE.chain((x) =>
sequenceTE({
four: op3(x),
...TEofStruct(x),
})
)
);
感觉我可以编写某种辅助功能,将sequenceTE
与TEofStruct
结合使用,以减少此处的样板,但是总体上我仍然不确定这是否是正确的方法,或者是否还有一种惯用的模式!