我的情况与此处类似:Javascript check if object property exists, even when object is undefined。
我的问题是,如果你有一系列属性会发生什么。例如:
var obj = {'a': {'b': {'c': {'d': 'I exists'}}}}
我需要检查是否' d'被定义为。为了不出错,我必须检查:
if (typeof obj != 'undefined' && typeof obj['a'] != 'undefined' && typeof obj['a']['b'] != 'undefined' && typeof obj['a']['b']['c'] != 'undefined' && typeof obj['a']['b']['c']['d'] != 'undefined')
你可以看到这会让人烦恼。例如,推断到999深的元素。有没有办法摆脱前n-1条件?
答案 0 :(得分:4)
使用try-catch解决方案:
var check = function(obj) {
try {
return (typeof obj.a.b.c.d !== 'undefined');
} catch (e) {
return false;
}
};
alert(check({
'a': {
'b': {
'c': {
'd': 'I exists'
}
}
}
}));

答案 1 :(得分:1)
您可以按照以下步骤查看truthy的值。
你无法摆脱第一个n - 1
条件,但你可以缩短你的陈述
if (obj && obj.a && obj.a.b && obj.a.b.c && typeof obj.a.b.c.d !== 'undefined')
// Use of obj.a.b.c.d is considered safe here
答案 2 :(得分:1)
就像Tushar在他的回答中所说:
您无法摆脱第一个
n - 1
条件
所以你只需缩短你的陈述,所以时间不长。
请查看以下示例:
var obj = {'a': {'b': {'c': {'d': 'I exists'}}}};
for (var key in obj)
{
if (obj && obj.a.b.c.d)
{
console.log(obj.a.b.c.d);
}
}
答案 3 :(得分:1)
您可以尝试这样:
function checkUndefined(obj) {
var x = Array.prototype.slice.call(arguments, 1);
for (var i = 0; i < x.length; i++) {
if (!obj || !obj.hasOwnProperty(x[i])) {
return false;
}
obj = obj[x[i]];
}
return true;
}
答案 4 :(得分:0)
尝试编写自己的属性检查器,如下一个:
JavaScript的:
function test(object) {
var restOfKeys = [];
for (var _i = 1; _i < arguments.length; _i++) {
restOfKeys[_i - 1] = arguments[_i];
}
var propertyToTest;
if (object === undefined || !restOfKeys.length) {
return false;
}
propertyToTest = restOfKeys.shift();
if (restOfKeys.length) {
return test.apply(void 0, [object[propertyToTest]].concat(restOfKeys));
}
return object[propertyToTest] !== undefined;
}
var toTest = { a: { b: { c: "asd" } } };
alert(test(toTest, "a", "b", "c"));
打字稿:
function test(object: any, ...restOfKeys: string[]) {
let propertyToTest: string;
if (object === undefined || !restOfKeys.length) {
return false;
}
propertyToTest = restOfKeys.shift();
if (restOfKeys.length) {
return test(object[propertyToTest], ...restOfKeys);
}
return object[propertyToTest] !== undefined;
}
var toTest = { a: { b: { c: "asd" } } };
alert(test(toTest, "a", "b", "c"));
源代码here
答案 5 :(得分:0)
var obj = {a:undefined,b:undefined,c:undefined,d:'I exists'};
if(typeof obj['a'] === 'object'){alert(typeof obj['a']);}
else if(typeof obj['b'] === 'object'){alert(typeof obj['b']);}
else if(typeof obj['c'] === 'object'){alert(typeof obj['c']);}
else{alert(typeof obj['d']+' : '+obj['d']);}
在这里查看http://www.w3schools.com/js/js_datatypes.asp数据类型 这里是http://www.w3schools.com/js/js_arrays.asp数组。