JS中如何判断JSON数据是否存在某字段

如何判断传过来的JSON数据中,某个字段是否存在,
1.obj["key"] != undefined
 这种有缺陷,如果这个key定义了,并且就是很2的赋值为undefined,那么这句就会出问题了。

2.!("key" in obj)
3.obj.hasOwnProperty("key")

 这两种方法就比较好了,推荐使用。

源地址:http://stackoverflow.com/questions/1098040/checking-if-an-associative-array-key-exists-in-javascript

答案原文:

Actually, checking for undefined-ness is not an accurate way of testing whether a key exists. What if the key exists but the value is actually undefined?

实际上,检查不定义并不是测试密钥是否存在的准确方法。如果键存在但值实际上未定义怎么办?

var obj = { key: undefined };
obj["key"] != undefined // false, but the key exists!

You should instead use the in operator:

您应该使用in操作符:

"key" in obj // true, regardless of the actual value

If you want to check if a key doesn't exist, remember to use parenthesis:

如果要检查键是否不存在,请记住使用括号:

!("key" in obj) // true if "key" doesn't exist in object
!"key" in obj   // ERROR!  Equivalent to "false in obj"

或者,如果要特别测试对象实例的属性(而不是继承的属性),请使用hasOwnProperty:

obj.hasOwnProperty("key") // true

 

你可能感兴趣的:(JS中如何判断JSON数据是否存在某字段)