我有一个工作函数,它检查具有特定类名的任何输入,然后为每个输入的值运行getJSON调用:
function getTopFeeds() {
if (jQuery('input.class-name').length > 0) {
jQuery.each(jQuery('input.class-name'),function(){
var feedName = jQuery(this).val();
jQuery.getJSON("https://api.url/"+feedName).success(function(data) {
if (!(data)) {
return;
}
var result = data.results[0];
if (result) {
// Here I create HTML list items to display API data
}
});
});
}
}
它有效,但由于它是异步的,它不会按照页面上的输入顺序返回。如何修改现有功能,以便数据以相同的输入顺序显示?
答案 0 :(得分:0)
如果你想等到他们全部回来,你可以将结果保存在一个数组中并记住你看过多少结果;当你看到与请求一样多的结果时,你就完成了。见评论:
function getTopFeeds() {
if (jQuery('input.class-name').length > 0) {
// Get the inputs
var inputs = jQuery('input.class-name');
// Storage for the results
var results = [];
// Counter for # of responses we've seen
var counter = 0;
// Get them
inputs.each(function(index) {
var feedName = this.value;
jQuery.getJSON("https://api.url/" + feedName)
.done(function(data) {
// Got a response, save it or null if falsy (would that really happen?)
results[index] = data ? data.results[0] : null;
})
.fail(function() {
// Error response, use null as a flag
results[index] = null;
})
.always(function() {
// Called after `done` and `fail` -- see if we're done
if (++counter === inputs.length) {
// Yes, we're done -- use the results in `results`
// Note that there will be `null`s for any that
// didn't have data
}
});
});
}
}