如何检查JSON字符串在JavaScript中是否具有值?

时间:2013-08-21 17:07:51

标签: javascript

有没有办法检查json字符串是否有值(char或string)?这是一个例子:

{
    "firstName": "John",
    "lastName": "Smith",
    "age": 25,
    "address": {
        "streetAddress": "21 2nd Street",
        "city": "New York",
        "state": "NY",
        "postalCode": 10021
    }
}

我必须检查这个json是否有“m”。它必须知道“m”存在于一个值中。

5 个答案:

答案 0 :(得分:8)

使用此方法,如果你有json字符串,你可以使用json = $.parseJSON(jsonStr)来解析 -

function checkForValue(json, value) {
    for (key in json) {
        if (typeof (json[key]) === "object") {
            return checkForValue(json[key], value);
        } else if (json[key] === value) {
            return true;
        }
    }
    return false;
}

答案 1 :(得分:5)

假设将JSON对象分配给var user

if(JSON.stringify(user).indexOf('m') > -1){  }

很抱歉,在阅读新评论后,我发现您只是想查看该字符串是否仅在密钥中。我以为你在寻找整个JSON中的'm'(作为一个字符串)

答案 2 :(得分:1)

假设您更正了对象语法,可以使用for循环遍历对象中的属性:

for(props in myObj) {
    if(myObj[props] === "m") { doSomething(); }
}

答案 3 :(得分:1)

可能是这样的吗?

function parse_json(the_json, char_to_check_for)
{
    try {
        for (var key in the_json) {
            var property = the_json.hasOwnProperty(key);
            return parse_json(property);
        }
    }
    catch { // not json
        if (the_json.indexof(char_to_check_for) !=== -1)
        {
             return true;
        }
        return false;

    }
}

if (parse_json(my_json,'m'))
{
    alert("m is in my json!");
}

答案 4 :(得分:1)

如果查看一个图层而不是子字符串:

const hasValue = Object.values(obj).includes("bar");

如果在一个图层中查找子字符串,而没有对象作为值:

const hasChar = Object.values(obj).join("").includes("m");

如果在多层中查找子字符串:

const list = Object.values(a);
for (let i = 0; i < list.length; i++) {
    const object = list[i];
    if (typeof object === "object") {
        list.splice(i, 1); // Remove object from array
        list = list.concat(Object.values(object)); // Add contents to array
    }
}
// It is important to join by character not in the search substring
const hasValue = list.join("_").includes("m");