生成和触发下载对话框的方法不正确。无法从后台进程(AJAX调用)启动对话框(下载)
我试图在单击按钮时创建/下载CSV文件。当我只是尝试创建CSV时,代码可以正常运行,如下所示:
Drupal按钮:
$form['Export'] = array(
'#type' => 'submit',
'#value' => t('Export'),
"#ajax" => array(
"callback" => "export_csv",
),
处理代码:
$out = fopen('filename.csv', 'w');
//processing to create file csv
fputcsv($out, $info, ";");
fclose($out);
csv文件已创建并存储在根目录中。
但是,当我尝试添加标头时,以下代码会失败,并出现ajax错误且没有调试信息
$fichier = 'inscriptions.csv';
header( "Content-Type: text/csv;charset=utf-8" );
header( "Content-Disposition: attachment;filename=\"$fichier\"" );
header("Pragma: no-cache");
header("Expires: 0");
$out = fopen('php://output', 'w');
//processing to create file csv
fputcsv($out, $info, ";");
fclose($out);
答案 0 :(得分:2)
如@misorude注释中所述-不要尝试从后台请求触发下载,而应采用Drupal方式。
假设您没有my_export_module。
在hook_menu中
//(...)
//export download csv
$items['export/download-csv'] = array(
'page callback' => 'my_export_module_download_csv',
'delivery callback' => 'my_export_module_deliver_csv',
'type' => MENU_CALLBACK,
);
在my_export_module_download_csv
函数中。假设$input
是要导出的二维数组。
//(...)
//generate csv
//open tmp stream
$f = fopen('php://temp', 'w');
foreach ($input as $input_line) {
if (is_array($input_line)) {
fputcsv($f, $input_line, $delimiter);
}
}
fclose($f);
return array(
'name' => $output_file_name,
);
最后是my_export_module_deliver_csv
函数
function my_export_module_deliver_csv($var = NULL) {
drupal_add_http_header('Content-Encoding', 'UTF-8');
drupal_add_http_header('Content-Type', 'application/csv;charset=UTF-8');
if (isset($var['name'])) {
drupal_add_http_header('Content-Disposition', 'attachment; filename="' . $var['name'] . '";');
}
if (isset($var['file'])) {
echo $var['file'];
}
}
这种方式不是将文件存储在服务器上,而是在输入export / download-csv时应触发下载。