通过 PHP 脚本将文件从 FTP 服务器下载到带有 Content-Length 标头的浏览器,而无需将文件存储在 Web 服务器上

我使用此代码从 ftp 将文件下载到内存:

I use this code to download a file to memory from ftp:

public static function getFtpFileContents($conn_id , $file)
{
    ob_start();
    $result = ftp_get($conn_id, "php://output", $file, FTP_BINARY);
    $data = ob_get_contents();
    ob_end_clean();
    if ($resul)
        return $data;
    return null;
}

如何让它直接将文件发送给用户(浏览器)而不保存到磁盘并且不重定向到 ftp 服务器?

How can I make it directly send the file to the user (browser) without saving to disk and without redirecting to the ftp server ?

推荐答案

只需去掉输出缓冲(ob_start() 等).

Just remove the output buffering (ob_start() and the others).

只用这个:

ftp_get($conn_id, "php://output", $file, FTP_BINARY);

<小时>

虽然如果要添加 Content-Length 标头,则必须先使用 ftp_size 查询文件大小:


Though if you want to add Content-Length header, you have to query file size first using ftp_size:

$conn_id = ftp_connect("ftp.example.com");
ftp_login($conn_id, "username", "password");
ftp_pasv($conn_id, true);

$file_path = "remote/path/file.zip";
$size = ftp_size($conn_id, $file_path);

header("Content-Type: application/octet-stream");
header("Content-Disposition: attachment; filename=" . basename($file_path));
header("Content-Length: $size"); 

ftp_get($conn_id, "php://output", $file_path, FTP_BINARY);

(添加错误处理)

有关更广泛的背景,请参阅:
列出并从 FTP 下载点击的文件

相关文章