浏览 86
分享
Property Decorators
Property decorators work with properties of classes.
function Override(label: string) {
return function (target: any, key: string) {
Object.defineProperty(target, key, {
configurable: false,
get: () => label
});
}
}
class Test {
@Override('test') // invokes Override, which returns the decorator
name: string = 'pat';
}
let t = new Test();
console.log(t.name); // 'test'
The above example must be compiled with both the —experimentalDecorators
and —emitDecoratorMetadata
flags.
In this case the decorated property is replaced by the label
passed to thedecorator. It's important to note that property values cannot bedirectly manipulated by the decorator; instead an accessor is used.
Here's a classic property example that uses a plain decorator
function ReadOnly(target: any, key: string) {
Object.defineProperty(target, key, { writable: false });
}
class Test {
@ReadOnly // notice there are no `()`
name: string;
}
const t = new Test();
t.name = 'jan';
console.log(t.name); // 'undefined'
In this case the name property is not writable
, and remains undefined.
原文: https://angular-2-training-book.rangle.io/handout/features/property_decorators.html
评论列表