TS装饰器

什么是装饰器

在TypeScript中,装饰器是一种特殊类型的声明,它可以被附加到类声明、方法、访问器、属性或参数 上。装饰器使用 @ 表示符,后面跟着装饰器的名字。

装饰器在编译时会被移除,它们主要用于在运行时对类和其成员进行一些额外的操作,例如进行一些自动的类型检查、注入依赖项等。

装饰器还是一个实验中的功能,要使用还需要在tsconfig.json中设置experimentalDecorators: true, 同时,如果想要使用元数据metadata, 需要设置emitDecoratorMetadata: true,还需要引入polyfill => reflect-metadata

了解元数据 metadata

metadataReflect的一个API,Reflect.metadata是ES7的一个提案,它提供了一种元编程的方式,可以将元数据附加到类和类的方法上元数据 是描述数据的数据,它可以让我们在代码中添加额外的信息,而无需在代码本身中修改任何东西。可以参考此文reflect-metadata

具体来说,Reflect.metadata可以用来实现以下两个功能:

  • 描述类和类的方法,这些描述信息可以在其他地方使用;
  • 在运行时访问这些描述信息,以便动态地决定如何处理类。

有哪些装饰器

装饰器工厂

首先了解装饰器工厂,装饰器工厂顾名思义也就是返回一个装饰器。

比如创建一个装饰器工厂,用来给class的原型对象添加color属性:

ts 复制代码
// 颜色工厂
export function ColorFactories(color: string) {
  return function (target: Record<string, any>) { // 返回一个类装饰器
    target.prototype.color = color
  }
}
// 定义一个与class 同名的 interface
interface RedFlower {
  name: string
  color: string
}

@ColorFactories('red')
class RedFlower {
  constructor(name: string) {
    this.name = name
  }
}

let rise = new RedFlower('rise')

console.log('rise:', rise, rise.color) // { name: 'rise' } red

在这段代码中,ColorFactories是装饰器工厂,用来创建不同的类装饰器。在这里有一个小技巧,可以定一个与class同名的interface,用来拓展ts对由class创建的实例的属性,比如不写interface RedFlower,直接访问rise原型上的属性color,会报错:Property 'color' does not exist on type 'RedFlower'

类装饰器

类装饰器也就是修饰类的装饰器

只有一个参数: 构造函数作为唯一参数

ts 复制代码
export function classDecorator(target: Record<string, any>) {
  target.prototype.class = 'c1'
}


interface ConeStudent {
  name: string
  class: string
}

@classDecorator
class ConeStudent {
  constructor(name: string) {
    this.name = name
  }
}

const tom = new ConeStudent('tom')
console.log('tom:', tom, tom.class) // tom:  {name: 'tom'}, c1

可以直接在构造函数的原型对象上添加属性;

也可以直接修改构造函数:

ts 复制代码
// 重写构造函数
function reportableClassDecorator<T extends { new(...args: any[]): {} }>(target: T) {
  return class extends target {
    reportingURL = "http://www...";
    private name: string

    constructor(...args: any[]) {
      super(args)
      this.name = args[0]
    }
  }
}

@reportableClassDecorator
class Test {
  constructor(name: string) { }
}

const test = new Test('txt')
console.log('test:', test) // { reportingURL: 'http://www...', name: 'txt' }

在这个例子中,通过reportableClassDecorator装饰器重写类的构造函数,为其添加了一个属性reportingURL

方法装饰器

方法装饰器在方法声明之前声明。装饰器应用于方法的属性描述符,可用于观察、修改或替换方法定义。方法装饰器不能在声明文件、重载或任何其他环境上下文中(例如在 declare 类中)使用。

方法装饰器有三个参数

  • target: 静态成员的类的构造函数,或实例成员的类的原型
  • propertyKey: 成员的姓名
  • descriptor: 成员的属性描述符
ts 复制代码
function writable(value: boolean) {
  return function (target: any, propertyKey: string, descriptor: PropertyDescriptor) {
    descriptor.writable = value
  }
}

class MethodDecorator {
  private _name: string = ''
  private _nike: string = ''
  constructor() { }

  getNike() {
    return this._nike
  }

  @writable(false)
  getName() {
    return this._name
  }
}
const methodDecoratorItem = new MethodDecorator()
methodDecoratorItem.getNike = () => '' // OK
methodDecoratorItem.getName = () => '' // TypeError: Cannot assign to read only property 'getName' of object '#<MethodDecorator>'

在这个例子中,重写了属性getName方法的属性描述符writable,使得该属性不能够被重新赋值。 因此,当修改实例上的getName方法时报错。

属性装饰器

属性装饰器在属性声明之前声明。 属性装饰器有个参数:

  • target: 静态成员的类的构造函数,或实例成员的类的原型
  • propertyKey: 成员的姓名
ts 复制代码
import "reflect-metadata"

function propertyFormat(target: any, propertyKey: string) {
  // 获取到target,propertyKey
  console.log('propertyFormat', target, propertyKey)
}


// 设置唯一标识
const formatMetadataKey = Symbol.for("format")
function format(formatString: string) {
  // 设置元数据, 格式为: 唯一标识:格式化内容
  return Reflect.metadata(formatMetadataKey, formatString)
}
function getFormat(target: any, propertyKey: string) {
  // 根据之前设置的唯一标识,取出存储的格式化内容
  return Reflect.getMetadata(formatMetadataKey, target, propertyKey)
}

class PropertyDecorator {
  @propertyFormat
  age = '12'

  @format('hello, %s')
  name = 'propertyDecorator'
  constructor() { }

  getName() {
    // 根据装饰器中设置的格式化内容进行格式化
    return getFormat(this, 'name').replace('%s', this.name)
  }
}

let propertyDecoratorItem = new PropertyDecorator()
console.log('propertyDecoratorItem.name:', propertyDecoratorItem.getName()) // hello, propertyDecorator

在上述例子中,format装饰器用来给属性添加格式化模版,之后在有使用该属性的地方直接调用格式化方法getFormat进行格式化。方式为:

  • 1、使用Reflect.metadata创建唯一标识,并返回一个新的装饰器。
  • 2、在格式化方法中使用Reflect.getMetadata根据唯一标识获取到格式化模板。

参数装饰器

参数装饰器在参数声明之前声明。参数装饰器应用于类构造函数或方法声明的函数。 参数装饰器有三个参数:

  • target: 静态成员的类的构造函数,或实例成员的类的原型
  • propertyKey: 成员的姓名
  • propertyIndex: 函数参数列表中参数的顺序索引
ts 复制代码
import "reflect-metadata"
// 定义全局唯一标识符
const requiredMetadataKey = Symbol("required")

// 方法装饰器 validate
function validate(target: any, propertyName: string, descriptor: PropertyDescriptor) {
  // 引用原方法
  let method = descriptor.value!

  // 重写方法
  descriptor.value = function () {
    let requiredParameters: number[] = Reflect.getOwnMetadata(requiredMetadataKey, target, propertyName)
    if (requiredParameters) {
      for (let parameterIndex of requiredParameters) {
        if (parameterIndex >= arguments.length || arguments[parameterIndex] === undefined) {
          throw new Error("Missing required argument.")
        }
      }
    }
    return method.apply(this, arguments)
  }
}

// required 参数装饰器: 将标识属性添加到全局元数据中
function required(target: Object, propertyKey: string | symbol, parameterIndex: number) {
  let existingRequiredParameters: number[] = Reflect.getOwnMetadata(requiredMetadataKey, target, propertyKey) || []
  existingRequiredParameters.push(parameterIndex)
  Reflect.defineMetadata(requiredMetadataKey, existingRequiredParameters, target, propertyKey)
}


class BugReport {
  type = "report";
  title: string

  constructor(t: string) {
    this.title = t
  }

  @validate
  print(@required verbose?: boolean) {
    if (verbose) {
      return `type: ${this.type}\ntitle: ${this.title}`
    } else {
      return this.title
    }
  }
}

const bug = new BugReport('bugReport')
bug.print() // throw new Error("Missing required argument.")

在上面例子中,添加属性装饰器required, 使用Reflect.defineMetadata将唯一标识、参数下标索引、对象以及属性相关联; 在方法装饰器中validate 中重写方法,主要是判断方法是参数是否符合参数要求:符和则调用原方法,不符合则抛出异常。

装饰器的原理

还是以第一个类装饰器为例:

ts 复制代码
// 类装饰器
// 构造函数作为唯一参数
export function classDecorator(target: Record<string, any>) {
  target.prototype.class = 'c1'
}

// 声明一个与class同名的interface 抽象定义class的类型
interface ConeStudent {
  name: string
  class: string
}
@classDecorator
class ConeStudent {
  constructor(name: string) {
    this.name = name
  }
}

const tom = new ConeStudent('tom')
console.log('tom:', tom, tom.class) // tom:  {name: 'tom'}, c1

执行编译: tsc --target ES6 --experimentalDecorators

整理一下编译之后的内容:

js 复制代码
"use strict"
var __decorate = (this && this.__decorate) ||
    function (decorators, target, key, desc) {
        // c:参数长度
        var c = arguments.length
        // r: 返回结果, 此时如果 c < 3, c === target(构造函数或者成员对象),不然 c === desc 属性描述符
        r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc
        d

        if (typeof Reflect === "object" && typeof Reflect.decorate === "function") {
            // Reflect.decorate 也不是es6的标准
            r = Reflect.decorate(decorators, target, key, desc)
        } else {
            // 遍历装饰器
            for (var i = decorators.length - 1;i >= 0;i--) {
                if (d = decorators[i]) {
                    /**
                     * 判断参数长度:
                     * < 3, 只有 target, 此时 r === target
                     * 执行 d(r) 也就是将构造函数传给装饰器 (类装饰器)
                     * > 3 则有三个参数 target,key,此时 r === desc 属性修饰符
                     * 执行 d(target, key, r)  (方法装饰器,参数装饰器)
                     * === 3 则 只有2个参数 target, key
                     * 执行 d(target, key) (属性装饰器)
                     */
                    r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r
                }
            }
        }
        return c > 3 && r && Object.defineProperty(target, key, r), r
        /**
         * 处理结果;
         * 如果 c > 3, 
         *  则 r 为 方法装饰器 | 参数装饰器 的返回结果,需要给原构造函数或者成员对象target的属性key添加属性描述符。
         *  如果 r 为 null | undefined, 说明装饰器没有 return 内容。(表明装饰器可以返回属性描述符去修改原属性)
         * 否则 c <= 3,
         * 则 r 为 类装饰器 | 参数装饰器 的返回结果。
         * 函数__decorate直接return
         */
    }

Object.defineProperty(exports, "__esModule", { value: true })
exports.classDecorator = void 0

// 类装饰器
// 构造函数作为唯一参数
function classDecorator(target) {
    target.prototype.class = 'c1'
}
exports.classDecorator = classDecorator
let ConeStudent = class ConeStudent {
    constructor(name) {
        this.name = name
    }
}
// 给class ConeStudent 添加装饰器
ConeStudent = __decorate([
    classDecorator
], ConeStudent)
const tom = new ConeStudent('tom')
console.log('tom:', tom, tom.class) // tom:  {name: 'tom'}, c1

原理也很直接,就是将装饰器中的方法执行一遍,只是判断一下装饰器的类型做了不同的处理。 方法装饰器和属性装饰器可以通过return 属性描述符来修改属性; 类装饰器和参数装饰器也就是执行了一遍。

相关推荐
郑板桥303 小时前
TypeScript:npm的types、typings、@type的区别
javascript·typescript·npm
Java陈序员5 小时前
免费高颜值!一款跨平台桌面端视频资源播放器!
vue.js·typescript·electron
菜鸟una20 小时前
【瀑布流大全】分析原理及实现方式(微信小程序和网页都适用)
前端·css·vue.js·微信小程序·小程序·typescript
还是大剑师兰特1 天前
TypeScript 面试题及详细答案 100题 (71-80)-- 模块与命名空间
前端·javascript·typescript
一点七加一1 天前
Harmony鸿蒙开发0基础入门到精通Day01--JavaScript篇
开发语言·javascript·华为·typescript·ecmascript·harmonyos
还是大剑师兰特1 天前
TypeScript 面试题及详细答案 100题 (61-70)-- 泛型(Generics)
typescript·大剑师·typescript教程·typescript面试题
Linsk1 天前
为什么BigInt无法通过Babel降级?
前端·typescript·前端工程化
濮水大叔1 天前
VonaJS AOP编程:魔术方法
typescript·nodejs·nestjs
Mintopia1 天前
🧩 TypeScript防御性编程:让Bug无处遁形的艺术
前端·typescript·函数式编程
菜鸟una1 天前
【微信小程序 + map组件】自定义地图气泡?原生气泡?如何抉择?
前端·vue.js·程序人生·微信小程序·小程序·typescript