TypeScript
TypeScript copied to clipboard
Proposal: Partial Type Argument Inference
After exploring the concept in #23696, we've come to the conclusion that implicitly making type arguments available by name would unnecessarily expose previously unobservable implementation details. As such, I'll be breaking that proposal down into two parts. One is just the partial inference (which is here), which can stand on its own, as discussed in #20122 and #10571.
To recap, partial type argument inference is the idea that some number of type arguments in a type argument list may be provided, while others are elided and fulfilled via inference using the rest. Specifically, in #10571 a number of different syntax proposals will brought forward:
For the following examples, assume we have a
declare foo<A,B,C>(): [A, B, C];
Variant 1 - elided entries
foo<,,string>(); // returns [{}, {}, string]
This is the most terse option, as simply the lack of inputs implies inference sites. This would almost seem to logically follow from how not providing a list also causes inference to occur at all sites. This does have issues, however: specifying a final parameter as needing inference would require a trailing , in the list (something we currently explicitly disallow), and lists could very easily become confusing, as a , is very easy to skip over.
Variant 2 - Sigil marker
foo<*, *, string>(); // returns [{}, {}, string]
As the second most terse option, this also has appeal; however I think it also fails on a few points. First, * is non-obvious what it means; it implies a "wildcard" of some kind, but in the context of types that could mean an inferred type, a bound, or an existential. Second, as a single-character sigil, we're unlikely to meaningfully provide completions for it even though it is contextually relevant. Finally, we're considering other work to do with existentials and generated type parameters in the future which we'd like to be able to use the * as an indicator for.
Variant 3 - Keyword marker
a. auto
foo<auto, auto, string>(); // returns [{}, {}, string]
b. infer
foo<infer, infer, string>(); // returns [{}, {}, string]
Neither of these are as terse as the others, but both are still likely substantially shorter than providing the entire list of types by hand in situations where partial inference is desired. Of the two keywords, auto may be shorter, but currently carries no meaning within the language. infer on the other hand is already used for marking inference positions within conditional types. The infer method was explored in #22368, however was taken much father - almost fully replicating the arbitrary placement and naming the operator affords within conditional types.
In the end, I'm advocating for variant 3b - the infer placeholder, with none of the extra features afforded in #22368 (we can always add them later if there is demand).
My vote is for either 1 or 3b :)
Maybe adopt the ? from the partial application proposal
foo<?, ?, string>(); // returns [{}, {}, string]
which already stands for optional in TypeScript. Actually, the meaning of would be pretty similar to the proposal and could allow for something like this:
type Foo<T, U, V> = T | U | V;
type Bar = Foo<?, string, ?>; // equal to type Bar<A, B> = A | string | B;
Will this include the option for simply omitting trailing type arguments, and having them automatically set as inferred?
Ie for these to be equivalent:
foo<string, infer, infer>();
foo<string>();
@jsiwhitehead consider:
declare const foo: {
<A, B>(): A & B;
<A>(): A;
};
foo<string>(); // The signature this refers to would be ambiguous if `infer`s were autofilled
So I don't think so - those likely won't be equivalent.
@weswigham sorry I wasn't fully clear, I meant in the case when the trailing type arguments are optional / have defaults, so in situations where they can already be left out.
The change I'm asking about is how the unprovided optional types are resolved. Currently there are two different cases:
- No types are provided explicitly => all types are inferred
- At least one type is provided explicitly => no inference, all unprovided types just take their default
Hopefully this proposal for partial inference could include allowing inference to continue working in the second case (as requested in #19205, which is closed as a duplicate of #10571).
E.g.
declare function foo<A, B = any>(b: B): [A, B];
foo<number>(null); // Resolves to [number, any], should resolve to [number, null]
Or does that also lead to new ambiguities?
Or does that also lead to new ambiguities
In your example no, for more complex types with multiple signatures, yes. It's also technically a break to do that since we'd suddenly be doing inference where previously people we relying on defaults. By making it explicit with foo<number, infer>(null) we avoid both issues.
I'm struggling to see how this could lead to an ambiguity that wasn't already there sorry, even with multiple signatures. The change I'm asking about is only about how unprovided type arguments are resolved, not about the process Typescript uses to choose which signature to use.
E.g. there is an ambiguity in the following, but that is the case already, and currently is just resolved by taking the first possible match, which is fine.
declare const foo: {
<A, B = any>(b: B): [A, B];
<A>(b: any): A;
};
foo<string>(null); // This resolves to [string, any], but should resolve to [string, null]
Sorry to keep digging on this, but I'm trying to type a selector based API which will be vastly less usable if infer has to be written for all types:
do<string>('key1', 'key2', ..., 'keyN', (value1, value2, ..., valueN) => ...)
vs
do<string, infer, infer, ..., infer (N times)>('key1', 'key2', ..., 'keyN', (value1, value2, ..., valueN) => ...)
Of course, if the fact that this would technically be a break means it's a no go either way, then that's just how it is!
@weswigham We are wondering how this feature would play with a new encoding we're likely to use in fp-ts.
Given:
right: <L = never, A = 'reason is you cannot partially bind Type Params to `right`'>(a: A) => Either<L, typeof a>
What would be the typing for:
// x3: Either<string, number> or Either<string, ???>
const x3 = right<string, infer>(1)
The thread is discussed here: https://github.com/gcanti/fp-ts/issues/543#issuecomment-412274064
Thanks in advance.
Not sure if I'm a little late to the game here but I'd like to give a simple use case for when this might be be useful.
Given the following:
interface Options<S = {}, Payloads = {}> {
reducers: {
[key in keyof Payloads]: (state: S, payload: Payloads[key]) => S
}
state: S
}
function identity<S, Payloads = {}>
(options: Options<S, Payloads>): Options<S, Payloads> {
return options
}
const options = {
reducers: {
add: (state, payload: number) => ({
...state,
answer: state.answer + payload
})
},
state: {
answer: 42
}
}
Type inference works wonderfully as expected when no type arguments are supplied to the identity function...
// Both State and ReducerPayloads are inferred correctly provider `state` and `payload` type safety
const fullyInferred = identity(options)
When one explicitly types the S however, type inference for Payloads is lost and defaults to {} despite the inferable type information for Payloads being more specific and arguably safer to use.
// When explicitly specifying the State however, ReducerPayloads is no longer inferred and
// defaults to {}. We effectively lose type inference for `partiallyInferred.reducers`
const partiallyInferred = identity<{ answer: number }>(options)
Using infer here would allow the API consumer to specify when the inferable type should be used in place of the default.
const partiallyInferred = identity<{ answer: number }, infer>(options)
If there's already a means of achieving this partial inference in this example, feel free to share it here as it would seem quite useful.
@jsiwhitehead I feel your pain, I've been writing an API that uses a type involving many generic string literals (they are used to build action creators for ngrx). It's annoying having to iterate every argument even with the version of typescript from this branch.
I wonder if maybe a trailing ** could ease our pain. So instead of needing:
<T, *, *, *, *, *>() => {}
where the last 5 here are string literals and I need to add a new * everytime I need to add a new string literal to my class, I could write:
<T, **>() => {}
to infer all subsequent generics
@ohjames I like that. Further, that:
<T>() => {}
is equivalent to
<T, **>() => {}
@flushentitypacket Yes, I wish the language was designed that way in the first place, however now it's too late to implement things that way, given it will conflict with default generic parameters?
I wonder if maybe a trailing
**could ease our pain.<T, *, *, *, *, *>() => {}=><T, **>() => {}
Maybe, a trailing "elided entry" could imply all remaining parameters are inferred.
<T,>() => {}
edit: Actually, this would be an issue for multi-line parameters.
related: #21984
Could you simply make trailing types optional, while making leading types required? It would fully depend on how the types were ordered, but I see that as a feature rather than a limitation. Optional function arguments work similarly.
Given:
declare foo<A,B,C>(): [A, B, C];
This means you can do any of these:
foo()
foo<string>()
foo<string,string>()
foo<string,string,string>()
But not:
foo<,string>()
foo<,,string>()
foo<,string,string>()
foo<,string,>()
This wouldn't require any special syntax parsing. It would simply fix the expected arguments error.
@lukescott That proposal is here: https://github.com/Microsoft/TypeScript/issues/10571 It's also how type parameters work in C++. I think TypeScript probably inherited this limitation from C#. Looks like it's being fixed in both languages, will probably land in C# first.
@ohjames I do see omitting trailing types mentioned in #10571, but it looks like it advocates for an auto keyword, which would open the door to foo<auto,string>(). Later comments in the issue mention _ and *. I'm not sure I see much of a difference. IMO, leading types should be required. Even with that, making trailing types optional solves a lot of use-cases.
@lukescott read the initial comment on that issue, the talk of * etc. is tangential to the issue.
Edit: Maybe it is lacking a bit of focus. If there isn't an issue for simply omitting trailing types then maybe someone should open one. Might it conflict with type parameter defaults though?
@ohjames
Maybe it is lacking a bit of focus. If there isn't an issue for simply omitting trailing types then maybe someone should open one.
That was my thinking as well. There is a lot of overlap between each of these proposals, with similar thoughts being shared. I haven't seen any mention to rein this into an MVP. IMO, the current proposals are too broad.
Might it conflict with type parameter defaults though?
I'm not sure how. At least any more than the current proposals would. Requiring leading types is more restrictive. Default types are also restrictive:
function foo<A,B = string,C>(a: A, b: B, c: C) {}
// error on C: Required type parameters may not follow optional type parameters.
Do you have something in mind?
@lukescott I think it's something like:
function totoro<A, B = object>(a: A, b: B) { ... }
Currently if I call this function thusly:
totoro('friend', new Date(2018, 3, 19))
Inside of totoro the B will still be of type object. However if we allow omitting parameters, in this case B could be inferred as Date. That would then make this a backwards incompatible change. Honestly I think it'd be better to do it like C++, and have it only fallback to the default type when inference is not possible; but for the sake of not breaking backwards compatibility this level of inference could be restricted to type parameters that do not specify defaults.
@ohjames I think what you're saying is:
function totoro<A, B = object>(a: A, b: B): [A,B] {
return [a,b]
}
const result1 = totoro('friend', new Date(2018, 3, 19))
const result2 = totoro<string>('friend', new Date(2018, 3, 19))
result1 comes back with [string, Date] and result2 comes back with [string, object]. Inside the function is {} unless you do B extends object = object.
It would seem like either proposal has the same effect on this. In either case you could either change how it works and infer Date, or use object as it currently works.
Personally I would prefer to break compatibility here and use default only when the type can not be inferred.
@lukescott Thanks for fixing my example. Glad you agree with the compatibility break but not sure if others will see it the same as us. It's been bothering me ever since C# adopted this limitation. Feel like it takes a lot away without bringing anything.
Can't we support a {type} = {Expression} syntax at the call site?
I have a feeling that f<,,,,,,string,,,,,>() will be simply impossible to read with more than three type parameters.
My syntax would allow for supplying just the single type parameter that is causing a complete lack of type inference. For example, when calling the below function f the type D cannot be inferred, but the others can:
function f<A, B, C, D>(a : A, b : B, c : C) : D {
...
}
I suggest making it possible to call this with the syntax:
var d = f<D = string>(1, 2, 3);
I would also like to be able to omit all inferred types when unambiguous:
interface SpecialArray<T> extends Array<T> {}
let a: SpecialArray<_> = [1]
// and
let b: SpecialArray<> = [1]
// are both equivalent to:
let c: SpecialArray<number> = [1];
Is this the same as #10571?
@miguel-leon Seems to be the case.
@miguel-leon @ExE-Boss has been pointed out before, but no, they are different. Read the histories.
pretty please? 😍 3b is my choice as well
had an issue that I had to leave out the strong type of the code that had to infer the return type of a callback to be injected as a return type of a property function... right now it's impossible without setting the generic and do the Promise<infer R>
btw, couldn't the logic be reversed? instead of:
function SomeFunction<A, T extends MyCallbackType = any, R = any>(a: A, t: T) => R {
}
SomeFunction<number, infer, typeof somethingElse>(1, () => Promise.resolve(somethingElse))
it would be
function SomeFunction<A, T extends MyCallbackType = infer>(a: A, t: T): T extends (...args: any) => Promise<infer R> ? R : void {
}
SomeFunction<number>(1, () => Promise.resolve(somethingElse))
so, it will never fallback to any but always use the parameter provided by a?
I just got bitten by this. SO question, with minimal example & answer, is at https://stackoverflow.com/questions/57347557/why-does-this-typescript-mixin-employing-generics-fail-to-compile/
I feel like this should really be documented somewhere. There's no mention of it that I could find in the TypeScript Handbook. I'd expect it to be discussed in https://www.typescriptlang.org/docs/handbook/generics.html.
At this point it might not be helpful to pile on, but I have run into this as well.
In my case I wanted to capture a string constant type from an argument while still allowing the user to specify a generic parameter. Then I wanted to generate an object with the function as one of it's properties which returns the specified return type.
function example<TResult, TCommand extends string>(command: TCommand) {
let foo: any = {};
foo[command] = () => {} as TResult; // somehow get TResult here
return foo as { [index in TCommand]: () => TResult };
}
This works, but you have to pass the command argument as the generic and as the actual function parameter, which really sucks and defeats the purpose.
example<number>("foo"); // Compiler error :(
example<number, "foo">("foo"); // Works but is lame because of the repeated string
So this is my vote that this feature should be considered. If you read it, thanks for your time. You guys are awesome