我有一个脚本echo
在php脚本中输出内容并导致一个非常大的文件,例如100MB
目前我使用以下方式捕获输出并写入另一个文件
ob_start();
require_once 'dynamic_data.php'; // echo 100MB data
$data = ob_get_clean();
file_put_contents($path, $data);
是否有任何简单的方法可以重写上述程序(最好不要触及dynamic_data.php
,因为它很难重新计算)因此它可以直接将输出流式传输到文件而不将内容保存在内存中?
答案 0 :(得分:1)
ob_start
documentation为此提供了一种解决方法。您需要传递$output_callback
和$chunk_size
。
假设您将$chunk_size
设置为1MB。然后每1MB缓冲输出数据,您的$output_callback
将被调用此数据,您可以将其刷新到磁盘(同时隐式刷新输出缓冲区)。
$output_callback = function($data) {
//$buffer contains our 1MB of output
file_put_contents($path, $data);
//return new string buffer
return "";
}
//call $output_callback every 1MB of output buffered.
ob_start($output_callback, 1048576);
require_once 'dynamic_data.php';
//call ob_clean at the end to get any remaining bytes
//(implicitly calls $output_callback final time)
ob_clean();
答案 1 :(得分:0)
您可以使用proc_open
并使用此文件作为参数调用PHP解释器。这不会将数据存储在内存中,但会创建另一个进程。
$descriptorspec = array(
0 => array("pipe", "r"), // stdin is a pipe that the child will read from
1 => array("file", $path, "w"), // stdout is a pipe that the child will write to
2 => array("file", $path, "a") // stderr is a file to write to
);
$process = proc_open('php dynamic_data.php', $descriptorspec, $pipes);
if (is_resource($process)) {
// $pipes now looks like this:
// 0 => writeable handle connected to child stdin
// 1 => readable handle connected to child stdout
// Any error output will be appended to /tmp/error-output.txt
fclose($pipes[0]);
fclose($pipes[1]);
$return_value = proc_close($process);
}
?>