循环通过承诺



我正在尝试使用 formvalidation.io 验证 10 个表单字段。如果 10 次验证中的任何一次失败,我需要返回 false。但是,要访问验证是否已通过,您需要调用承诺。

var otherFacilityFields = [
    "addressLine1",
    "city"
];
  fieldsPass = otherFacilityFields.every(function(field) {
    fv.validateField(field).then(function(status) {
        if (status != 'Valid') {
            return false;
        }
        return true;
    });
  });

上述方法不起作用,因为承诺不是同步的。

您可以map字段以创建一系列承诺。使用 Promise.all 等待这些承诺解决,然后使用 every 检查每个验证的响应状态。

我在这里使用了async/await,但Promise.all(promises).then同样有效。我还模拟了一个演示验证例程,以便您可以看到它的实际效果。只需将解析从"有效"更改为"无效",然后重新运行演示即可查看allValid相等false

const fv = {
  validateField() {
    return new Promise(resolve => {
      setTimeout(() => resolve('Valid'), 1000);
    });
  }
}
const otherFacilityFields = ['addressLine1', 'city'];
// `map` over the fields and return a
// validation promise for each
const promises = otherFacilityFields.map(field => {
  return fv.validateField(field);
});
(async () => {
  try {
    // await the promises to all resolve
    const res = await Promise.all(promises);
    // Use `every` to check the status of each validation
    const allValid = res.every(status => status === 'Valid');
    console.log(allValid);
  } catch (e) {
    console.log(e);
  }
})();

如果你使用的是javascript有async和await,你可以做类似的事情

fieldsPass = otherFacilityFields.every(async function(field) {
    let status = await fv.validateField(field)
    if (status != 'Valid') {
        return false;
    }
    return true;
  });

或者你可以尝试一些使用Promise.all()
的解决方案或者你可以使用全局变量,如

  let valid = true
  let length = otherFacilityFields.length
  fieldsPass = otherFacilityFields.every(function(field) {
    fv.validateField(field).then(function(status) {
        if (status != 'Valid') {
            valid = false;
        }
        valid = true;
        length = length - 1
        if(length == 0)
          //return the valid value
    });
  });

相关内容

  • 没有找到相关文章

最新更新