PHP获取文本文件的最后xx个字节?

时间:2013-04-21 09:57:21

标签: php file search

我有一些非常大的文本文件 - 每个100MB包含一个单行字符串(只有1行)。我想从每个中提取最后的xx字节/字符。我知道如何通过在字符串中读取它们然后通过strpos()或substr()进行搜索来实现这一点,但这需要大量的RAM,这对于这么小的动作是不可取的。

在执行搜索之前,有没有其他方法可以在PHP中提取文本文件的最后50个字节/字符?

谢谢!

2 个答案:

答案 0 :(得分:4)

您可以使用fseek

$fp = fopen('somefile.txt', 'r');
fseek($fp, -50, SEEK_END); // It needs to be negative
$data = fgets($fp, 50);

答案 1 :(得分:0)

您可以通过使用第四个参数 offset 来使用 file_get_contents 来做到这一点。

PHP 7.1.0 以上:

在 PHP 7.1.0 中,第四个参数 offset 可以是负数。

// only negative seek if it "lands" inside the file or false will be returned
if (filesize($filename) > 50) {
    $data = file_get_contents($filename, false, null, -50);
}
else {
    $data = file_get_contents($filename);
}

PHP 7.1.0 之前的版本:

$fsz = filesize($filename);
// only negative seek if it "lands" inside the file or false will be returned
if ($fsz > 50) {
    $data = file_get_contents($filename, false, null, $fsz - 50);
}
else {
    $data = file_get_contents($filename);
}