我能够通过输入表单Stephen Cleary解决问题。请参阅更新3。
我有一个Windows窗体应用程序,它有一个带有async修饰符的方法。如果在按钮的click事件中调用该方法,则它不会阻止UI线程。但是,当我在计时器内调用它作为回调时,它会冻结UI。我无法弄清楚我在这里做错了什么。请看下面我的代码。这只是一个用于演示目的的示例项目。
public Form1()
{
InitializeComponent();
}
private async void formCloseAsync()
{
shutdown stf = new shutdown();
stf.StartPosition = FormStartPosition.CenterScreen;
stf.Show();
var task = Task.Factory.StartNew(processClose);
await task;
}
private void processClose()
{
Thread.Sleep(5000);
Environment.Exit(1);
}
private void simpleButtonAsync_Click(object sender, EventArgs e)
{
formCloseAsync();
}
private void _simpleButtonTimer_Click(object sender, EventArgs e)
{
Timer _shutdownTimer = new Timer(delegate
{
formCloseAsync();
}, null, 5000, Timeout.Infinite);
}
更新1: 谢谢大家的宝贵意见。请参阅下面的更新代码
public Form1()
{
InitializeComponent();
}
private Timer _shutdownTimer;
private void formCloseAsync()
{
shutdown stf = new shutdown();
stf.StartPosition = FormStartPosition.CenterScreen;
stf.Show();
Task.Run(async ()=>
{
await Task.Delay(5000);
Environment.Exit(1);
}
);
}
private void simpleButtonAsync_Click(object sender, EventArgs e)
{
formCloseAsync();
}
private void _simpleButtonTimer_Click(object sender, EventArgs e)
{
_shutdownTimer = new Timer(async delegate
{
formCloseAsync();
}, null, 0, Timeout.Infinite);
}
但是我仍然有同样的问题。在计时器回调中调用时,shutdown stf被阻止。主UI是好的。没问题。我只是希望关闭(stf)GUI在从定时器回调创建时响应。关闭GUI有一个进度条。
更新3:
这是最终代码
public partial class Form1 : Form
{
readonly shutdown _stf = new shutdown();
public Form1()
{
InitializeComponent();
}
private Timer _shutdownTimer;
private async Task formCloseAsync()
{
try
{
BeginInvoke(new MethodInvoker(delegate
{
_stf.StartPosition = FormStartPosition.CenterScreen;
_stf.Show();
}));
await Task.Run( async () =>
{
await Task.Delay(5000);
});
}
catch (Exception ex)
{
MessageBox.Show(ex.ToString());
}
finally
{
Environment.Exit(1);
}
}
private void simpleButtonAsync_Click(object sender, EventArgs e)
{
formCloseAsync();
}
private void _simpleButtonTimer_Click(object sender, EventArgs e)
{
_shutdownTimer = new Timer(async delegate
{
formCloseAsync();
}, null, 0, Timeout.Infinite);
}
private async void Form1_FormClosing(object sender, FormClosingEventArgs e)
{
e.Cancel = true;
await formCloseAsync();
}
答案 0 :(得分:5)
改为使用Task.Delay
:
await Task.Delay(5000);
由于Thread.Sleep
实际上阻止了当前线程,因此不应在异步方法中使用。
您可以在此处找到有关此内容的更多信息:When to use Task.Delay, when to use Thread.Sleep?
答案 1 :(得分:1)
但是,当我在计时器内将其称为回调时,会冻结UI。
您无法从后台线程访问UI元素(我猜stf.Show();
正在显示对话框)。最简单的解决方法可能是将System.Threading.Timer
替换为Windows.Forms.Timer
。
其他说明:
StartNew
;请改用Task.Run
。请参阅我的博文StartNew
is dangerous。async void
。请参阅我的MSDN文章Best Practices in Asynchronous Programming。