如何使用ES7类装饰器覆盖构造函数?
例如,我想要有类似的东西:
@injectAttributes({ foo: 42 })
class Bar {
constructor() {
console.log(this.foo);
}
}
injectAttributes装饰器将在创建新实例之前将属性注入其中:
> bar = new Bar();
42
> bar.foo
42
function overrideConstructor(cls,attrs) {
Object.assign(this,attrs);
cls.call(this);
}
不起作用,因为创建的对象将是新构造函数的实例,而不是原始类型:
> bar = new overrideConstructor(Bar,{foo: 42})
42
> bar
[overrideConstructor {}]
> bar instanceof Bar
false
最佳答案
BabelJS REPL不支持装饰器所以我正在使用该功能(并手动包装),但概念是相同的.
原文链接:https://www.f2er.com/js/429104.htmlfunction injectAttributes(cls,attrs) {
const injected = function(...args) {
Object.assign(this,attrs);
return cls.apply(this,args);
}
injected.prototype = cls.prototype;
return injected;
}
class BareBar {
constructor() {
console.log(this.foo);
}
}
const Bar = injectAttributes(BareBar,{ foo: 5 })
const thing = new Bar();
console.log(thing instanceof Bar);
这打印:
5
true