Я не совсем понимаю Promise
определение TypeScript
, как показано ниже:
/**
* Represents the completion of an asynchronous operation
*/
interface Promise<T> {
/**
* Attaches callbacks for the resolution and/or rejection of the Promise.
* @param onfulfilled The callback to execute when the Promise is resolved.
* @param onrejected The callback to execute when the Promise is rejected.
* @returns A Promise for the completion of which ever callback is executed.
*/
then<TResult1 = T, TResult2 = never>(onfulfilled?: ((value: T) => TResult1 | PromiseLike<TResult1>) | undefined | null, onrejected?: ((reason: any) => TResult2 | PromiseLike<TResult2>) | undefined | null): Promise<TResult1 | TResult2>;
/**
* Attaches a callback for only the rejection of the Promise.
* @param onrejected The callback to execute when the Promise is rejected.
* @returns A Promise for the completion of the callback.
*/
catch<TResult = never>(onrejected?: ((reason: any) => TResult | PromiseLike<TResult>) | undefined | null): Promise<T | TResult>;
}
Я думаю, then<TResult1 = T, TResult2 = never>
означает, что then
имеет два универсальных типа, которые TResult1
и TResult2
.И TResult1
будет T
, если не указано иное.
Но оказывается, что TResult1
изменится в соответствии с return type
из onfulfilled
.См. Демонстрацию:
interface Result {
status: number;
message: string;
}
function foo() {
return new Promise<Result>(function (resolve, reject) {
resolve({
status: 0,
message: 'ok',
});
});
}
// here fulfilled1's type is: (local function) fulfilled(out: Result): number
foo().then(function fulfilled1(out) {
if (Math.random() > 0.5) {
return 1;
}
});
// here fullfilled2's type is: (local function) fulfilled2(out: Result): string
foo().then(function fulfilled2(out) {
if (Math.random() > 0.5) {
return 'hello';
}
});
и fulfilled1
и fulfilled2
соответствует then<TResult1 = T, TResult2 = never>
.Но так как я не определяю then
универсальные типы, я думал, что TResult1
будет Result
в приведенном выше коде, в то время как на лице TResul1
становится number
и string
в этих случаях.
Может быть, я что-то не так с TypeScript
generic
.Любые идеи приветствуются.