如何在Typescript中组合多个属性装饰器?

问题描述 投票:0回答:1

我有一个类

Template
,其属性
_id
具有来自
class-transformer
typed-graphql

的装饰器
import {classToPlain, Exclude, Expose, plainToClass, Type } from 'class-transformer';
import { ExposeToGraphQL } from '../../decorators/exposeToGraphQL';
import { Field, ID, MiddlewareInterface, NextFn, ObjectType, ResolverData } from 'type-graphql';
import { getClassForDocument, InstanceType, prop, Typegoose } from 'typegoose';
/**
  * Class
  * @extends Typegoose
  */
@Exclude()
@ObjectType()
class Template extends Typegoose {
  // @Expose and @Type should be both covered by ExposeToGraphQL
  // @Expose()
  @Type(() => String)
  @ExposeToGraphQL()
  @Field(() => ID)
  public _id?: mongoose.Types.ObjectId;
}

现在我尝试将这两个组合成一个新的自定义属性装饰器:

/**
 *
 */
import { Expose } from 'class-transformer';
import 'reflect-metadata';

const formatMetadataKey: Symbol = Symbol('ExposeToGraphQL');

function ExposeToGraphQL() {
  console.log('ExposeToGraphQL');

  return Expose();
}

function getExposeToGraphQL(target: any, propertyKey: string) {
  console.log('getExposeToGraphQL');

  return Reflect.getMetadata(formatMetadataKey, target, propertyKey);
}

export {
  ExposeToGraphQL,
  getExposeToGraphQL,
};

如果我只返回

Expose()
的结果,自定义装饰器就可以工作,但我不知道如何在
@Expose
中组合
@Type
@ExposeToGraphQL()

typescript typescript-decorator
1个回答
27
投票
import { Expose, Type, TypeOptions, ExposeOptions } from 'class-transformer';

/**
 * Combines @Expose then @Types decorators.
 * @param exposeOptions options that passes to @Expose()
 * @param typeFunction options that passes to @Type()
 */
function ExposeToGraphQL(exposeOptions?: ExposeOptions, typeFunction?: (type?: TypeOptions) => Function) {
  const exposeFn = Expose(exposeOptions);
  const typeFn = Type(typeFunction);

  return function (target: any, key: string) {
    typeFn(target, key);
    exposeFn(target, key);
  }
}

然后您可以按如下方式使用该装饰器:

class Template extends Typegoose {
    @ExposeToGraphQL(/*exposeOptions*/ undefined, /*typeFunction*/ () => String)
    @Field(() => ID)
    public _id?: mongoose.Types.ObjectId;
}

您可以在此链接中找到装饰器的官方文档

@Expose
@Type()
基本上是装饰器工厂。装饰工厂的主要目的:

  • 它返回一个函数
  • 该函数将在运行时调用(在类之后,在本例中为
    Template
    ,被定义),有 2 个参数:
    • 类原型(
      Template.prototype
      )
    • 装饰器附加到的属性的名称 (
      _id
      )。

如果两个或多个装饰器附加到同一个属性(称为装饰器组合),则它们的评估如下:

  • 工厂函数的执行顺序与代码中编写的顺序相同
  • 工厂函数返回的函数按照相反顺序执行
© www.soinside.com 2019 - 2024. All rights reserved.