so, I have a function that operates in an RxJS stream. It gets a single object (say of type 'IPerson') through the stream and its own argument is an array of strings for date fields I want it to parse on that object. I can use this:
function dateParser<T, K extends keyof T>(dateFields: K[])
and now if I call with a typo like dateParser(['dateofbiiiirth'])
then TS will warn me
but, I want to have the same safety for a similar function that works on an array passed through the stream (say of type 'IPerson[]')
and obviously here the TS warning goes off for any of my key strings because it expects the keys of array like 'length' etc, not the keys of an individual instance of my interface.
I tried using
function dateParser<T[], K extends keyof T>(dateFields: K[])
and it doesn't appear that that is allowed, it just errors the whole function
how would I write a generic that says "if you infer SomeType[] then make sure the strings given are keys of a single one of that type you got an array of"?
more explanation based on comment below
so say I have this:
getSearchResults(): Observable<IMemberSearchResult> {
return this.http
.get<IServiceResponse<IMemberSearchResult>>(`${this.serviceUrl}`)
.pipe(
stripApiResponse(),
dateParser(['DateOfBirth', 'LastVisitDate'])
);
}
and this:
getSearchResults(): Observable<IMemberSearchResult[]> {
return this.http
.get<IServiceResponse<IMemberSearchResult[]>>(`${this.serviceUrl}`)
.pipe(
stripApiResponse(),
dateParser(['DateOfBirth', 'LastVisitDate'])
);
}
the only difference is whether they are getting search result (single) or search result (array)
assume IMemberSearchResult interface does have a DateOfBirth prop but does not have a LastVisitDate prop
using the single one, TS correctly infers T, and it correctly puts an error under only 'LastVisitDate' . . . using an array, TS interprets <T, K extends keyof T>
for the type it inferred and wants K to be the keys that go with Array, not the actual keys of your search result interface. Because of this it things both strings are errors. how would I re-write that so that it properly knows what keys to check for?
Considering that a RxJS operator is a function that should return a function whose entry argument is an Observable and the return type is another observable, you don't need to set the type.
Here is an example that works