将参数传递给 super class 时出现 Typescript 错误。 `传播参数必须具有元组类型或传递给剩余参数(TS2556)。`

Typescript error when passing arguments to super class. `A spread argument must either have a tuple type or be passed to a rest parameter (TS2556).`

下面报错TS2556,如何解决?

class Test {
    constructor(x: number) {}
}

class Test2 extends Test {
    constructor(...args) {
        super(...args); // TS2556
    }
}

或者,如果您使用带有 tsc 的 jsdoc 进行类型检查:

class Test {
    /**
     * @param {number} x
     */
    constructor(x) {}
}

class Test2 extends Test {
    constructor(...args) {
        super(...args);
    }
}

使用 ConstructorParameters<T>,如果你正在调用一个函数,你可以只使用 Parameters<T>

class Test {
    constructor(x: number) {}
}

class Test2 extends Test {
    constructor(...args: ConstructorParameters<typeof Test>) {
        super(...args);
    }
}

或者对于 jsdoc:

class Test {
    /**
     * @param {number} x
     */
    constructor(x) {}
}

class Test2 extends Test {
    /**
     * @param  {ConstructorParameters<typeof Test>} args
     */
    constructor(...args) {
        super(...args);
    }
}