This code runs exactly as expected, yet typescript doesn't infer the a
property in the function, any idea why and how to fix it?
interface RequestEvent<T extends Record<string, string> = Record<string, string>> {
params: T
}
interface RequestHandlerOutput {
body: string
}
type MiddlewareCallback<data> = (event: RequestEvent & data) => Promise<RequestHandlerOutput>
type Middleware<data> = <old>(cb: MiddlewareCallback<data & old>) => MiddlewareCallback<old>
const withA: Middleware<{ a: number }> = cb => async ev => {
return cb({
...ev,
a: 4,
})
}
const withB: Middleware<{ b: number }> = cb => async ev => {
return cb({
...ev,
b: 6,
})
}
(async () => {
console.log(await withA(withB(async (ev) => {
// FINE
ev.b;
// Not FINE
ev.a
return {
body: `${ev.b} ${ev.a}`
}
}))({
params: {}
}))})()
EDIT: as jcalz pointed out, this is a very difficult problem and simply using a compose function is pretty straight forward. I am fine with other solutions as long as I'm not forced to type out (no pun intended) the previous middleware's types
I don't know that I can find a canonical source for this, but the compiler just isn't able to perform the kind of inference needed for your formulation to work. Contextual typing of callback parameters tends not to reach backward through multiple function calls. For something like
the compiler can infer the type of
ev
contextually from whatwithB()
expects, but it cannot do so from whatwithA()
expects. The generic type parameter forwithB()
will be inferred because of thewithA()
call, but it doesn't make it down into the type ofev
. Soev
will have ab
property but noa
property, unfortunately.Instead of trying to get that working, I'd suggest refactoring so that you don't have nested function calls. That could involve composing
withA
andwithB
to something likewithAB
, and then pass the callback to the composed function. Here's one way to do it:If you want to make the composition function variadic, you can do so (although the compiler won't be able to verify that the implementation satisfies the call signature so you'll need a type assertion or something like it):
Here I'm using making
comp
generic in the tuple ofMiddleware<>
type parameter types; so, the call tocomp(withA, withB)
will inferT
as[{a: number}, {b: number}]
. Themiddlewares
rest parameter is a mapped tuple type from whichT
can be inferred. The return type of the function isMiddleWare<IntersectTuple<T>>
, whereIntersectTuple<T>
takes all the elements of the tuple typeT
and intersects them all together via a technique like that ofUnionToIntersection<T>
as presented in this question/answer pair.Let's just make sure it works as desired for more than two parameters:
Looks good!
Playground link to code