如何在对象链中的任何位置检查"未定义"?

kru*_*rul 3 javascript undefined

我想检查复杂对象链中是否缺少任何对象.我想出了以下解决方案,有没有更好的方法来实现同样的目标?

var lg = console.log;
var t = { a:{a1: 33, a12:{ aa1d: 444, cc:3 } }, b:00};
var isDefined = function(topObj, propertyPath) {
    if (typeof topObj !== 'object') {
        throw new Error('First argument must be of type \'object\'!');
    }
    if (typeof propertyPath === 'string') {
        throw new Error('Second argument must be of type \'string\'!');
    }
    var props = propertyPath.split('.');
    for(var i=0; i< props.length; i++) {
        var prp = props[i];
        lg('checking property: ' + prp); 
        if (typeof topObj[prp] === 'undefined') {
            lg(prp + ' undefined!');
            return false;
        } else {
           topObj = topObj[prp];
        }        
    }
    return true;
}
isDefined(t, 'a.a12.cc');
Run Code Online (Sandbox Code Playgroud)

dha*_*urt 7

你可以更简单地定义你的函数:

var isDefined = function(value, path) {
  path.split('.').forEach(function(key) { value = value && value[key]; });
  return (typeof value != 'undefined' && value !== null);
};
Run Code Online (Sandbox Code Playgroud)

关于jsfiddle的工作示例.