C# 读写文件时抛出异常“System.IO.IOException: 文件“xxx”正由另一进程使用,因此该进程”

问题描述

A程序不断的将日志信息追加到日志文件的末尾,B程序不断的从日志文件中读取最后一行(使用File.ReadLines(string path)方法)。
在B程序读取的同时A程序执行写入,报出如下错误信息:

System.IO.IOException: 文件“xxx”正由另一进程使用,因此该进程无法访问此文件。

解决方法

因为需要按行读取数据,所以采用File.ReadLines(string path)方法,但该方法在读取时会锁住文件不让A程序继续写入。若不想禁止对文件的写入,应使用如下参数创建文件流:

new FileStream(fileName, FileMode.Open, FileAccess.Read, FileShare.ReadWrite);

如此以来,改写一个ReadLines方法就好:

public static IEnumerable<string> ReadLines(string path,Encoding encode = null)
{
    using (var fs = new FileStream(path, FileMode.Open, FileAccess.Read, FileShare.ReadWrite, 0x1000, FileOptions.SequentialScan))
    using (var sr = new StreamReader(fs, encode ?? Encoding.UTF8))
    {
        string line;
        while ((line = sr.ReadLine()) != null)
        {
            yield return line;
        }
    }
}

推荐资料

FileShare枚举的使用(文件读写锁) :https://www.cnblogs.com/jhxk/articles/2628235.html
作者对FileModeFileAccessFileShare三个枚举的使用做了详尽的测试,推荐阅读。

你可能感兴趣的:(c#,读写锁,文件锁,C#,日志)