Comment appeler n'importe quelle méthode de manière asynchrone en c #

110

Quelqu'un pourrait-il s'il vous plaît me montrer un petit extrait de code qui montre comment appeler une méthode de manière asynchrone en c #?

Thomas
la source

Réponses:

131

Si vous utilisez action.BeginInvoke (), vous devez appeler EndInvoke quelque part - sinon, le framework doit contenir le résultat de l'appel async sur le tas, ce qui entraîne une fuite de mémoire.

Si vous ne voulez pas passer à C # 5 avec les mots-clés async / await, vous pouvez simplement utiliser la bibliothèque Task Parallels dans .Net 4. C'est beaucoup, beaucoup plus agréable que d'utiliser BeginInvoke / EndInvoke, et donne un moyen propre de déclencher- et-oubliez pour les travaux asynchrones:

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

Si vous avez des méthodes à appeler qui prennent des paramètres, vous pouvez utiliser un lambda pour simplifier l'appel sans avoir à créer de délégués:

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

Je suis à peu près sûr (mais certes pas positif) que la syntaxe async / wait C # 5 n'est qu'un sucre syntaxique autour de la bibliothèque de tâches.

Drew Shafer
la source
2
Si ce n'était pas déjà clair, la dernière hypothèse re: async / await est correcte mais elle changera radicalement l'apparence de votre code.
Gusdor
J'essaye ceci avec une méthode qui crée un événement et puis des délégués, est-ce correct? Si tel est le cas, comment puis-je terminer la tâche. Cheers
Joster
52

À partir de .Net 4.5, vous pouvez utiliser Task.Run pour démarrer simplement une action:

void Foo(string args){}
...
Task.Run(() => Foo("bar"));

Task.Run vs Task.Factory.StartNew

ms007
la source
24

Voici une façon de le faire:

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


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

Bien sûr, vous devez remplacer Actionpar un autre type de délégué si la méthode a une signature différente

Thomas Levesque
la source
1
quand nous appelons foo, comment puis-je passer un argument que vous n'avez pas montré?
Thomas
Au lieu de null, vous pouvez mettre un objet. Demandez à Foo de prendre un paramètre d'entrée de type object. Vous devrez ensuite convertir l'objet au type approprié dans Foo.
Denise Skidmore
4

Consultez l'article MSDN Programmation asynchrone avec Async et Attendez si vous pouvez vous permettre de jouer avec de nouvelles choses. Il a été ajouté à .NET 4.5.

Exemple d'extrait de code du lien (qui provient lui-même de cet exemple de projet de code 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;
}

Citant:

S'il AccessTheWebAsyncn'a aucun travail à effectuer entre l'appel de GetStringAsync et l'attente de son achèvement, vous pouvez simplifier votre code en appelant et en attendant dans l'instruction unique suivante.

string urlContents = await client.GetStringAsync();

Plus de détails sont dans le lien .

Michael Blake
la source
Comment utiliser cette technique et définir un délai d'expiration?
Su Llewellyn le
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));
        }
    }
Dr Sai
la source