我正在尝试创建一个将遍历geoJSON对象的promise函数,使用一个URL风格的属性与占位符value属性一起存储,以调用存储在该地址的数据。 JSON迭代本身具有功能,但是我似乎无法正确把握主要时间,在实际输入值之前,它已经恢复解析。

    //Here is one feature in my geoJSON object
    {
    "type": "Feature",
    "properties": {
      "name": "AC4",
      "url": "/*Removed*/",
      "values": {
        "DA_T": {
          "ORD": "station:|slot:/Drivers/NiagaraNetwork/S_1563/B_1964/B1964_SSC2/points/AC4/MixedAirTemp",
          "value": "placeholder",
        }
      }
    },
    "geometry": {
      "type": "Polygon",
      "coordinates": [
        [
          [102.0,-59.0],
          [102.0,-73.5],
          [67.5,-73.5],
          [67.5,-59.0]
        ]
      ]
    }},



  //This is what I currently have for my iterating function
  function jsonValueFill(json, valueName) {
    return new Promise (function(resolve, reject){
      var i = 0;
      var k = json.features.length;
      while (i<k) {
        console.log('iteration: ' + i)
        if (json.features[i].properties.values.valueName != undefined){
          numFromPoint (json.features[i].properties.values.valueName.ORD)
          .then(function(output){
            json.features[i].properties.values.valueName.value = output
          });
        };
      i++;
      if(i == k) {resolve(json)}
      }
    })
  };


numFromPoint是我创建的一个Promise函数,用于从称为ORD的内部地址中提取一个值,并且我已经确认它可以按预期工作。但是,即使添加setTimeout(function(){console.log(testJson)},6000)以在我遍历对象后很好地检查对象的状态,也不会设置value属性。

最佳答案

我认为这可能更简单:

function jsonValueFill(json, valueName) {
  const promises = json.features.map(feature => {
    if (feature.properties.values[valueName] !== undefined) {
      return numFromPoint(feature.properties.values[valueName].ORD)
        .then(function(output) {
          feature.properties.values[valueName].value = output
        })
    }
  })

  return Promise.all(promises).then(() => json)
}

07-28 02:44