编程语言
首页 > 编程语言> > 使用PHPWord自动下载文件附件

使用PHPWord自动下载文件附件

作者:互联网

我正在尝试使用PHPWord生成word文档.并且可以成功生成文档.但是有一个问题是我生成的word文档将保存在服务器上.我怎样才能立即下载?

样品:

$PHPWord = new PHPWord();
//Searching for values to replace
$document = $PHPWord->loadTemplate('doc/Temp1.docx');
$document->setValue('Name', $Name);
$document->setValue('No', $No);
$document->save('php://output'); //it auto save into my 'doc' directory.

我如何链接到标题下载它如下:

header("Content-Disposition: attachment; filename='php://output'"); //not sure how to link this filename to the php://output..

好心提醒.

解决方法:

php://output是一个只写流,写入您的屏幕(如echo).

所以,$document-> save(‘php:// output’);不会将文件保存在服务器上的任何位置,它只会将其回显.

似乎,$document-> save,不支持流包装器,因此它实际上创建了一个名为“php:// output”的文件.尝试使用另一个文件名(我建议一个临时文件,因为你只想回应它).

$temp_file = tempnam(sys_get_temp_dir(), 'PHPWord');
$document->save($temp_file);

在标题中,文件名字段是PHP告诉浏览器文件被命名的内容,它不必是服务器上文件的名称.它只是浏览器将其保存为的名称.

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

所以,把它们放在一起:

$PHPWord = new PHPWord();
//Searching for values to replace
$document = $PHPWord->loadTemplate('doc/Temp1.docx');
$document->setValue('Name', $Name);
$document->setValue('No', $No);
// // save as a random file in temp file
$temp_file = tempnam(sys_get_temp_dir(), 'PHPWord');
$document->save($temp_file);

// Your browser will name the file "myFile.docx"
// regardless of what it's named on the server 
header("Content-Disposition: attachment; filename='myFile.docx'");
readfile($temp_file); // or echo file_get_contents($temp_file);
unlink($temp_file);  // remove temp file

标签:php,phpword
来源: https://codeday.me/bug/20191001/1840210.html