是否可以找到在对象上调用了哪个方法而不将它放在对象的主体中?
我是说 :
function foo() {
if(! (this instanceof foo) ) return new foo();
alert(this.find_which_method_was_called()); // output 'myMethod'
}
foo().myMethod();
是否可以找到在对象上调用了哪个方法而不将它放在对象的主体中?
我是说 :
function foo() {
if(! (this instanceof foo) ) return new foo();
alert(this.find_which_method_was_called()); // output 'myMethod'
}
foo().myMethod();
myMethod()
在构造函数返回后调用foo()
,所以你不可能知道它是否在构造函数中被调用。
但是,您可以将对象包装在代理中,并将所有调用函数的名称保存在数组中:
function Proxy(object) {
this.calledFunctions = [];
for (var name in object) {
if (typeof object[name] != 'function') {
continue;
}
this[name] = (function (name, fun) {
return function() {
this.calledFunctions.push(name);
return fun.apply(object, arguments);
};
}(name, object[name]));
}
}
现在你可以这样做:
var f = new Proxy(new foo());
f.myMethod();
alert(f.calledFunctions);