异步等待,直到加载表单后才能继续

本文关键字:继续 表单 加载 等待 异步 | 更新日期: 2023-09-27 18:19:26

我正试图让我的表单等待_Load方法的特定部分完成后再继续。我有一些方法是异步的,但我不明白为什么我不能让代码等到fakeClickCheckUpdate完成后再继续。以下是涉及的主要方法:

public myForm(string args)
{
    InitializeComponent();
    Load += myForm_Load;       
}
private void myForm_Load(object s, EventArgs e)
{
    this.fakeClickCheckUpdate();
    loadFinished = true;
    if (this.needsUpdate == true)
    {
        Console.WriteLine("Needs update...");
    }
    else
    {
        Console.WriteLine("update is false");
    }
}
public void fakeClickCheckUpdate()
{
    this.checkUpdateButton.PerformClick();
}
private async void checkUpdateButton_Click(object sender, EventArgs e)
{
    await startDownload(versionLink, versionSaveTo);
    await checkVersion();
    Console.WriteLine(needsUpdate);
}

private async Task checkVersion()
{
    string currVersion;
    string newVersion;
    using (StreamReader sr = new StreamReader(currVersionTxt))
    {
        currVersion = sr.ReadToEnd();
    }
    using (StreamReader nr = new StreamReader(versionSaveTo))
    {
        newVersion = nr.ReadToEnd();
    }
    if (!newVersion.Equals(currVersion, StringComparison.InvariantCultureIgnoreCase))
    {
        this.BeginInvoke((MethodInvoker)delegate
        {
            progressLabel.Text = "New version available! Please select 'Force Download'";
        });
        this.needsUpdate = true;
    }
    else
    {
        this.BeginInvoke((MethodInvoker)delegate
        {
            progressLabel.Text = "Your version is up-to-date. No need to update.";
        });
        this.needsUpdate = false;
    }

}

基本上,我希望它用checkVersion检查当前版本,并在尝试继续通过myForm_Load中的loadFinished = true之前完成。我把checkVersion设置为异步任务,这样点击按钮就可以在上面使用await。有什么方法可以用这段代码获得我需要的功能吗?

异步等待,直到加载表单后才能继续

首先,将代码从执行单击操作中移出。

private async void checkUpdateButton_Click(object sender, EventArgs e)
{
    await CheckForUpdate();
}
private async Task CheckForUpdate()
{
    await startDownload(versionLink, versionSaveTo);
    await checkVersion();
    Console.WriteLine(needsUpdate);
}

然后,您可以在OnLoad中调用相同的函数。

private async void myForm_Load(object s, EventArgs e)
{
    await CheckForUpdate();
    loadFinished = true;
    if (this.needsUpdate == true)
    {
        Console.WriteLine("Needs update...");
    }
    else
    {
        Console.WriteLine("update is false");
    }
}