我正在使用FileStream
将文件锁定为其他进程无法写入,并且还对其进行读写操作,我正在使用以下方法:
public static void ChangeOrAddLine(string newLine, string oldLine = "")
{
string filePath = "C:\\test.txt";
FileMode fm = FileMode.Create;
//FileMode fm = FileMode.OpenOrCreate;
using (FileStream fs = new FileStream(filePath, FileMode.Create, FileAccess.ReadWrite, FileShare.Read))
using (StreamReader sr = new StreamReader(fs))
using (StreamWriter sw = new StreamWriter(fs))
{
List<string> lines = sr.ReadToEnd().Split(new string[] { "\r\n" }, StringSplitOptions.None).ToList();
bool lineFound = false;
if (oldLine != "")
for (int i = 0; i < lines.Count; i++)
if (lines[i] == oldLine)
{
lines[i] = newLine;
lineFound = true;
break;
}
if (!lineFound)
lines.Add(newLine);
sw.Write(string.Join("\r\n", lines));
}
}
我想用新内容覆盖它,但我找不到正确的FileMode
,使用FileMode.OpenOrCreate
只需将新内容附加到旧内容,FileMode.Create
删除文件 - 当时的内容,FileStream
fm已初始化,因此文件为空。
我需要清除旧内容,此时我将新内容写入其中,而不会在方法运行期间丢失对其的写入锁定。
答案 0 :(得分:1)
OpenOrCreate只是追加......
因为你在阅读后没有重新定位。
这也显示了您的方法的主要问题:FileStream只有一个Position,而Reader和Writer大量使用缓存。
但是,只要您想要替换所有内容并且确实需要锁定方案:
using (FileStream fs = new FileStream(filePath,
FileMode.OpenOrCreate, FileAccess.ReadWrite, FileShare.Read))
{
using (StreamReader sr = new StreamReader(fs))
{
... // all the reading
}
fs.Position = 0;
using (StreamWriter sw = new StreamWriter(fs))
{
sw.Write(string.Join("\r\n", lines));
}
fs.SetLength(fs.Position); // untested, something along this line
}
也许你必须说服sw和sr打开他们的小溪。
但我必须指出FileShare.Read
标志在这种情况下没有多大意义。读者可以看到各种不一致的数据,包括撕裂的线条和破碎的UTF8字符。