我已阅读“如何实现打字稿装饰器?” 和多个来源,但有些东西我也无法用装饰器做。
class FooBar {
public foo(arg): void {
console.log(this);
this.bar(arg);
}
private bar(arg) : void {
console.log(this, "bar", arg);
}
}
如果我们调用函数foo
:
var foobar = new FooBar();
foobar.foo("test");
该对象FooBar
由 in 记录在控制台console.log(this);
中foo
该字符串"FooBar {foo: function, bar: function} bar test"
由 in 记录在控制台console.log(this, "bar", arg);
中bar
。
现在让我们使用装饰器:
function log(target: Function, key: string, value: any) {
return {
value: (...args: any[]) => {
var a = args.map(a => JSON.stringify(a)).join();
var result = value.value.apply(this, args); // How to avoid hard coded this?
var r = JSON.stringify(result);
console.log(`Call: ${key}(${a}) => ${r}`);
return result;
}
};
}
我们使用相同的功能但经过修饰:
class FooBar {
@log
public foo(arg): void {
console.log(this);
this.bar(arg);
}
@log
private bar(arg) : void {
console.log(this, "bar", arg);
}
}
foo
我们像以前一样调用:
var foobarFoo = new FooBar();
foobarFooBar.foo("test");
该对象Window
由 in 记录在控制台console.log(this);
中foo
并且bar
永远不会被foo
因为this.bar(arg);
Causes调用Uncaught TypeError: this.bar is not a function
。
问题是装饰器this
内部的硬编码:log
value.value.apply(this, args);
我怎样才能保留原始this
价值?