6

总 JSON 菜鸟在这里。我试图通过一些 JSON 循环从对象内部的数组中提取第一张图像,经过 4 小时的处理,我决定我可能需要一些帮助。

我能够从我知道键的对象中提取我需要的每个值,但是我有一些具有不一致键名的数据,我需要基本上迭代以查找部分匹配,然后拉出第一个这些结果。

未知元素的Json结构是这样的:

"custom_fields": {
    "content_0_subheading": [
      "Title text"
    ],
    "content_1_text": [
      "Some text"
    ],
    "content_2_image": [
      [
        "http://staging.livelivelyblog.assemblo.com/wp-content/uploads/2013/09/wellbeing-260x130.jpg",
        260,
        130,
        true
      ]
    ],
    "content_2_caption": [
      ""
        ]
}

在这种情况下,我所追求的是 content_2_image,但在另一个条目中,据我所知,它可能是 content_20_image(有很多数据被提取)。

任何关于循环遍历这些未知键以查找键中“_image”或其他内容的部分匹配的最佳方法的想法,将不胜感激。

谢谢!

4

3 回答 3

10

您不能只搜索具有部分匹配的每个字段,因此您必须遍历每个字段,然后检查匹配的字段名称。尝试这样的事情:

var json = {
  "content_0_subheading": [
    "Title text"
  ],
  "content_1_text": [
    "Some text"
  ],
  "content_2_image": [
    [
      "http://staging.livelivelyblog.assemblo.com/wp-content/uploads/2013/09/wellbeing-260x130.jpg",
      260,
      130,
      true
    ]
  ],
  "content_2_caption": [
    ""
  ]
}

for (var key in json) {
    if (json.hasOwnProperty(key)) {
        if (/content_[0-9]+_image/.test(key)) {
            console.log('match!', json[key]); // do stuff here!
        }
    }
}

基本上,我们正在做的是:

1)循环遍历json对象的键for (var key in json)

2) 确保 json 具有该属性,并且我们没有访问我们不想要的密钥if (json.hasOwnProperty(key))

3) 检查key是否匹配正则表达式/content_[0-9]+_image/

3a)基本上,测试它是否匹配content_ANY NUMBERS_image等于ANY NUMBERS至少一位或更多的数字

4) 随意使用该数据console.log(json[key])

希望这可以帮助!

于 2013-09-20T07:29:08.310 回答
4

你可以使用for ... in

for (key in object) {
    // check match & do stuff
}
于 2013-09-20T07:21:16.007 回答
2
var json = JSON.parse(YOUR_JSON_STRING).custom_fields, //Fetch your JSON
    image;                                             //Pre-declare image
for(key in json){                               //Search each key in your object
    if(key.indexOf("image") != -1){             //If the index contains "image"
        image = json[key];                //Then image is set to your image array
        break;                                  //Exit the loop
    }
}
/*
image[0]  //the URL
image[1]  //the width
image[2]  //the height
image[3]  //your boolean
于 2013-09-20T07:29:35.803 回答