web-dev-qa-db-ja.com

PHPExcelを使用してhtmlテーブルをExcelにエクスポートする方法は?

ブラウザごとに異なる標準を扱うのは難しいので、jsまたはjQueryを使用してhtmlテーブルをエクスポートすることを諦めます。 POST htmlのテーブルをサーバーに戻し、ユーザーがダウンロードできるようにサーバー上に.xlsファイルを生成できるかどうか疑問に思います。

PHPExcelを使用するサーバー側では、私のコードは次のようになります。

$filename = "DownloadReport";
$table = $_POST['table'];

ini_set('zlib.output_compression','Off'); 
header("Pragma: public");
header("Expires: 0");
header("Cache-Control: must-revalidate, post-check=0, pre-check=0");
header("Content-Type: application/force-download");
header("Content-Type: application/octet-stream");
//the folowing two lines make sure it is saved as a xls file
header('Content-type: application/vnd.ms-Excel');
header('Content-Disposition: attachment; filename='.$filename);

$objReader = PHPExcel_IOFactory::createReader('HTML');
$objPHPExcel = $objReader->load($table);

$objWriter = PHPExcel_IOFactory::createWriter($objPHPExcel, 'Excel2007');
$objWriter->save('php://output');

exit;

問題は、htmlテーブルを直接ロードできないことです。どうすればそれに対処できますか?

そしてもう1つの質問は、phpでヘッダーを設定しているので、ボタンをクリックしてもファイルがダウンロードされないということです。実際、POST応答のヘッダーのすべての属性と、応答の内容(FireBug内)を表示できます。これらはすべて正しいです。

8
Yongyiw

コンテンツを$objPHPExcelに直接配置するには、ワークシートを作成してから、セルごとに値を設定する必要がありますが、これは必要なことではありません。

HTMLテーブル全体を挿入するには、HTMLReaderから読み取る必要があります。

以下のコードでは、Writerを使用してコンテンツをファイルに出力します

$filename = "DownloadReport";
$table    = $_POST['table'];

// save $table inside temporary file that will be deleted later
$tmpfile = tempnam(sys_get_temp_dir(), 'html');
file_put_contents($tmpfile, $table);

// insert $table into $objPHPExcel's Active Sheet through $excelHTMLReader
$objPHPExcel     = new PHPExcel();
$excelHTMLReader = PHPExcel_IOFactory::createReader('HTML');
$excelHTMLReader->loadIntoExisting($tmpfile, $objPHPExcel);
$objPHPExcel->getActiveSheet()->setTitle('any name you want'); // Change sheet's title if you want

unlink($tmpfile); // delete temporary file because it isn't needed anymore

header('Content-Type: application/vnd.openxmlformats-officedocument.spreadsheetml.sheet'); // header for .xlxs file
header('Content-Disposition: attachment;filename='.$filename); // specify the download file name
header('Cache-Control: max-age=0');

// Creates a writer to output the $objPHPExcel's content
$writer = PHPExcel_IOFactory::createWriter($objPHPExcel, 'Excel2007');
$writer->save('php://output');
exit;
13