25

我希望用户只为一个对象设置特定的属性,但同时该对象应该从自定义类构造。

例如

var row = new Row({
  name : 'John Doe',
  email : 'uhiwarale@gmail.com'
}, Schema);

row可以有方法。但是当用户尝试设置时row.password,他们是不允许的。

一种方法是使用new Proxy而不是,但是我们将失去我们在课堂new Row上所做的所有很酷的事情。Row我想new Row返回一个带有this引用的代理对象作为代理的目标。

有人对此有任何想法吗?如果你知道mongoosemongoose它是怎么做的?

4

3 回答 3

36

如果代理肯定会发生,限制设置功能的一种可能的解决方案是返回一个 ES6 代理实例。

默认情况下,javascript 中的构造函数this会自动返回对象,但您可以通过将代理实例化为目标来定义和返回自定义行为this。请记住,代理中的 set 方法应该返回一个布尔值。

MDN:set 方法应该返回一个布尔值。返回 true 表示分配成功。如果 set 方法返回 false,并且赋值发生在严格模式代码中,则会抛出 TypeError。

class Row {
  constructor(entry) {
    // some stuff

    return new Proxy(this, {
      set(target, name, value) {
        let setables = ['name', 'email'];
        if (!setables.includes(name)) {
          throw new Error(`Cannot set the ${name} property`);
        } else {
          target[name] = value;
          return true;
        }
      }
    });
  }

  get name() {
    return this._name;
  }
  set name(name) {
    this._name = name.trim();
  }
  get email() {
    return this._email;
  }
  set email(email) {
    this._email = email.trim();
  }
}

所以,现在不允许根据代理设置不可设置的属性。

let row = new Row({
  name : 'John Doe',
  email : 'john@doe.com'
});

row.password = 'blahblahblah'; // Error: Cannot set the password property

也可以在 get 方法上有自定义行为。

但是,请注意并注意覆盖返回到调用上下文的引用。

注意:示例代码已经在 Node v8.1.3 和现代浏览器上进行了测试。

于 2017-07-26T04:07:07.010 回答
16

您完全可以在不使用代理的情况下做到这一点。

在您的类构造函数中,您可以像这样定义密码属性:

constructor(options, schema) {
    this.name = options.name;
    this.email = options.email;
    Object.defineProperty(this, 'password', {
        configurable: false, // no re-configuring this.password
        enumerable: true, // this.password should show up in Object.keys(this)
        value: options.password, // set the value to options.password
        writable: false // no changing the value with this.password = ...
    });
    // whatever else you want to do with the Schema
}

Object.defineProperty()您可以在 MDN页面上找到有关如何使用它的更多信息 。

于 2017-02-16T21:03:59.207 回答
0

一个相关问题:

更多细节:https ://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Proxy

最初的想法是我需要一门课,后来我意识到下面是我需要的:

const getObject = () => new Proxy({}, { get: (o, k) => k in o ? o[k] : 0 });

用法:

let o1 = getObject();
let o2 = getObject();
于 2021-06-24T17:37:42.110 回答