同时访问文件
读取由另一个程序主动写入的文件是一个独特的挑战。 标准文件读取方法经常失败,抛出指示文件锁定状态的异常。
并发文件访问解决方案
要成功读取这样的文件,您需要一个适应并发访问的策略。 常见的解决方案是以允许读取和写入的模式打开文件。
C#/.NET 中的实现
以下 C# 代码片段使用 FileStream
和 StreamReader
演示了此方法:
<code class="language-csharp">using System; using System.IO; namespace ConcurrentFileReader { class Program { static void Main(string[] args) { string filePath = "c:\test.txt"; // Open the file for reading and writing concurrently FileStream fileStream = new FileStream(filePath, FileMode.Open, FileAccess.Read, FileShare.ReadWrite); StreamReader reader = new StreamReader(fileStream); // Read and process the file line by line while (!reader.EndOfStream) { string line = reader.ReadLine(); // Process the line Console.WriteLine(line); } // Close resources reader.Close(); fileStream.Close(); } } }</code>
关键是FileShare.ReadWrite
。这可确保文件以共享模式打开,从而允许同时进行读写操作而不会中断。 该程序现在可以读取文件的内容,同时另一个进程继续写入该文件。 请注意,读取的数据可能不完整或仅反映给定时刻文件内容的一部分,具体取决于写入过程的活动。
以上是如何读取另一个程序正在使用的文件?的详细内容。更多信息请关注PHP中文网其他相关文章!