이 문서는 PHP 스크립트를 생성하고 다운로드하기 위한 포괄적인 솔루션을 제공하는 것을 목표로 합니다. PHP 배열의 CSV(쉼표로 구분된 값) 파일입니다. 초보 프로그래머라면 이 기능을 구현하는 데 도움이 필요할 수 있습니다.
PHP 배열에서 CSV 라인을 생성하려면 내장된 fputcsv() 함수를 활용할 수 있습니다. 배열을 CSV에 적합한 형식의 문자열로 변환합니다:
$f = fopen("tmp.csv", "w"); foreach ($array as $line) { fputcsv($f, $line); }
브라우저에서 파일 다운로드를 시작하려면 적절한 HTTP 헤더를 보내는 것이 중요합니다. 이러한 헤더 중 하나는 다음과 같습니다.
header('Content-Disposition: attachment; filename="filename.csv";');
이 헤더는 응답에 지정된 파일 이름의 첨부 파일이 포함되어 있음을 브라우저에 알립니다.
CSV 결합 라인 생성 및 HTTP 헤더를 사용하면 CSV 다운로드 기능을 생성할 수 있습니다.
function array_to_csv_download($array, $filename = "export.csv", $delimiter = ";") { // Open a memory file for efficient handling without temporary files. $f = fopen('php://memory', 'w'); // Generate CSV lines and write them to the memory file. foreach ($array as $line) { fputcsv($f, $line, $delimiter); } // Reset the file pointer to begin sending the file. fseek($f, 0); // Set CSV-related HTTP headers. header('Content-Type: text/csv'); header('Content-Disposition: attachment; filename="'. $filename . '";'); // Output the generated CSV lines to the browser for download. fpassthru($f); }
이 기능을 사용하려면 배열과 원하는 파일 이름을 전달하기만 하면 됩니다.
array_to_csv_download(array( array(1, 2, 3, 4), // First row array(1, 2, 3, 4) // Second row ), "numbers.csv");
메모리 파일에 쓰는 대신 다음을 수행할 수 있습니다. 또한 php://output을 파일 설명자로 사용하면 파일을 찾을 필요가 없습니다.
function array_to_csv_download($array, $filename = "export.csv", $delimiter = ";") { header('Content-Type: application/csv'); header('Content-Disposition: attachment; filename="'. $filename . '";'); // Open the php://output stream for direct output. $f = fopen('php://output', 'w'); foreach ($array as $line) { fputcsv($f, $line, $delimiter); } }
위 내용은 PHP 배열에서 프로그래밍 방식으로 CSV 파일을 다운로드하는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!