我创建了一个非常简单的控制台应用程序,可以从Web下载大量文件,并将它们放在单独的映射文件后面的文件夹结构中。该要求不要求文件需要异步下载。
该程序有效,但问题是如果有人选择使用ctrl + c或ctrl + break取消应用程序。
如果这样做,当程序立即退出时,正在进行的文件将被破坏。所以我想在退出之前删除损坏的文件。所以我编写了以下处理程序,
static void Console_CancelKeyPress(object sender, ConsoleCancelEventArgs e)
{
try
{
Console.ForegroundColor = ConsoleColor.Yellow;
Console.WriteLine("Program interrupted..deleting corrupted file");
Console.ResetColor();
if (File.Exists(fileInProgress))
{
File.Delete(fileInProgress);
}
}
catch
{
Console.WriteLine("Error occured.");
}
}
fileinprogress
是全局变量,它从调用下载文件的函数更新。
上面代码的问题是如果ctrl + c按下它执行代码但它永远不会删除文件作为正在使用的文件。所以我跟着https://stackoverflow.com/a/937558/714518并试着等到程序发布文件
static void Console_CancelKeyPress(object sender, ConsoleCancelEventArgs e)
{
try
{
Console.ForegroundColor = ConsoleColor.Yellow;
Console.WriteLine("Program interrupted..deleting corrupted file");
Console.ResetColor();
if (File.Exists(fileInProgress))
{
while (IsFileLocked(fileInProgress))
{
System.Threading.Thread.Sleep(1000);
}
File.Delete(fileInProgress);
}
}
catch
{
Console.WriteLine("Error occured.");
}
}
现在我不明白这种行为。现在,如果按下ctrl + c,程序会等待几秒钟,然后在不删除文件的情况下继续下载下一个文件。请帮助摆脱这个问题。
实际应用程序相当大,我只是重新创建了这种情况。有关完整代码,请参阅http://pastebin.com/TRBEAvwi。
答案 0 :(得分:0)
听起来您需要一种方法来发出下载代码信号以停止下载。通过查看此示例,我认为最佳位置可能是在您的Console_CancelKeyPress函数上。否则,您的下载代码将永远不会意识到它需要释放文件锁并停止下载。
例如:
static void Console_CancelKeyPress(object sender, ConsoleCancelEventArgs e)
{
try
{
Interlocked.Increment(ref globalStopFlag);
Console.ForegroundColor = ConsoleColor.Yellow;
Console.WriteLine("Program interrupted..deleting corrupted file");
Console.ResetColor();
if (File.Exists(fileInProgress))
{
while (IsFileLocked(fileInProgress))
{
System.Threading.Thread.Sleep(1000);
}
File.Delete(fileInProgress);
}
}
catch
{
Console.WriteLine("Error occured.");
}
}
void SomeDownloadFunction()
{
using (somefile)
{
while (!downloadFinished)
{
long doINeedToStop = Interlocked.Read(ref globalStopFlag)
if (doINeedToStop != 0)
return;
//Download the next set of packets and write them to somefile
}
}
}