파일 다운로드용 HTTP 응답 헤더
PHP에서 파일 다운로드를 처리할 때 브라우저에 다음을 지시하도록 적절한 HTTP 헤더를 설정하는 것이 중요합니다. 브라우저에 파일을 표시하는 대신 다운로드를 시작합니다. 고려해야 할 필수 헤더 중 하나는 "Content-Type"입니다.
"Content-Type"의 중요성
"Content-Type" 헤더 설정이 중요합니다 어떤 경우에는 일부 사용자가 잘못된 파일 형식 식별을 경험했다고 보고했습니다. "Content-Type"을 지정하지 않으면 브라우저가 기본 가정에 의존하여 부적절한 파일 처리를 초래할 수 있습니다.
일반 파일 유형
가능하지만 다양한 파일 확장자에 대한 MIME 유형을 하드 코딩하는 경우, 보다 다양한 솔루션은 알려진 MIME 유형 배열을 사용하여 파일 확장자를 기반으로 MIME 유형을 동적으로 결정하는 것입니다. 이 접근 방식을 사용하면 프로세스가 단순화되고 광범위한 하드코딩이 필요하지 않습니다.
성능 최적화
제공된 코드 조각에서 직면한 성능 문제를 해결하려면 파일을 검사하는 것이 좋습니다. 파일을 읽는 데 사용되는 크기와 청크 크기입니다. 파일 크기가 크고 청크 크기가 상대적으로 작은 경우 브라우저의 다운로드 대화 상자가 나타날 때 상당한 지연이 발생할 수 있습니다. 성능을 향상하려면 더 큰 청크 크기를 사용하는 것이 좋습니다.
업데이트된 코드
다음은 앞서 언급한 문제를 해결하는 제공된 코드의 최적화된 버전입니다.
/** * Outputs the specified file to the browser. * * @param string $filePath the path to the file to output * @param string $fileName the name of the file * @param string $mimeType the type of file */ function outputFile($filePath, $fileName, $mimeType = '') { // Setup $mimeTypes = array( 'pdf' => 'application/pdf', 'txt' => 'text/plain', 'html' => 'text/html', 'exe' => 'application/octet-stream', 'zip' => 'application/zip', 'doc' => 'application/msword', 'xls' => 'application/vnd.ms-excel', 'ppt' => 'application/vnd.ms-powerpoint', 'gif' => 'image/gif', 'png' => 'image/png', 'jpeg' => 'image/jpg', 'jpg' => 'image/jpg', 'php' => 'text/plain' ); $fileSize = filesize($filePath); $fileName = rawurldecode($fileName); $fileExt = ''; // Determine MIME Type if($mimeType == '') { $fileExt = strtolower(substr(strrchr($filePath, '.'), 1)); if(array_key_exists($fileExt, $mimeTypes)) { $mimeType = $mimeTypes[$fileExt]; } else { $mimeType = 'application/force-download'; } } // Disable Output Buffering @ob_end_clean(); // IE Required if(ini_get('zlib.output_compression')) { ini_set('zlib.output_compression', 'Off'); } // Send Headers header('Content-Type: ' . $mimeType); header('Content-Disposition: attachment; filename="' . $fileName . '"'); header('Content-Transfer-Encoding: binary'); header('Accept-Ranges: bytes'); // Send Headers: Prevent Caching of File header('Cache-Control: private'); header('Pragma: private'); header('Expires: Mon, 26 Jul 1997 05:00:00 GMT'); // Multipart-Download and Download Resuming Support if(isset($_SERVER['HTTP_RANGE'])) { list($a, $range) = explode('=', $_SERVER['HTTP_RANGE'], 2); list($range) = explode(',', $range, 2); list($range, $rangeEnd) = explode('-', $range); $range = intval($range); if(!$rangeEnd) { $rangeEnd = $fileSize - 1; } else { $rangeEnd = intval($rangeEnd); } $newLength = $rangeEnd - $range + 1; // Send Headers header('HTTP/1.1 206 Partial Content'); header('Content-Length: ' . $newLength); header('Content-Range: bytes ' . $range - $rangeEnd / $fileSize); } else { $newLength = $fileSize; header('Content-Length: ' . $fileSize); } // Output File $chunkSize = 8 * (1024*1024); $bytesSend = 0; if($file = fopen($filePath, 'r')) { if(isset($_SERVER['HTTP_RANGE'])) { fseek($file, $range); while(!feof($file) && !connection_aborted() && $bytesSend < $newLength) { $buffer = fread($file, $chunkSize); echo $buffer; flush(); $bytesSend += strlen($buffer); } fclose($file); } } }
결론
적절한 "Content-Type"을 설정하고 파일 읽기 및 출력을 최적화함으로써 이 업데이트된 코드는 PHP 스크립트에서 처리하는 파일 다운로드의 성능과 안정성을 향상시켜야 합니다. .
위 내용은 올바른 HTTP 헤더를 설정하면 PHP의 다운로드 경험이 어떻게 향상됩니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!