我正在尝试将文本写入我的txt文件。第一次写入后应用程序崩溃并出现错误
无法写入已关闭的TextWriter
我的列表包含浏览器打开的链接,我想将所有链接保存在txt文件中(如日志)。
我的代码:
FileStream fs = new FileStream(
"c:\linksLog.txt", FileMode.Append, FileAccess.Write);
StreamWriter sw = new StreamWriter(fs);
for (int i = 0; i < linksList.Count; i++)
{
try
{
System.Diagnostics.Process.Start(browserType, linksList[i]);
}
catch (Exception) { }
using (sw)
{
sw.WriteLine(linksList[i]);
sw.Close();
}
Thread.Sleep((int)delayTime);
if (!cbNewtab.Checked)
{
try
{
foreach (Process process in Process.GetProcesses())
{
if (process.ProcessName == getProcesses)
{
process.Kill();
}
}
}
catch (Exception) { }
}
}
您处于for
循环中,但在第一次迭代时关闭并处理了StreamWriter
:
using (sw)
{
sw.WriteLine(linksList[i]);
sw.Close();
}
相反,移除该块,并将所有内容封装在一个using
块中:
using (var sw = new StreamWriter(@"C:linksLog.txt", true)) {
foreach (var link in linksList) {
try {
Process.Start(browserType, list);
} catch (Exception) {}
sw.WriteLine(link);
Thread.Sleep((int)delayTime);
if (!cbNewtab.Checked) {
var processes = Process.GetProcessesByName(getProcesses);
foreach (var process in processes) {
try {
process.Kill();
} catch (Exception) {}
}
}
}
}
问题是您正在关闭循环中的Stream,应该只在。。。
FileStream fs = new FileStream("c:\linksLog.txt", FileMode.Append, FileAccess.Write);
StreamWriter sw = new StreamWriter(fs);
for (int i = 0; i < linksList.Count; i++)
{
try
{
System.Diagnostics.Process.Start(browserType, linksList[i]);
}
catch (Exception)
{
}
// Removed the using blocks that closes the stream and placed at the end of loop
sw.WriteLine(linksList[i]);
Thread.Sleep((int)delayTime);
if (!cbNewtab.Checked)
{
try
{
foreach (Process process in Process.GetProcesses())
{
if (process.ProcessName == getProcesses)
{
process.Kill();
}
}
}
catch (Exception)
{ }
}
}
sw.Close();
行
using (sw)
关闭/处置您的StreamWriter
。
由于您正在循环,因此您将处置已处置的StreamWriter
。
在所有写入操作完成后,最好关闭循环外部的StreamWriter
。
此外,捕捉异常并忽略捕捉到的异常几乎总是一个坏主意。如果您无法处理异常,请不要捕获它。
这是因为实际上,您正在循环中间关闭流。中间有using (sw)
块,它在第一次运行for
循环时工作正常,然后崩溃。要修复它,只需放弃sw.Close()
调用,并将using
移动到for
循环之外:
不要在代码中写入sw.Close()
,因为如果文件关闭,代码将无法读取该文件。