JavaScript 中的 noSuchMethod 功能允许拦截对不存在方法的调用。但是,是否有类似的属性机制?
ES6 代理提供了自定义属性访问的能力。我们可以利用它来模拟属性的类似 __noSuchMethod__ 的行为:
<code class="javascript">function enableNoSuchMethod(obj) { return new Proxy(obj, { get(target, p) { if (p in target) { return target[p]; } else if (typeof target.__noSuchMethod__ == "function") { return function(...args) { return target.__noSuchMethod__.call(target, p, args); }; } } }); }</code>
这里是使用代理来实现可以处理未知属性的“Dummy”类的示例:
<code class="javascript">function Dummy() { this.ownProp1 = "value1"; return enableNoSuchMethod(this); } Dummy.prototype.test = function() { console.log("Test called"); }; Dummy.prototype.__noSuchMethod__ = function(name, args) { console.log(`No such method ${name} called with ${args}`); }; var instance = new Dummy(); console.log(instance.ownProp1); instance.test(); instance.someName(1, 2); instance.xyz(3, 4); instance.doesNotExist("a", "b");</code>
以上是如何在 JavaScript 中使用代理实现属性的无此类方法行为?的详细内容。更多信息请关注PHP中文网其他相关文章!