ES6 - handler.get()



以下示例定义了一个类 Student,包含构造函数和自定义的 getter 方法 fullName。自定义 getter 方法通过连接 firstNamelastName 返回一个新字符串。该程序创建一个代理并定义一个处理对象,该对象在访问 propertiesfirstName、lastName 和 fullName 时进行拦截。属性值将以大写形式返回。

<script>
   class Student{
      constructor(firstName,lastName){
         this.firstName = firstName
         this.lastName = lastName
      }
      get fullName(){
         return `${this.firstName} : ${this.lastName}`
      }
   }
   const handler = {
      get: function(target,property){
         Reflect.get(target,property).toUpperCase();
      }
   }
   const s1 = new Student("Tutorials","Point")
   const proxy = new Proxy(s1,handler)
   console.log(proxy.fullName)
   console.log(proxy.firstName)
   console.log(proxy.lastName)
</script>

以上代码的输出如下 −

TUTORIALS : POINT
TUTORIALS
POINT
广告