How to create a TypeScript @enumerable(false) decorator for a property

最后都变了- 提交于 2019-12-01 17:21:32

问题


I want to create a decorator in TypeScript in order to be able to make a class property not enumerable.

I found an example of @enumerable here: https://www.typescriptlang.org/docs/handbook/decorators.html#method-decorators but that only seems to work for methods, not properties:

https://www.typescriptlang.org/docs/handbook/decorators.html#property-decorators

NOTE  A Property Descriptor is not provided as an argument to a property decorator due to how property decorators are initialized in TypeScript. This is because there is currently no mechanism to describe an instance property when defining members of a prototype, and no way to observe or modify the initializer for a property. As such, a property decorator can only be used to observe that a property of a specific name has been declared for a class.

Is there a way to create a @enumerable decorator for a class property?

Thanks


回答1:


I ended up with this solution:

/**
 * @enumerable decorator that sets the enumerable property of a class field to false.
 * @param value true|false
 */
function enumerable(value: boolean) {
    return function (target: any, propertyKey: string) {
        let descriptor = Object.getOwnPropertyDescriptor(target, propertyKey) || {};
        if (descriptor.enumerable != value) {
            descriptor.enumerable = value;
            descriptor.writable= true;
            Object.defineProperty(target, propertyKey, descriptor)
        }
    };
}

Usage:

class User {
    id:string;

    @enumerable(false)
    name: string;
}

Testing:

   var user = new User();
   user.id = 1;
   user.name = 'John Doe';
   for (key in user){ console.log(key, user[key]);}

Output

id 1

Same test without the use of the decorator

id 1
name John Doe


来源:https://stackoverflow.com/questions/40930251/how-to-create-a-typescript-enumerablefalse-decorator-for-a-property

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!