我有几个大小超过30MB
.
我如何从 PHP 中读取如此巨大的文本文件?
除非您需要同时处理所有数据,否则您可以分段读取它们。二进制文件示例:
<?php
$handle = fopen("/foo/bar/somefile", "rb");
$contents = '';
while (!feof($handle)) {
$block = fread($handle, 8192);
do_something_with_block($block);
}
fclose($handle);
?>
上面的例子可能会破坏多字节编码(如果有一个多字节字符跨越 8192 字节边界 - 例如Ǿ
在 UTF-8 中),因此对于具有有意义的结束行(例如文本)的文件,试试这个:
<?php
$handle = fopen("/foo/bar/somefile", "rb");
$contents = '';
while (!feof($handle)) {
$line = fgets($handle);
do_something_with_line($line);
}
fclose($handle);
?>