2

正如对上一个问题的回复中所建议的那样(PHP External Oauth : how to display a waiting message while waiting for callback (not using AJAX) ),我正在使用传输编码:在执行某些任务时显示等待消息。我的第一次尝试失败了,我在 PHP 中的“Transfer-Encoding: chunked” header这个问题中找到了解决方案。有 1024 个空格的“填充”。没有这个填充它不起作用。我已经用谷歌搜索了,但我找不到这个填充的用途。这是示例代码(来自相关问题)。

<?php
        header('Content-Encoding', 'chunked');
        header('Transfer-Encoding', 'chunked');
        header('Content-Type', 'text/html');
        header('Connection', 'keep-alive');

        ob_flush();
        flush();

        $p = "";  //padding
        for ($i=0; $i < 1024; $i++) { 
            $p .= " ";
        };
        echo $p;

        ob_flush();
        flush();

        for ($i = 0; $i < 10000; $i++) {
            echo "string";
            ob_flush();
            flush();
            sleep(2);
        }

?>

有没有人解释为什么它可以在没有“填充”的情况下工作和不工作?

4

2 回答 2

2

据我了解,填充用于填充服务器缓冲区。

没有它,服务器将等到 PHP 填充它,然后刷新它 - 即使在 PHP 代码中你这样做flush()

有关的:

于 2012-11-26T13:56:31.560 回答
1

我不知道这个填充应该做什么,实际上它不应该工作(如果我错了,有人可能会启发我)。分块编码的想法是您以块的形式发送数据。每个块由包含块长度的行组成,后跟换行符,然后是块的数据。响应可以包含任意数量的块。所以基本上包含“Hello”的 3 个块的响应如下所示:

5 <--- this is the length of the chunk, that is "Hello" == 5 chars
Hello  <--- This is a the actual data
<-- an empty line is between the chunks
5
Hello

5
Hello

<-- send two empty lines to end the transmission

所以我会将其重写为:

<?php
        header('Content-Encoding', 'chunked');
        header('Transfer-Encoding', 'chunked');
        header('Content-Type', 'text/html');
        header('Connection', 'keep-alive');

        ob_flush();
        flush();

        for ($i = 0; $i < 10000; $i++) {
            $string = "string";
            echo strlen($string)."\r\n"; // this is the length
            echo $string."\r\n"; // this is the date
            echo "\r\n"; // newline between chunks
            ob_flush(); // rinse and repeat
            flush();
            sleep(2);
        } 
        echo  "\r\n"; // send final empty line
        ob_flush();
        flush();

?>

上面的代码在所有情况下都不起作用(例如,包含换行符或非 ascii 编码的字符串),因此您必须根据您的用例对其进行调整。

于 2012-11-26T13:49:40.407 回答