Cómo llamar a cualquier método de forma asincrónica en c #


110

¿Podría alguien mostrarme un pequeño fragmento de código que demuestre cómo llamar a un método de forma asincrónica en c #?

Respuestas:


131

Si usa action.BeginInvoke (), debe llamar a EndInvoke en algún lugar; de lo contrario, el marco debe contener el resultado de la llamada asíncrona en el montón, lo que da como resultado una pérdida de memoria.

Si no desea saltar a C # 5 con las palabras clave async / await, puede usar la biblioteca Task Parallels en .Net 4. Es mucho, mucho mejor que usar BeginInvoke / EndInvoke, y ofrece una forma limpia de disparar- y olvídate de los trabajos asincrónicos:

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

Si tiene métodos para llamar que toman parámetros, puede usar una lambda para simplificar la llamada sin tener que crear delegados:

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

Estoy bastante seguro (pero admito que no es positivo) de que la sintaxis async / await de C # 5 es simplemente azúcar sintáctica alrededor de la biblioteca de tareas.


2
Si aún no estaba claro, la suposición final re: async / await es correcta, pero cambiará drásticamente la apariencia de su código.
Gusdor

Estoy intentando esto con un método que crea un evento y luego delega, ¿es correcto? Si es así, ¿cómo puedo terminar la tarea? Saludos
Joster


24

He aquí una forma de hacerlo:

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


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

Por supuesto, debe reemplazarlo Actionpor otro tipo de delegado si el método tiene una firma diferente


1
cuando llamamos a foo, ¿cómo puedo pasar un argumento que no mostraste?
Thomas

En lugar de nulo, puede poner un objeto. Haga que Foo tome un parámetro de entrada de tipo objeto. Luego tendrás que lanzar el objeto al tipo apropiado en Foo.
Denise Skidmore

4

Consulte el artículo de MSDN Programación asincrónica con Async y Await si puede permitirse jugar con cosas nuevas. Se agregó a .NET 4.5.

Fragmento de código de ejemplo del enlace (que es en sí mismo de este proyecto de código de muestra de 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;
}

Citando:

Si AccessTheWebAsyncno tiene ningún trabajo que pueda hacer entre llamar a GetStringAsync y esperar su finalización, puede simplificar su código llamando y esperando en la siguiente declaración única.

string urlContents = await client.GetStringAsync();

Más detalles están en el enlace .


¿Cómo usaría esta técnica y establecería un tiempo de espera?
Su Llewellyn

1
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's 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's 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's 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));
        }
    }
Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.