我已经尝试了这一点,它完全适用于行。
// output headers so that the file is downloaded rather than displayed
header('Content-type: text/csv');
header('Content-Disposition: attachment; filename="demo.csv"');
// do not cache the file
header('Pragma: no-cache');
header('Expires: 0');
// create a file pointer connected to the output stream
$file = fopen('php://output', 'w');
// send the column headers
fputcsv($file, array('Column 1', 'Column 2', 'Column 3', 'Column 4', 'Column 5'));
// Sample data. This can be fetched from mysql too
$data = array(
array('Data 11', 'Data 12', 'Data 13', 'Data 14', 'Data 15'),
array('Data 21', 'Data 22', 'Data 23', 'Data 24', 'Data 25'),
array('Data 31', 'Data 32', 'Data 33', 'Data 34', 'Data 35'),
array('Data 41', 'Data 42', 'Data 43', 'Data 44', 'Data 45'),
array('Data 51', 'Data 52', 'Data 53', 'Data 54', 'Data 55')
);
// output each row of the data
foreach ($data as $row)
{
fputcsv($file, $row);
}
exit();
但是我希望它像列一样安装。手段,现在是
'Column 1', 'Column 2', 'Column 3', 'Column 4', 'Column 5'
'Data 11', 'Data 12', 'Data 13', 'Data 14', 'Data 15'
'Data 21', 'Data 22', 'Data 23', 'Data 24', 'Data 25'
但我想要这样
'Column 1', 'Column 2', 'Column 3', 'Column 4', 'Column 5'
'Data 11', 'Data 21', 'Data 31', 'Data 41', 'Data 51'
这是可能的还是有任何诀窍呢?提前谢谢。
答案 0 :(得分:0)
一种方法是先组织数组,使所需的结果与嵌套的foreach
循环
$result = []; // Grouped result array
foreach ($data as $value) { // Loop thru each data array
foreach ($value as $k => $v) { // Loop thru each data
$result[$k][] = $v; // Group all elements with same index
}
}
// output each row of the data
foreach ($result as $row) // Loop thru grouped result array
{
fputcsv($file, $row);
}
示例结果数组将是这样的
$result = array (
array ('Data 11', 'Data 21', 'Data 31', 'Data 41', 'Data 51'),
array ('Data 12', 'Data 22', 'Data 32', 'Data 42', 'Data 52'),
array ('Data 13', 'Data 23', 'Data 33', 'Data 43', 'Data 53'),
array ('Data 14', 'Data 24', 'Data 34', 'Data 44', 'Data 54'),
array ('Data 15', 'Data 25', 'Data 35', 'Data 45', 'Data 55')
);