VAAA
VAAA

Reputation: 15039

How to know if an async method is running

I have a button that on click event goes and get data from server and displays that on a grid.

The code is like below:

private void btnSearch_Click(object sender, EventArgs e)
{
    // Here I should do something in order to know if the async ProcessSearch method is busy..
    // if not busy then I will execute it if not then I will return.
    // shows loading animation
    ShowPleaseWait(Translate("Searching data. Please wait..."));
    ProcessSearch();
}

private async void ProcessSearch()
{
    Data.SeekWCF seekWcf = new Data.SeekWCF();
    _ds = await seekWcf.SearchInvoiceAdminAsync(new Guid(cboEmployer.Value.ToString()), new Guid(cboGroup.Value.ToString()), txtSearchInvoiceNumber.Text, chkSearchLike.Checked, txtSearchFolio.Text, Convert.ToInt32(txtYear.Value));
    seekWcf.Dispose();

    if (_ds != null)
    {
        SetupInvoiceGrid();
    }
    // hides the loading animation
    HidePleaseWait();
}

How can I know if the async method ProcessSearch is busy or running so I can prevent the user to execute the method again when clicking the button again.

Upvotes: 0

Views: 4253

Answers (1)

Tim S.
Tim S.

Reputation: 56536

You could just set a boolean:

private bool isSearching = false;

private void btnSearch_Click(object sender, EventArgs e)
{
    if (isSearching)
        return;
    // shows loading animation
    ShowPleaseWait(Translate("Searching data. Please wait..."));
    ProcessSearch();
}

private async void ProcessSearch()
{
    isSearching = true;

    // do other stuff

    isSearching = false;
}

If you're concerned about concurrency, you could add a lock:

private bool isSearching = false;
private object lockObj = new object();

private void btnSearch_Click(object sender, EventArgs e)
{
    lock (lockObj)
    {
        if (isSearching)
            return;
        else
            isSearching = true;
    }
    // shows loading animation
    ShowPleaseWait(Translate("Searching data. Please wait..."));
    ProcessSearch();
}

private async void ProcessSearch()
{
    // do other stuff

    isSearching = false;
}

Upvotes: 4

Related Questions