使用PHP 串流大檔案
當處理超出PHP 記憶體限制的大檔案時,有必要將檔案直接串流傳輸到PHP用戶的瀏覽器,而不將其完全載入到記憶體中。這種技術可以有效地處理大數據,而不會導致記憶體耗盡問題。
串流檔案的一種方法是使用 file_get_contents() 函數。然而,這種方法需要將整個檔案載入到記憶體中,這對於大檔案來說是不可行的。
為了克服這個限制,我們可以實作分塊方法,將檔案分成更小的區塊並進行串流依序。以下是建議的方法:
define('CHUNK_SIZE', 1024*1024); // Size (in bytes) of tiles chunk // Read a file and display its content chunk by chunk function readfile_chunked($filename, $retbytes = TRUE) { $buffer = ''; $cnt = 0; $handle = fopen($filename, 'rb'); if ($handle === false) { return false; } while (!feof($handle)) { $buffer = fread($handle, CHUNK_SIZE); echo $buffer; ob_flush(); flush(); if ($retbytes) { $cnt += strlen($buffer); } } $status = fclose($handle); if ($retbytes && $status) { return $cnt; // return num. bytes delivered like readfile() does. } return $status; } if (/* User is logged in */) { $filename = 'path/to/your/file'; $mimetype = 'mime/type'; header('Content-Type: '.$mimetype); readfile_chunked($filename); } else { echo 'Access denied.'; }
在此程式碼中,readfile_chunked() 函數將檔案分割成 1MB 的區塊,並將每個區塊傳送到使用者的瀏覽器。刷新輸出緩衝區可確保立即傳送區塊,而無需等待讀取整個檔案。
透過實作此方法,您可以有效地將大檔案串流傳輸給用戶,而不會遇到記憶體問題。
以上是如何在 PHP 中傳輸大檔案而不超出記憶體限制?的詳細內容。更多資訊請關注PHP中文網其他相關文章!