从末尾开始读取文件,类似于尾部

时间:2010-12-06 16:52:51

标签: c# file-io

在原生C#中,如何从文件末尾读取?

这是相关的,因为我需要读取一个日志文件,读取10k没有意义,读取最后3行。

4 个答案:

答案 0 :(得分:48)

要读取最后1024个字节:

using (var reader = new StreamReader("foo.txt"))
{
    if (reader.BaseStream.Length > 1024)
    {
        reader.BaseStream.Seek(-1024, SeekOrigin.End);
    }
    string line;
    while ((line = reader.ReadLine()) != null)
    {
        Console.WriteLine(line);
    }
}

答案 1 :(得分:9)

也许这样的事情对你有用:

using (var fs = File.OpenRead(filePath))
{
    fs.Seek(0, SeekOrigin.End);

    int newLines = 0;
    while (newLines < 3)
    {
        fs.Seek(-1, SeekOrigin.Current);
        newLines += fs.ReadByte() == 13 ? 1 : 0; // look for \r
        fs.Seek(-1, SeekOrigin.Current);
    }

    byte[] data = new byte[fs.Length - fs.Position];
    fs.Read(data, 0, data.Length);
}

请注意,这假定为\r\n

答案 2 :(得分:3)

下面的代码使用随机访问FileStream在文件末尾附近的偏移处播种StreamReader,丢弃第一个读取行,因为它很可能只是部分读取行。

FileStream stream = new FileStream(@"c:\temp\build.txt", 
    FileMode.Open, FileAccess.Read);

stream.Seek(-1024, SeekOrigin.End);     // rewind enough for > 1 line

StreamReader reader = new StreamReader(stream);
reader.ReadLine();      // discard partial line

while (!reader.EndOfStream)
{
    string nextLine = reader.ReadLine();
    Console.WriteLine(nextLine);
}

答案 3 :(得分:1)

请查看此related question's answer以反向阅读文本文件。正确地向后读取文件有很多复杂性。