Angular7:自定义class装饰器销毁组件作用域
Angular 7: custom class decorator destroy component scope
我有一个装饰器,在 ngOnInit
上写一个 console.log
log.decorator.ts
export function Log(): ClassDecorator {
// Decorator Factory
return (target: Function) => {
const ngOnInit: Function = target.prototype.ngOnInit;
target.prototype.ngOnInit = ( ...args ) => {
console.log('ngOnInit:', target.name);
if ( ngOnInit ) {
ngOnInit.apply(this, args);
}
};
};
}
和 HelloComponent
使用 @Log()
并导入 ngOnInit
中使用的服务
hello.component.ts
import { Component, Input, OnInit } from '@angular/core';
import { Log } from './log.decorator';
import { HelloService } from './hello.service';
@Component({
selector: 'hello',
template: `<p>Hello! thanks for help and open the browser console for see the error!</p>`,
styles: [``]
})
// if you remove @Log(), helloService.sayHello() works!
@Log()
export class HelloComponent implements OnInit {
constructor(private helloService: HelloService){}
ngOnInit(){
this.helloService.sayHello();
}
}
但这会导致异常:
ERROR TypeError: Cannot read property 'sayHello' of undefined
如果我从 HelloComponent
中删除 @Log()
就可以了!
装饰器似乎破坏了组件范围:
ngOnInit.apply(this, args); // line 13: log.decorator.ts
在这个调用之后,this.helloService
在HelloComponent
的ngOnInit
中是undefined
,但是没有@Log()
,this.helloService
是一个HelloService
实例。
我该如何解决这个问题?
Stackblitz 上的实例:
https://stackblitz.com/edit/angular-7hhp5n
箭头函数强制上下文 this
成为封闭的词法上下文,它是 Log
函数的执行上下文。
要拥有组件上下文,您应该使用简单的函数表达式:
target.prototype.ngOnInit = function( ...args ) {
...
}
我有一个装饰器,在 ngOnInit
上写一个 console.log
log.decorator.ts
export function Log(): ClassDecorator {
// Decorator Factory
return (target: Function) => {
const ngOnInit: Function = target.prototype.ngOnInit;
target.prototype.ngOnInit = ( ...args ) => {
console.log('ngOnInit:', target.name);
if ( ngOnInit ) {
ngOnInit.apply(this, args);
}
};
};
}
和 HelloComponent
使用 @Log()
并导入 ngOnInit
hello.component.ts
import { Component, Input, OnInit } from '@angular/core';
import { Log } from './log.decorator';
import { HelloService } from './hello.service';
@Component({
selector: 'hello',
template: `<p>Hello! thanks for help and open the browser console for see the error!</p>`,
styles: [``]
})
// if you remove @Log(), helloService.sayHello() works!
@Log()
export class HelloComponent implements OnInit {
constructor(private helloService: HelloService){}
ngOnInit(){
this.helloService.sayHello();
}
}
但这会导致异常:
ERROR TypeError: Cannot read property 'sayHello' of undefined
如果我从 HelloComponent
中删除 @Log()
就可以了!
装饰器似乎破坏了组件范围:
ngOnInit.apply(this, args); // line 13: log.decorator.ts
在这个调用之后,this.helloService
在HelloComponent
的ngOnInit
中是undefined
,但是没有@Log()
,this.helloService
是一个HelloService
实例。
我该如何解决这个问题?
Stackblitz 上的实例: https://stackblitz.com/edit/angular-7hhp5n
箭头函数强制上下文 this
成为封闭的词法上下文,它是 Log
函数的执行上下文。
要拥有组件上下文,您应该使用简单的函数表达式:
target.prototype.ngOnInit = function( ...args ) {
...
}