我正在尝试使用Javascript或JQuery在textArea中打印报告,因为我想向用户显示PHP脚本在后台处理一段时间后发生了什么,因此用户不会认为应用程序挂起。

因此,我尝试使用setTimeout(...)自动更新textArea,并在处理要在客户端获取该变量并将其打印在textArea中时,通过PHP脚本在会话中设置报告值。

这是我使用的代码:

/*
 * The client side javascript function that updates the textArea value.
 */
function updateReport() {
    var reportValue = '<?php echo( $_SESSION[ 'report' ] ); ?>';
    document.forms[ 'start_send_form' ].elements[ 'reportTextArea' ].value = reportValue;

    setTimeout(function () {
        updateReport();
    }, 500);
}


客户端通过Ajax(JQuery)请求调用的php脚本:

<?php
    $report = "";

    for( $i = 0; $i < $number_of_items_to_process; $i++ ) {
        $report .= "- Processing a new item";
        $_SESSION[ 'report' ] = $report;
        // .... Process some long code here.
    }
?>


但是似乎updateReport()在首次调用时仅执行一次,然后在PHP脚本完成后恢复执行。

你能为我解释一下吗?

有办法实现我想要的吗?

---------------------------------- >>更新:我使用的代码试图获取$的更新值_SESSION ['report']从服务器端:

// 1. JavaScript :
function updateReport() {
    $.ajax({
          url: "test2.php",
          type: "POST",
          cache: false,
          success: function( returned_value ){
                var reportValue = $.trim( returned_value );
                alert(reportValue);  // All messages appear after PHP script ends.
          }
    });

    setTimeout(function () {
        updateReport();
    }, 500);
}

// 2. test2.php(Script just made to get $_SESSION[ 'report' ]) :
<?php
    if ( !isset( $_SESSION ) ) session_start();
    echo( $_SESSION[ 'report' ] );
?>

最佳答案

当您访问一个PHP网站(例如test.php)时,它将从服务器转换为html,并发送到您的Web浏览器。

所以:

function updateReport() {
    var reportValue = '<?php echo( $_SESSION[ 'report' ] ); ?>';
    document.forms[ 'start_send_form' ].elements[ 'reportTextArea' ].value = reportValue;

    setTimeout(function () {
        updateReport();
    }, 500);
}


将在网络浏览器中(您可以在firebug或chrome dev工具中查找):

function updateReport() {
    var reportValue = '';
    document.forms[ 'start_send_form' ].elements[ 'reportTextArea' ].value = reportValue;

    setTimeout(function () {
        updateReport();
    }, 500);
}


因为$ _SESSION ['report']在您访问网站时为空。

当您执行ajax请求时,您将在服务器上调用代码。设置$ _SESSION ['report']时,它将在服务器上设置。但是客户端无法获得该信息,因为客户端(您的Web浏览器)不知道PHP是什么。它只是一遍又一遍地设置一个空字符串,因为它只是在页面请求中获得了生成的html(来自PHP文件)。

您必须提出一个额外的Ajax请求,以将新值从$ _SESSION ['report']获取到客户端。

10-04 22:09
查看更多