如果找不到给定对象的方法,我可以回退到另一种方法吗?
说我有(只是想明白)
var phoneCall new function() {
function toMom() {
}
function catchAll() {
}
}
q = new phoneCall;
q.toMom();
q.toDad() //should fire phoneCall.catchAll();
如果找不到给定对象的方法,我可以回退到另一种方法吗?
说我有(只是想明白)
var phoneCall new function() {
function toMom() {
}
function catchAll() {
}
}
q = new phoneCall;
q.toMom();
q.toDad() //should fire phoneCall.catchAll();
使用吸气剂模式:
var myObject = (function() {
var methods = {
method1: function () {
console.log('method1 called');
},
method2: function () {
console.log('method2 called');
},
defaultMethod: function () {
console.log('defaultMethod called');
}
};
var get = function (name) {
if (methods.hasOwnProperty(name)) {
return methods[name];
} else {
return methods.defaultMethod;
}
};
return {
get: get
};
}());
以下代码演示了在第一个方法不存在时调用回退方法:
q = {};
q.toDad = function() {
console.log("to dad");
}
(q.toMom || q.toDad)(); // Will output "to dad" to the console
q.toMom = function() {
console.log("to mom");
}
(q.toMom || q.toDad)(); // Will output "to mom" to the console
不 - 不是跨浏览器的方式。Firefox 和其他几个引擎有办法做到这一点,但它不适用于 Chrome、IE 等。代理最终将允许一些类似的功能,但这仍处于引擎采用的早期阶段。
var phoneCall = {
to: function(whom) {
(phoneCall.people[whom] || phoneCall.catchAll)();
},
people: {
mom: function() {
// call mom functionality
}
},
catchAll: function() {
// generic call functionality
}
};
phoneCall.to('mom');
phoneCall.to('dad'); // invokes catchAll
你可以这样做:
q.toDad() || q.catchAll();
编辑:
用户 jmar77 关于此代码无效是正确的,因为它返回的是函数的结果而不是函数本身……我的错。这是更新的代码:
function phoneCall() {
this.toMom = function() {
console.log('Mom was called.');
}
this.catchAll = function() {
console.log('Catch all was called');
}
}
q = new phoneCall();
q.toMom();
q.toDad ? q.toDad() : q.catchAll();