我有一个场景,我已经对一个表单进行了分区(scoped),以便我可以使用以下函数一次验证小块。
validateScope (scope) {
return this.$validator.validateAll(scope);
}
在将其提交给服务器之前,我想对整个表单进行一次最终验证;但是,validateAll()似乎没有获取已添加到范围的输入。我也试过验证每个范围,然后提交表格,如果它们全部有效,但我不知道如何做到这一点,因为一切都是异步的。
validateAll () {
let valid = true;
// Not sure how to build this function since validateScope is asynchronous
_.each(this.names, (name, index) => {
if(this.validateScope('name-' + index)){
valid = false;
}
});
return valid; // Always returns true even though the _.each should set it to false
}
答案 0 :(得分:4)
正如我的评论中所提到的,您的代码最终会看起来像这样:
validateAll () {
let valid = true;
let validations = []
_.each(this.names, (name, index) => {
validations.push(this.validateScope('name-' + index))
});
return Promise.all(validations)
// consolidate the results into one Boolean
.then(results => results.every(r => r))
}
然后,当然,您必须使用validateAll
作为承诺:
this.validateAll().then(isValid => {
if (!isValid) {
//do whatever you need to do when something failed validation
} else {
// do whatever you need to do when everything is valid here
}
})