Подтвердить что ты не робот

Как асинхронно вызывать любой метод в С#

Может кто-нибудь, пожалуйста, покажет мне небольшой фрагмент кода, который демонстрирует, как вызывать метод асинхронно в С#?

4b9b3361

Ответ 1

Если вы используете action.BeginInvoke(), вы должны вызывать EndInvoke где-то - иначе фреймворк должен удерживать результат асинхронного вызова в куче, в результате в утечке памяти.

Если вы не хотите переходить на С# 5 с помощью ключевых слов async/await, вы можете просто использовать библиотеку задач Parallels в .Net 4. Это гораздо лучше, чем использование BeginInvoke/EndInvoke, и дает чистый способ для запуска асинхронных задач:

using System.Threading.Tasks;
...
void Foo(){}
...
new Task(Foo).Start();

Если у вас есть методы для вызова таких параметров, вы можете использовать лямбда для упрощения вызова без необходимости создания делегатов:

void Foo2(int x, string y)
{
    return;
}
...
new Task(() => { Foo2(42, "life, the universe, and everything");}).Start();

Я уверен (но, по общему признанию, не положительно), что синтаксис С# 5 async/await - это просто синтаксический сахар вокруг библиотеки задач.

Ответ 3

Вот способ сделать это:

// The method to call
void Foo()
{
}


Action action = Foo;
action.BeginInvoke(ar => action.EndInvoke(ar), null);

Конечно, вам нужно заменить Action на другой тип делегата, если у метода есть другая подпись

Ответ 4

Проверьте статью MSDN Асинхронное программирование с помощью Async и Await, если вы можете позволить себе играть с новыми вещами. Он был добавлен в .NET 4.5.

Пример фрагмента кода из ссылки (которая сама из этот пример кода кода MSDN):

// Three things to note in the signature: 
//  - The method has an async modifier.  
//  - The return type is Task or Task<T>. (See "Return Types" section.)
//    Here, it is Task<int> because the return statement returns an integer. 
//  - The method name ends in "Async."
async Task<int> AccessTheWebAsync()
{ 
    // You need to add a reference to System.Net.Http to declare client.
    HttpClient client = new HttpClient();

    // GetStringAsync returns a Task<string>. That means that when you await the 
    // task you'll get a string (urlContents).
    Task<string> getStringTask = client.GetStringAsync("http://msdn.microsoft.com");

    // You can do work here that doesn't rely on the string from GetStringAsync.
    DoIndependentWork();

    // The await operator suspends AccessTheWebAsync. 
    //  - AccessTheWebAsync can't continue until getStringTask is complete. 
    //  - Meanwhile, control returns to the caller of AccessTheWebAsync. 
    //  - Control resumes here when getStringTask is complete.  
    //  - The await operator then retrieves the string result from getStringTask. 
    string urlContents = await getStringTask;

    // The return statement specifies an integer result. 
    // Any methods that are awaiting AccessTheWebAsync retrieve the length value. 
    return urlContents.Length;
}

Цитирование:

Если AccessTheWebAsync не имеет какой-либо работы, которую он может выполнять между вызовом GetStringAsync и ожиданием его завершения, вы можете упростить свой код, вызвав и ожидая следующего синтаксиса.

string urlContents = await client.GetStringAsync();

Подробнее см. ссылку .

Ответ 5

public partial class MainForm : Form
{
    Image img;
    private void button1_Click(object sender, EventArgs e)
    {
        LoadImageAsynchronously("http://media1.santabanta.com/full5/Indian%20%20Celebrities(F)/Jacqueline%20Fernandez/jacqueline-fernandez-18a.jpg");
    }

    private void LoadImageAsynchronously(string url)
    {
        /*
        This is a classic example of how make a synchronous code snippet work asynchronously.
        A class implements a method synchronously like the WebClient DownloadData(…) function for example
            (1) First wrap the method call in an Anonymous delegate.
            (2) Use BeginInvoke(…) and send the wrapped anonymous delegate object as the last parameter along with a callback function name as the first parameter.
            (3) In the callback method retrieve the ar AsyncState as a Type (typecast) of the anonymous delegate. Along with this object comes EndInvoke(…) as free Gift
            (4) Use EndInvoke(…) to retrieve the synchronous call’s return value in our case it will be the WebClient DownloadData(…)’s return value.
        */
        try
        {
            Func<Image> load_image_Async = delegate()
            {
                WebClient wc = new WebClient();
                Bitmap bmpLocal = new Bitmap(new MemoryStream(wc.DownloadData(url)));
                wc.Dispose();
                return bmpLocal;
            };

            Action<IAsyncResult> load_Image_call_back = delegate(IAsyncResult ar)
            {
                Func<Image> ss = (Func<Image>)ar.AsyncState;
                Bitmap myBmp = (Bitmap)ss.EndInvoke(ar);

                if (img != null) img.Dispose();
                if (myBmp != null)
                    img = myBmp;
                Invalidate();
                //timer.Enabled = true;
            };
            //load_image_Async.BeginInvoke(callback_load_Image, load_image_Async);             
            load_image_Async.BeginInvoke(new AsyncCallback(load_Image_call_back), load_image_Async);             
        }
        catch (Exception ex)
        {

        }
    }
    protected override void OnPaint(PaintEventArgs e)
    {
        if (img != null)
        {
            Graphics grfx = e.Graphics;
            grfx.DrawImage(img,new Point(0,0));
        }
    }