如何创建一个文件,如果它不存在,并添加新的文本
本文关键字:不存在 文本 添加 如果 文件 何创建 创建 一个 | 更新日期: 2023-09-27 18:16:52
我的代码可以很好地创建一个不存在的文件并插入新的文本,或者如果文件已经存在,它会重写当前的内容。
path = @"C:'MY FOLDER'data.txt";
FileStream fileS = null;
bool done = false;
while (!done)
{
done = true;
try
{
FileStream fileStream = File.Open(path, FileMode.OpenOrCreate);
fileStream.SetLength(0);
fileStream.Close();
fileS = File.OpenWrite(path);
}
catch (IOException ex)
{
done = false;
// Thread.Sleep(3);
}
}
using (StreamWriter fs = new StreamWriter(fileS))
{
fs.Write(textA);
fs.Close();
};
fileS.Dispose();
现在我需要改变它,所以它不再重写内容,而是添加新的文本到以前的内容。其次,我需要知道文件是否完全为空,在这种情况下插入textA
,或者如果已经有一些内容,在这种情况下添加textB
。
试试这个
string path = @"Your File Path";
bool done = false;
while (!done)
{
done = true;
try
{
FileStream fileStream = null;
fileStream = File.Open(path, File.Exists(path) ? FileMode.Append : FileMode.OpenOrCreate);
using (StreamWriter fs = new StreamWriter(fileStream))
{
fs.WriteLine(fileStream.Length == 0 ? "Text A" : "Text B");
};
fileStream.Close();
}
catch (IOException)
{
done = false;
}
}
你可以试试这样做:
while (!done)
{
done = true;
try
{
FileStream fileStream;
if (File.Exists(path))
{
fileStream = File.Open(path, FileMode.Append);
}
else
{
fileStream = File.Open(path, FileMode.OpenOrCreate);
}
if (fileStream.Length == 0)
{
//write textA
}
else
{
//write textB
}
fileStream.Close();
}
catch (IOException ex)
{
done = false;
}
}
你就快成功了!神奇的词是AppendText(string)
var path = @"C:'MY FOLDER'data.txt";
//Create the file if it doesn't exist
if (!File.Exists(path))
{
using (var sw = File.CreateText(path))
{
sw.WriteLine("Hello, I'm a new file!!");
// You don't need this as the using statement will close automatically, but it does improve readability
sw.Close();
}
}
using (var sw = File.AppendText(path))
{
for (int i = 0; i < 10; i++)
{
sw.WriteLine(string.Format("Line Number: {0}", i));
}
}
您不需要将sw.Close();
与using(StreamWriter){}
块结合使用,因为流将自动关闭,但它确实从一开始就提高了可读性。
另外,当StreamWriter关闭时,它会同时自动Dispose()
(参见下面的代码片段),所以自己调用Dispose()是不必要的。
public override void Close()
{
this.Dispose(true);
GC.SuppressFinalize(this);
}
使用File类有一种更简单的方法(正如Equalsk所评论的)。
文件。AppendAllText(String, String) documentation
var path = @"C:'MY FOLDER'data.txt";
var textA = "textA";
var textB = "textB";
// Check if file exists
if (File.Exists(path))
{
// Check if file is empty or not
if (new FileInfo(path).Length == 0)
{
// If empty, write:
File.AppendAllText(path, textA + Environment.NewLine);
}
else
{
// I not empty, write (appends text):
File.AppendAllText(path, textB + Environment.NewLine);
}
}
else
{
// If file not exist, create it and write
File.AppendAllText(path, textA + Environment.NewLine);
}