动态继承TypeScript

时间:2018-06-11 09:47:03

标签: javascript typescript inheritance

JavaScript允许动态继承。我想知道TypeScript是否考虑到了它。以下代码可能会说明问题。

// inheritance.js
function fn1() {
  this.a = "fn1";
}

function fn2() {
  // ...
}

let f1 = new fn1(); // "instance" of fn1
let f2 = new fn2(); // "instance" of fn2

// inheritance
f2.__proto__ = f1;

// f2.a inherits from f1
console.log(f2.a); // output: "fn1"

正如您所看到的,我们在f2的原型链中添加了一个对象f1,它是fn1的一个实例。 因此我的问题如下:我们可以使用类在TypeScript中重现这种行为吗? 如何更改以下代码以获得预期的输出?

// inheritance.ts
class class1 {
  public a: string = "class1";
}

class class2 extends class1 {
  // ...
}

let c1 = new class1();
let c2 = new class2();

console.log(c1.a); // output: "class1"

// this line would not work
c2.__proto__ = c1;

// change value c1.a
c1.a = "dynamical inheritance test";

console.log(c2.a); // should print value of c1.a (i.e "dynamical inheritance test")

1 个答案:

答案 0 :(得分:0)

我认为你所寻找的就像交叉混合。在typescript docs找到了一个简单的例子。为了做你想做的事,你基本上只需将混合的结果类分配给继承类,然后复制你想要扩展到结果的类的所有属性:

function extendDynamic<T, U>(first: T, second: U): T & U {
    let result = <T & U>{};
    (<any>result) = (<any>first);
    for (let it in second) {
        if (second.hasOwnProperty(it)) {
            (<any>result)[it] = (<any>second[it]);
        }
    }
    return result;
}

class Class1 {
    public a: string;
    constructor(n: string) {
        this.a = n;
    }
}

class Class2 {
    b: string = 'bbb';
}

const a = new Class1("bar");
const b = extendDynamic(a, new Class2());
a.a = 'foo';
console.log(b.a, b.b); // foo, bbb