7

我有一个在 SO 上多次出现的问题,但我似乎找不到我的解决方案!我试图在没有在浏览器中打开的情况下将 pdf 文件传递​​给客户端,文件会下载,但是当我打开它时它已损坏,并且原始文件中缺少很多字节。我已经尝试了几种这样的方法来下载文件,但我只会向您展示我使用过的最新方法,并希望能得到一些反馈。

我还在文本编辑器中打开了下载的 PDF,我可以看到顶部没有 php 错误!

我也知道 readfile() 要快得多,但出于测试目的,我迫切希望得到任何工作,所以我使用了 while(!feof()) 方法!

无论如何,足够漫无边际,代码如下(取自为什么我下载的文件总是损坏或损坏?):

$file     = __DIR__ . '/reports/somepdf.pdf';
$basename = basename($file);
$length   = sprintf("%u", filesize($file));

header('Content-Description: File Transfer');
header('Content-Type: application/octet-stream');
header('Content-Disposition: attachment; filename="' . $basename . '"');
header('Content-Transfer-Encoding: binary');
header('Connection: Keep-Alive');
header('Expires: 0');
header('Cache-Control: must-revalidate, post-check=0, pre-check=0');
header('Pragma: public');
header('Content-Length: ' . $length);

ob_clean();
set_time_limit(0);
readfile($file);

还要注意的是文件大小的差异:

Original: 351,873 bytes
Downloaded: 329,163 bytes
4

3 回答 3

8

确保您没有运行任何压缩输出缓冲处理程序,例如 ob_gzhandler。我有一个类似的情况,我必须禁用输出缓冲才能正常工作

于 2013-04-08T21:46:24.350 回答
7

您正在使用ob_gzhandler输出缓冲区上的 。

它通过 gzencoding 输出块来工作。然后输出是编码块的流。

每个块都需要获取一些字节来进行编码,因此输出会稍微缓冲,直到有足够的字节可用。

但是,在脚本结束时,您丢弃剩余的缓冲区而不是刷新它。

使用ob_end_flush()代替ob_clean()并且文件完全通过并且没有损坏。

ob_gzhandler当您在输出缓冲区完成工作之前不破坏输出缓冲区时,您将使用文件上传的传输编码没有任何问题。

如果启用了任何其他分块工作的输出缓冲,这也是相同的。

示例代码:

$file     = __DIR__ . '/somepdf.pdf';
$basename = basename($file);
$length   = sprintf("%u", filesize($file));

header('Content-Description: File Transfer');
header('Content-Type: application/octet-stream');
header('Content-Disposition: attachment; filename="' . $basename . '"');
header('Content-Transfer-Encoding: binary');
header('Connection: Keep-Alive');
header('Expires: 0');
header('Cache-Control: must-revalidate, post-check=0, pre-check=0');
header('Pragma: public');
header('Content-Length: ' . $length);

ob_end_flush();   // <--- instead of ob_clean()

set_time_limit(0);
readfile($file);

return;

(仅供参考:实际上即使ob_end_flush();没有必要,重要的部分不是在输出缓冲区完成工作之前就踢掉它)

于 2013-04-08T22:09:58.303 回答
-1

在找到解决问题的方法之前,我使用 content-disposition 推送 PDF 下载两天。我的 PDF 文件也更小并且损坏了 - 但是,我可以在 Windows Preview 中打开它们 - 只是不能在 Adob​​e 中打开。经过多次故障排除后,我发现 Adob​​e 需要在文件的前 1024 个字节中包含 %PDF。在创建标题之前,我在我的 php 代码中进行了所有文件类型检查。我在标题之前取出了大部分代码,我的 PDF 文件被修复了。

你可能没有像我一样设置它,但它可能是同样的问题:

http://helpx.adobe.com/acrobat/kb/pdf-error-1015-11001-update.html

于 2014-10-25T21:35:48.693 回答