作為引數的功能

假設我們想要接收一個函式作為引數,我們可以這樣做:

function foo(otherFunc: Function): void {
    ...
}

如果我們想要接收建構函式作為引數:

function foo(constructorFunc: { new() }) {
    new constructorFunc();
}

function foo(constructorWithParamsFunc: { new(num: number) }) {
    new constructorWithParamsFunc(1);
}

或者為了更容易閱讀,我們可以定義一個描述建構函式的介面:

interface IConstructor {
    new();
}

function foo(contructorFunc: IConstructor) { 
    new constructorFunc();
}

或者帶引數:

interface INumberConstructor {
    new(num: number);
}

function foo(contructorFunc: INumberConstructor) {
    new contructorFunc(1);
}

即使是泛型:

interface ITConstructor<T, U> {
    new(item: T): U;
}

function foo<T, U>(contructorFunc: ITConstructor<T, U>, item: T): U {
    return new contructorFunc(item);
}

如果我們想要接收一個簡單的函式而不是建構函式,它幾乎是相同的:

function foo(func: { (): void }) {
    func();
}

function foo(constructorWithParamsFunc: { (num: number): void }) {
    new constructorWithParamsFunc(1);
}

或者為了使其更容易閱讀,我們可以定義描述該函式的介面:

interface IFunction {
    (): void;
}

function foo(func: IFunction ) { 
    func();
}

或者帶引數:

interface INumberFunction {
    (num: number): string;
}

function foo(func: INumberFunction ) {
    func(1);
}

即使是泛型:

interface ITFunc<T, U> {
    (item: T): U;
}

function foo<T, U>(contructorFunc: ITFunc<T, U>, item: T): U {
    return func(item);
}