Herhangi bir yöntemi eşzamansız olarak c # çağırma


110

Birisi bana bir yöntemin c # ile eşzamansız olarak nasıl çağrılacağını gösteren küçük bir kod parçacığı gösterebilir mi?

Yanıtlar:


131

Action.BeginInvoke () kullanırsanız, EndInvoke'u bir yerde çağırmanız gerekir - aksi takdirde çerçevenin eşzamansız çağrının sonucunu yığın üzerinde tutması gerekir, bu da bellek sızıntısına neden olur.

Async / await anahtar sözcükleriyle C # 5'e atlamak istemiyorsanız, .Net 4'teki Task Parallels kitaplığını kullanabilirsiniz. BeginInvoke / EndInvoke'u kullanmaktan çok, çok daha güzel ve ateşleme için temiz bir yol sağlar. ve-eşzamansız işler için unutun:

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

Alma parametrelerini çağırmak için yöntemleriniz varsa, temsilciler oluşturmak zorunda kalmadan çağrıyı basitleştirmek için bir lambda kullanabilirsiniz:

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

C # 5 async / await sözdiziminin, Görev kitaplığı etrafındaki sözdizimsel şekeri olduğundan oldukça eminim (ama kuşkusuz olumlu değil).


2
Zaten net değilse, son varsayım re: async / await doğrudur, ancak kodunuzun görünüşünü önemli ölçüde değiştirecektir.
Gusdor

Bunu bir olay oluşturan ve ardından delegeler oluşturan bir yöntemle deniyorum, bu doğru mu? Eğer öyleyse, görevi nasıl bitirebilirim. Şerefe
Joster


24

İşte bunu yapmanın bir yolu:

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


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

Elbette Action, yöntemin farklı bir imzası varsa başka türden bir temsilciyle değiştirmeniz gerekir.


1
foo dediğimizde, göstermediğin argümanı nasıl iletebilirim?
Thomas

Boş yerine bir nesne koyabilirsiniz. Foo, nesne türünden bir girdi parametresi alsın. Ardından, nesneyi Foo'da uygun türe çevirmeniz gerekir.
Denise Skidmore

4

Eşzamansız ve Bekleyen Zaman Uyumsuz Programlama MSDN makalesine göz atın yeni şeylerle oynamaya gücünüz . .NET 4.5'e eklendi.

Bağlantıdan örnek kod parçacığı (kendisi bu MSDN örnek kod projesinden ):

// 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;
}

Alıntı yapmak:

Eğer AccessTheWebAsynco GetStringAsync çağırarak ve bunun tamamlanmasını bekleyen arasına yapabileceği herhangi bir çalışma yoktur, aradığınız ve aşağıdaki tek açıklamada bekleyen kodunuzu kolaylaştırabilir.

string urlContents = await client.GetStringAsync();

Daha fazla detay vardır linke .


Bu tekniği nasıl kullanırım ve bir zaman aşımı setim olur?
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));
        }
    }
Sitemizi kullandığınızda şunları okuyup anladığınızı kabul etmiş olursunuz: Çerez Politikası ve Gizlilik Politikası.
Licensed under cc by-sa 3.0 with attribution required.