Question: Is it possible to use php://memory on a exec or passthru command?
I can use php variables in the exec or passthru with no problem, but I am having trouble with php://memory
background:
I am trying to eliminate all of my temporary pdf file writing with PDFTK.
1)I am writing an temporary fdf file
2) form-fill a temporary pdf file using #1
3) repeat #1 and #2 for all the pdfs
4) merge all pdf's together.
This currently works - but it creates a lot of files, and is the bottleneck.
I would like to speed things up with pdftk by making use of the virtual file php://memory
First, I am trying to just virtualize the fdf file used in #1.
Answering this alone is enough for a 'correct answer'. :)
The code is as follows:
$fdf = 'fdf file contents here';
$tempFdfVirtual= fopen("php://memory", 'r+');
if( $tempFdfVirtual ) {
fwrite( $tempFdfVirtual, $fdf);
} else {
echo "Failure to open temporary fdf file";
exit;
}
rewind( $tempFdfVirtual);
$url = "unfilled.pdf";
$temppdf_fn = "output.pdf";
$command = "pdftk $url fill_form $tempFdfVirtual output $temppdf_fn flatten";
$error="";
exec( $command, $error );
if ($error!="") {
$_SESSION['err'] = $error;
} else {
$_SESSION['err'] = 0;
}
I am getting an errorcode #1. If I do a stream_get_contents($tempFdfVirtual), it shows the contents.
Thanks for looking!
php://memory
andphp://temp
(and in fact any file descriptor) are only available to the currently-running php process. Besides,$tempFdfVirtual
is a resource handle so it makes no sense to put it in a string.You should pass the data from your resource handle to the process through its standard-in. You can do this with
proc-open
, which gives you more control over input and output to the child process thanexec
.Note that for some reason, you can't pass a 'php://memory' file descriptor to a process. PHP will complain:
Use
php://temp
instead, which is supposed to be exactly the same except it will use a temporary file once the stream gets big enough.This is a tested example that illustrates the general pattern of code that uses
proc_open()
. This should be wrapped up in a function or other abstraction:Untested Example specific to your use of PDFTK: