a"问题"我不时有这样的东西,我有一个对象,例如user = {}
并通过使用应用程序的过程填充。在AJAX电话会议之后,让我们说somwhere:
user.loc = {
lat: 50,
long: 9
}
在另一个地方,我想检查user.loc.lat
是否存在。
if (user.loc.lat) {
// do something
}
如果不存在,则会导致错误。如果user.loc.lat
为undefined
,user.loc
当然也是undefined
。
"Cannot read property 'lat' of null" - Dev Tools error
这意味着我需要像这样检查:
if (user.loc) {
if (user.loc.lat) {
// do something
}
}
或
if (user.loc && user.loc.lat) {
// do something
}
这并不是非常漂亮,我的对象越大越好 - 显然(想象10级嵌套)。
如果if(user.loc.lat)
false
user.loc
undefined
,{{1}}还不回{{1}},我感到很遗憾。
检查这种情况的理想方法是什么?
答案 0 :(得分:118)
您可以使用这样的实用程序功能:
get = function(obj, key) {
return key.split(".").reduce(function(o, x) {
return (typeof o == "undefined" || o === null) ? o : o[x];
}, obj);
}
用法:
get(user, 'loc.lat') // 50
get(user, 'loc.foo.bar') // undefined
或者,仅检查属性是否存在,而不检查其值:
has = function(obj, key) {
return key.split(".").every(function(x) {
if(typeof obj != "object" || obj === null || ! x in obj)
return false;
obj = obj[x];
return true;
});
}
if(has(user, 'loc.lat')) ...
答案 1 :(得分:19)
嗯,javascript有try-catch。根据您实际需要做的事情(即else
语句的内容如果是undefined
),可能就是您想要的。
示例:
try {
user.loc.lat.doSomething();
} catch(error) {
//report
}
答案 2 :(得分:7)
您可以使用延迟and
:
if(user.loc && user.loc.lat) { ...
或者,您使用CoffeeScript并编写
user.loc?.lat ...
将运行loc
属性的检查并防止空对象。
答案 3 :(得分:6)
试试这个if(user && user.loc && user.loc.lat) {...}
您可以使用typeof
检查null和undefined的值如果.loc
的值为false
,则可以尝试
if(user && user.loc && typeof(user.loc)!=="undefined"){...}
如果你有一个巨大的嵌套对象而不是看
function checkNested(obj /*, level1, level2, ... levelN*/) {
var args = Array.prototype.slice.call(arguments),
obj = args.shift();
for (var i = 0; i < args.length; i++) {
if (!obj.hasOwnProperty(args[i])) {
return false;
}
obj = obj[args[i]];
}
return true;
}
var test = {level1:{level2:{level3:'level3'}} };
checkNested(test, 'level1', 'level2', 'level3'); // true
checkNested(test, 'level1', 'level2', 'foo'); // false
<强>更新强> 试试lodash.get