如何从php脚本创建和下载csv文件?

2022-08-30 07:19:00

我是一名新手程序员,我搜索了很多关于我的问题,但找不到有用的解决方案或教程。

我的目标是我有一个PHP数组,数组元素显示在页面上的列表中。

我想添加一个选项,以便如果用户愿意,他/她可以创建一个包含数组元素的CSV文件并下载它。

我不知道该怎么做。我也搜索了很多。但还没有找到任何有用的资源。

请为我提供一些教程或解决方案或建议,以便自己实现它。由于我是新手,请提供易于实施的解决方案。

我的数组看起来像这样:

Array
(
    [0] => Array
        (
            [fs_id] => 4c524d8abfc6ef3b201f489c
            [name] => restaurant
            [lat] => 40.702692
            [lng] => -74.012869
            [address] => new york
            [postalCode] => 
            [city] => NEW YORK
            [state] => ny
            [business_type] => BBQ Joint
            [url] => 
        )

)

答案 1

您可以使用数组的内置 fputcsv() 从数组生成正确的 csv 行,因此您必须循环并收集这些行,如下所示:

$f = fopen("tmp.csv", "w");
foreach ($array as $line) {
    fputcsv($f, $line);
}

要使浏览器提供“另存为”对话框,您必须像这样发送HTTP标头(在rfc中查看有关此标头的更多信息):

header('Content-Disposition: attachment; filename="filename.csv";');

把它们放在一起:

function array_to_csv_download($array, $filename = "export.csv", $delimiter=";") {
    // open raw memory as file so no temp files needed, you might run out of memory though
    $f = fopen('php://memory', 'w'); 
    // loop over the input array
    foreach ($array as $line) { 
        // generate csv lines from the inner arrays
        fputcsv($f, $line, $delimiter); 
    }
    // reset the file pointer to the start of the file
    fseek($f, 0);
    // tell the browser it's going to be a csv file
    header('Content-Type: text/csv');
    // tell the browser we want to save it instead of displaying it
    header('Content-Disposition: attachment; filename="'.$filename.'";');
    // make php send the generated csv lines to the browser
    fpassthru($f);
}

你可以像这样使用它:

array_to_csv_download(array(
  array(1,2,3,4), // this array is going to be the first row
  array(1,2,3,4)), // this array is going to be the second row
  "numbers.csv"
);

更新:
除了,您还可以使用 php://output 作为文件描述符,并取消搜索等:php://memory

function array_to_csv_download($array, $filename = "export.csv", $delimiter=";") {
    header('Content-Type: application/csv');
    header('Content-Disposition: attachment; filename="'.$filename.'";');

    // open the "output" stream
    // see http://www.php.net/manual/en/wrappers.php.php#refsect2-wrappers.php-unknown-unknown-unknown-descriptioq
    $f = fopen('php://output', 'w');

    foreach ($array as $line) {
        fputcsv($f, $line, $delimiter);
    }
}   

答案 2

我没有足够的声誉来回复@complex857解决方案。它工作得很好,但我不得不添加;在内容处置标头的末尾。没有它,浏览器会在文件名的末尾添加两个破折号(例如,而不是“导出.csv”,文件被保存为“导出.csv--”)。它可能尝试清理标题行末尾的 \r\n。

正确的行应如下所示:

header('Content-Disposition: attachment;filename="'.$filename.'";');

如果 CSV 中有 UTF-8 字符,则必须通过更改内容类型行将编码更改为 UTF-8:

header('Content-Type: application/csv; charset=UTF-8');

另外,我发现使用rewind()而不是fseek()更优雅:

rewind($f);

感谢您的解决方案!


推荐