ForceDownload中的文件大小问题

时间:2013-08-06 12:12:21

标签: php

以下脚本是我用来强制下载的。

// grab the requested file's name
$file_name = $_GET['file'];

// make sure it's a file before doing anything!
if(is_file($file_name)) {

    /*
        Do any processing you'd like here:
        1.  Increment a counter
        2.  Do something with the DB
        3.  Check user permissions
        4.  Anything you want!
    */

    // required for IE
    if(ini_get('zlib.output_compression')) { ini_set('zlib.output_compression', 'Off'); }

    // get the file mime type using the file extension
    switch(strtolower(substr(strrchr($file_name, '.'), 1))) {
        case 'pdf': $mime = 'application/pdf'; break;
        case 'zip': $mime = 'application/zip'; break;
        case 'jpeg':
        case 'jpg': $mime = 'image/jpg'; break;
        default: $mime = 'application/force-download';
    }
    header('Pragma: public');   // required
    header('Expires: 0');       // no cache
    header('Cache-Control: must-revalidate, post-check=0, pre-check=0');
    header('Last-Modified: '.gmdate ('D, d M Y H:i:s', filemtime ($file_name)).' GMT');
    header('Cache-Control: private',false);
    header('Content-Type: '.$mime);
    header('Content-Disposition: attachment; filename="'.basename($file_name).'"');
    header('Content-Transfer-Encoding: binary');
    header('Content-Length: '.filesize($file_name));    // provide file size
    header('Connection: close');
    readfile($file_name);       // push it out
    exit();

} 

问题是上面的代码适用于小于 100MB 的文件,并且它不能用于例如超过200MB的文件并说下载177字节。

我如何摆脱这个问题?

修改1:

主脚本从here复制。

谢谢!

1 个答案:

答案 0 :(得分:2)

我怀疑你通过一次性将文件加载到内存中导致PHP使用太多内存 - 看一下下载文件的内容,你可能会看到它的纯文本并包含一个PHP致命错误错误信息。

您最好将文件加载到较小的块中并将其传递回Web服务器以进行服务,例如,尝试使用以下内容交换“readfile”行:

// Open the file for reading and in binary mode
$handle = fopen($file_name,'rb');
$buffer = '';

// Read 1MB of data at a time, passing it to the output buffer and flushing after each 1MB
while(!feof($handle))
{
  $buffer = fread($handle, 1048576);
  echo $buffer;
  @ob_flush();
  @flush();
}
fclose($handle);