我运行一个方法,其中三个部分,第一部分和第三部分都与#34;读取文本文件",
和part2是将字符串保存到文本文件,
// The Save Path is the text file's Path, used to read and save
// Encode can use Encoding.Default
public static async void SaveTextFile(string StrToSave, string SavePath, Encoding ENCODE)
{
// Part1
try
{
using (StreamReader sr = new StreamReader(SavePath, ENCODE))
{
string result = "";
while (sr.EndOfStream != true)
result = result + sr.ReadLine() + "\n";
MessageBox.Show(result);
}
}
catch (Exception e)
{
Console.WriteLine(e);
}
// Part2
try
{
using (FileStream fs = new FileStream(SavePath, FileMode.Create))
{
using (StreamWriter sw = new StreamWriter(fs, ENCODE))
{
await sw.WriteAsync(StrToSave);
await sw.FlushAsync();
sw.Close();
}
MessageBox.Show("Save");
fs.Close();
}
}
// The Run End Here And didn't Continue to Part 3
catch (Exception e)
{
Console.WriteLine(e);
}
// Part3
try
{
using (StreamReader sr = new StreamReader(SavePath, ENCODE))
{
string result = "";
while (sr.EndOfStream != true)
result = result + sr.ReadLine() + "\n";
MessageBox.Show(result);
}
}
catch (Exception e)
{
Console.WriteLine(e);
}
}
但我觉得奇怪的是,这个过程在Part2完成的地方结束,并且过程直接结束但是没有继续Part3,
这种情况的原因是什么?一般来说,这个过程应该通过整个方法,但不应该停留在中间
(还有一个问题) 有没有其他方法可以达到part2的目的,还可以继续part3来完善整个方法?
答案 0 :(得分:2)
可能是因为您正在编写异步void方法,并且您在第2部分中调用了一些异步方法。尝试将第2部分中的异步方法更改为非异步方法:
using (StreamWriter sw = new StreamWriter(fs, ENCODE))
{
sw.Write(StrToSave);
sw.Flush(); // Non-async
sw.Close(); // Non-async
}
它的表现如你所愿吗?
答案 1 :(得分:1)
问题是你告诉你的应用程序await
方法,但永远不会得到任务结果或给它一个完成的机会。从你到目前为止所展示的内容来看,无论如何都不需要异步内容,极大简化代码:
public static void SaveTextFile(string StrToSave, string SavePath, Encoding ENCODE)
{
//Part1
try
{
MessageBox.Show(File.ReadAllText(SavePath, ENCODE));
}
catch (Exception e)
{
Console.WriteLine(e);
}
//Part2
try
{
File.WriteAllText(SavePath, StrToSave, ENCODE);
MessageBox.Show("Save");
}
catch (Exception e)
{
Console.WriteLine(e);
}
//Part3
try
{
MessageBox.Show(File.ReadAllText(SavePath, ENCODE));
}
catch (Exception e)
{
Console.WriteLine(e);
}
}