1

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

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

谢谢!

4

2 回答 2

6

您可以使用fseek

$fp = fopen('somefile.txt', 'r');
fseek($fp, -50, SEEK_END); // It needs to be negative
$data = fgets($fp, 50);
于 2013-04-21T10:01:22.997 回答
0

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

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);
}
于 2021-01-01T12:09:02.087 回答