在typescript中克隆一个类实例

时间:2017-03-11 13:49:37

标签: typescript

我只是'试图在打字稿中克隆一个实例'。

jQuery.extend(true, {}, instance)

不起作用,因为方法未被复制

非常感谢任何帮助

1 个答案:

答案 0 :(得分:6)

如果您的类具有默认构造函数,则可以使用通用克隆函数:

function clone<T>(instance: T): T {
    const copy = new (instance.constructor as { new (): T })();
    Object.assign(copy, instance);
    return copy;
}

例如:

class A {
    private _num: number;
    private _str: string;

    get num() {
        return this._num;
    }

    set num(value: number) {
        this._num = value;
    }

    get str() {
        return this._str;
    }

    set str(value: string) {
        this._str = value;
    }
}

let a = new A();
a.num = 3;
a.str = "string";

let b = clone(a);
console.log(b.num); // 3
console.log(b.str); // "string"

code in playground

如果您的类更复杂(将其他类实例作为成员和/或没有默认构造函数),则在类中添加clone方法,该方法知道如何构造和赋值。