3

为了合并一些 SQL 调用,我尝试对服务器进行一次查询,然后让客户端遍历每个结果。需要注意的是,在处理下一个结果之前,我需要等待用户输入。这可能吗?

我有一个类似于下面的 jquery 调用:

$.post('functions/file_functions.php', {type: 'test', f: 'load'}, function(data) {
    if (data.success) {
        $.each(data.files, function() {

            // Can I wait for user input at this point and then process the next
            // file after a users interaction (e.g. a button click)?

        });
    }
}, "json");
4

2 回答 2

4

我将稍微扩展我的评论,并希望使它成为一个有用的答案。JavaScript 是单线程的,因此在等待其他事情(例如单击元素)发生时,无法阻止函数的执行。相反,您可以做的是在 AJAX POST 请求成功返回时将文件列表存储到一个数组中,然后使用单独的click事件处理程序循环它们(我假设每次单击获取一个文件)。

代码可能如下所示:

$(function() {
    var files, index = 0;

    $.post('functions/file_functions.php', {type: 'test', f: 'load'}, function(data) {
        if (data.success) {
            files = data.files;
        }
    }, "json");

    $('.mybutton').click(function() {
        if(files) {
            var file = files[index++];
            // do something with the current file
        }
    });

});
于 2012-08-03T13:14:03.043 回答
0

在 javascript 中“阻止”用户输入的一种方法是调用window.prompt(以及其他类似window.confirmwindow.showModalDialog)。然而,它并不是真正可定制的,您可能只想保存data从服务器返回的内容并进行某种基于用户输入事件的处理。

在代码中它看起来像这样:

var the_answer = window.prompt("What's the airspeed velocity of an unladen swallow?");
console.log(the_answer);
于 2012-08-03T13:09:44.977 回答