Sei sulla pagina 1di 18

Introduction

In this article, I am going to explain asynchronous method calls and how to use them. After playing with delegates, threads, and asynchronous invocation for so long, it would be a sin not to share some of my wisdom and knowledge on the subject, so hopefully, you wont be looking at an MSDN article at 1 AM wondering why you decided to go into computers. I will try to use baby steps and lots of examples Overall, I will cover how to call methods asynchronously, how to pass parameters to such methods, and how to find out when a method completes execution. Finally, I will show the Command Pattern in use for simplifying some of the code. The big advantage with .NET asynchronous method invocation is that you can take any method you have in your project, and you can call it asynchronously without touching the code of your method. Although most of the magic is within the .NET framework, it is important to see what is going on in the back, and thats what we are going to study here.

Synchronous vs. Asynchronous


Let me try to explain synchronous and asynchronous method invocations with an example, because I know people on The Code Project like to see code and not read War and Peace (not that I have anything against this book).

Synchronous method invocation


Suppose we have a function Foo() that takes 10 seconds to execute.
Collapse | Copy Code

private void Foo() { // sleep for 10 seconds. Thread.Sleep(10000); }

Normally, when your application calls the function Foo(), it will need to wait 10 seconds until Foo() is finished and control is returned to the calling thread. Now, suppose you want to call Foo() 100 times, then we know that it would take 1000 seconds for the control to return to the calling thread. This type of a method invocation is Synchronous. 1. Call Foo() 2. Foo() is executed 3. Control goes back to the calling thread Let's now call Foo() using delegates because most of the work we will do here is based on delegates. Luckily for us, there is already a delegate within the .NET framework that allows us to call a function that takes no parameter and has no return value. The delegate is called MethodeInvoker. Let's play with it a little.

Collapse | Copy Code

// create a delegate of MethodInvoker poiting // to our Foo() function. MethodInvoker simpleDelegate = new MethodInvoker(Foo); // Calling Foo simpleDelegate.Invoke();

Even with the example above, we are still calling Foo() synchronously. The calling thread still needs to wait for theInvoke() function to complete until the control is returned to the calling thread.

Asynchronous method invocation


But what if I wanted to call Foo() and not wait for it to finish executing? In fact, to make things interesting, what if I didnt care when it is finished? Lets say, I just wanted to call Foo 100 times without waiting for any of the functioncalls to complete. Basically, doing something called Fire and Forget. You call the function, you dont wait for it, and you just forget about it. And lets not forget! I am not willing to change a line of code in my super complicated fancyFoo() function.
Collapse | Copy Code

// create a delegate of MethodInvoker poiting to // our Foo function. MethodInvoker simpleDelegate = new MethodInvoker(Foo); // Calling Foo Async for(int i=0; i<100; i++) simpleDelegate.BeginInvoke(null, null);

Let me make a few comments about the code above.


Notice that BeginInvoke() is the line of code that executes the Foo() function. However, the control is returned to the caller right away, without waiting for Foo() to complete. The code above does not know when a call to Foo() completes, I will cover that later. BeginInvoke() is used instead of Invoke(). For now, dont worry about the parameters this function takes; I will cover that in more detail later.

What is the magic that .NET is doing in the background


Once you ask the framework to call something asynchronously, it needs a thread to do the work. It can not be the current thread, because that would make the invocation synchronous (blocking). Instead, the runtime queues a request to execute the function on a thread from the .NET Thread Pool. You dont really need to code anything for it, all of it happens in the background. But, just because it is all transparent doesnt mean you should care about it. There are a few things to remember:

Foo() is executed on a separate thread, a thread that belongs to the .NET Thread Pool.

A .NET Thread Pool normally has 25 threads in it (you can change that limit), and each time Foo() is called, it is going to be executed on one of these threads. You can't control which one. The Thread Pool has its limits! Once all the threads are used, an async method invocation is queued until one of the threads from the pool is freed. This is called Thread Pool Starvation, and normally when it comes to that, performance is compromised.

Dont dive too deep into the thread pool, you might run out of oxygen!
So, let's see an example of when the Thread Pool is starved. Let's modify our Foo function to wait for 30 seconds, and also let it report the following:

Number of avaible threads on the pool If the thread is on the thread pool The thread ID. We know that initially the thread pool contains 25 threads, so I am going to call my Foo function asynchronously 30 times (to see what happens after the 25th call).
Collapse | Copy Code

private void CallFoo30AsyncTimes() { // create a delegate of MethodInvoker // poiting to our Foo function. MethodInvoker simpleDelegate = new MethodInvoker(Foo); // Calling Foo Async 30 times. for (int i = 0; i < 30; i++) { // call Foo() simpleDelegate.BeginInvoke(null, null); } }
Collapse | Copy Code

private void Foo() { int intAvailableThreads, intAvailableIoAsynThreds; // ask the number of avaialbe threads on the pool, //we really only care about the first parameter. ThreadPool.GetAvailableThreads(out intAvailableThreads, out intAvailableIoAsynThreds); // build a message to log string strMessage = String.Format(@"Is Thread Pool: {1}, Thread Id: {2} Free Threads {3}", Thread.CurrentThread.IsThreadPoolThread.ToString(), Thread.CurrentThread.GetHashCode(), intAvailableThreads);

// check if the thread is on the thread pool. Trace.WriteLine(strMessage); // create a delay... Thread.Sleep(30000); return; }

Output window:
Collapse | Copy Code

Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is Is

Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread

Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool: Pool:

True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True, True,

Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread Thread

Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id: Id:

7 Free Threads 24 12 Free Threads 23 13 Free Threads 22 14 Free Threads 21 15 Free Threads 20 16 Free Threads 19 17 Free Threads 18 18 Free Threads 17 19 Free Threads 16 20 Free Threads 15 21 Free Threads 14 22 Free Threads 13 23 Free Threads 12 24 Free Threads 11 25 Free Threads 10 26 Free Threads 9 27 Free Threads 8 28 Free Threads 7 29 Free Threads 6 30 Free Threads 5 31 Free Threads 4 32 Free Threads 3 33 Free Threads 2 34 Free Threads 1 35 Free Threads 0 7 Free Threads 0 12 Free Threads 0 13 Free Threads 0 14 Free Threads 0 15 Free Threads 0

Lets make a few notes about the output:


Notice, first of all, that all the threads are on the thread pool. Notice that each time Foo is called, another thread ID is assigned. However, you can see that some of the threads are recycled. After calling Foo() 25 times, you can see that there are no more free threads on the pool. At this point, the application waits for a free thread. Once a thread is freed, the program grabs it right away, calling Foo(), and still there are 0 free threads on the pool. This continues to happen until Foo() is called 30 times.

So right away, not doing anything too fancy, we can make a few comments about calling methods asynchronously.

Know that your code will run in a separate thread, so some thread safety issues may apply. This is a topic on its own, and I will not cover it here. Remember that the pool has its limits. If you plan to call many functions asynchronously and if they take a long time to execute, Thread Pool Starvation might occur.

BeginInvoke() and EndInvoke()


So far we saw how to invoke a method without really knowing when it is finished. But with EndInvoke(), it is possible to do a few more things. First of all, EndInvoke will block until your function completes execution; so, callingBeginInvoke followed by EndInvoke is really almost like calling the function in a blocking mode (because theEndInvoke will wait until the function completes). But, how does the .NET runtime know how to bind a BeginInvokewith an EndInvoke? Well, thats where IAsyncResult comes in. When calling BegineInvoke, the return object is an object of type IAsyncResult; it is the glue that allows the framework to track your function execution. Think of it like a little tag to let you know what is going on with your function. With this little powerful super tag, you can find out when your function completes execution, and you can also use this tag to attach any state object you might want to pass to your function. Okay! Lets see some examples so this doesn't become too confusing... Let's create a new Foofunction.
Collapse | Copy Code

private void FooOneSecond() { // sleep for one second! Thread.Sleep(1000); }


Collapse | Copy Code

private void UsingEndInvoke() { // create a delegate of MethodInvoker poiting to our Foo function. MethodInvoker simpleDelegate = new MethodInvoker(FooOneSecond); // start FooOneSecond, but pass it some data this time! // look at the second parameter IAsyncResult tag = simpleDelegate.BeginInvoke(null, "passing some state"); // program will block until FooOneSecond is complete! simpleDelegate.EndInvoke(tag); // once EndInvoke is complete, get the state object string strState = (string)tag.AsyncState; // write the state object Trace.WriteLine("State When Calling EndInvoke: " + tag.AsyncState.ToString()); }

What about Exceptions, how do I catch them?


Now, let's make it a little more complicated. Let me modify the FooOneSecond function and make it throw an exception. Now, you should be wondering how you will catch this exception. In the BeginInvoke, or in theEndInvoke? Or is it even possible to catch this exception? Well, it is not in the BeginInvoke. The job of BeginInvokeis to simply start the function on the ThreadPool. It is really the job of the EndInvoke to report all the information about the completion of the function, and this includes exceptions. Notice the next snippet of code:
Collapse | Copy Code

private void FooOneSecond() { // sleep for one second! Thread.Sleep(1000); // throw an exception throw new Exception("Exception from FooOneSecond"); }

Now, let's call FooOneSecond and see if we can catch the exception.
Collapse | Copy Code

private void UsingEndInvoke() { // create a delegate of MethodInvoker poiting // to our Foo function. MethodInvoker simpleDelegate = new MethodInvoker(FooOneSecond); // start FooOneSecond, but pass it some data this time! // look at the second parameter IAsyncResult tag = simpleDelegate.BeginInvoke(null, "passing some state"); try { // program will block until FooOneSecond is complete! simpleDelegate.EndInvoke(tag); } catch (Exception e) { // it is here we can catch the exception Trace.WriteLine(e.Message); } // once EndInvoke is complete, get the state object string strState = (string)tag.AsyncState; // write the state object Trace.WriteLine("State When Calling EndInvoke: " + tag.AsyncState.ToString()); }

By running the code, you will see that the exception is only thrown and caught when calling EndInvoke. If you decide to never call EndInvoke, then you will not get the exception.

However, when running this code within the debugger, depending on your exception settings, your debugger might stop when throwing the exception. But that is the debugger. Using a release version, if you dont call EndInvoke, you will never get the exception.

Passing parameters to your method


Okay, so calling functions without parameters is not going to take us very far, so I am going to modify my super fancy and sophisticated Foo function to take a few parameters.
Collapse | Copy Code

private string FooWithParameters(string param1, int param2, ArrayList list) { // lets modify the data! param1 = "Modify Value for param1"; param2 = 200; list = new ArrayList(); return "Thank you for reading this article"; }

Let's call FooWithParameters using BeginInvoke and EndInvoke. First of all, before we do anything, we must have a delegate that matches the signature of this method.
Collapse | Copy Code

public delegate string DelegateWithParameters(string param1, int param2, ArrayList list);

Think of BeginInvoke and EndInvoke as cutting our function into two separate methods. The BeginInvoke is responsible for accepting all the input parameters followed by two additional parameters every BeginInvoke has (callback delegate, and a state object). The EndInvoke is responsible for returning all output parameters (parameters marked with ref or out) and a return value, if there is one. Let's go back into our example to find out what are considered input parameters and what are output parameters. param1, param2, and list are all considered input parameters, and therefore, they will be accepted as arguments to the BeginInvoke method. The return value of typestring is considered an output parameter, and therefore, it will be the return type for EndInvoke. The cool thing is that the compiler is able to generate the correct signature for BeginInvoke and EndInvoke based on the declaration of your delegate. Notice that I decided to modify the values of my input parameters just to examine if the behaviour is as I expect it to be without calling BeginInvoke and EndInvoke. I also re-allocate the ArrayList that is passed to a new ArrayList. So, try to guess what the output is going to be...
Collapse | Copy Code

private void CallFooWithParameters() { // create the paramets to pass to the function string strParam1 = "Param1"; int intValue = 100;

ArrayList list = new ArrayList(); list.Add("Item1"); // create the delegate DelegateWithParameters delFoo = new DelegateWithParameters(FooWithParameters); // call the BeginInvoke function! IAsyncResult tag = delFoo.BeginInvoke(strParam1, intValue, list, null, null); // normally control is returned right away, // so you can do other work here... // calling end invoke to get the return value string strResult = delFoo.EndInvoke(tag); // write down the parameters: Trace.WriteLine("param1: " + strParam1); Trace.WriteLine("param2: " + intValue); Trace.WriteLine("ArrayList count: " + list.Count); }

Let's see our FooWithParameters again, just so you don't need to scroll up.
Collapse | Copy Code

private string FooWithParameters(string param1, int param2, ArrayList list) { // lets modify the data! param1 = "Modify Value for param1"; param2 = 200; list = new ArrayList(); return "Thank you for reading this article"; }

Let me give you the three lines from the output window after calling EndInvoke():
Collapse | Copy Code

param1: Param1 param2: 100 ArrayList count: 1

Okay, lets analyze all this. Even when my function modifies the values of the input parameters, we dont get to see those changes after calling EndInvoke. The string is a mutable type, therefore, a copy of the string is created, and the change is not passed back to the caller. Integers are value types, and they create a copy when passed by value. Finally, re-creating the ArrayList is not returned to the caller because the reference to the ArrayList is passed by value, and in fact, recreating the ArrayList is simply creating a new allocation for ArrayList assigning the "copied" reference that was passed. In fact, that reference is lost, and normally considered as a memory leak; but luckily for us, the .NET garbage collector will eventually grab it. So, what if we wanted to get back

our new allocated ArrayList and the rest of the changes we did to our parameters? What do we need to do? Well, it is simple; we simply have to tag theArrayList as a ref parameter. Just for fun, lets also add output parameters just to show how EndInvoke is changed.
Collapse | Copy Code

private string FooWithOutAndRefParameters(string param1, out int param2, ref ArrayList list) { // lets modify the data! param1 = "Modify Value for param1"; param2 = 200; list = new ArrayList(); return "Thank you for reading this article"; }

Let us see what is considered an output parameter and what is considered an input parameter

Param1 is an input parameter, it will only be accepted within BeginInvoke. Param2 is input and output; therefore, it will be passed to both BeginInvoke and EndInvoke (EndInvoke will give us the updated value). list is passed by reference, and therefore, it is too going to be passed to both BeginInvoke and EndInvoke.
Lets see how our delegate looks like now:
Collapse | Copy Code

public delegate string DelegateWithOutAndRefParameters(string param1, out int param2, ref ArrayList list);

and finally, let's look at the function that calls FooWithOutAndRefParameters:


Collapse | Copy Code

private void CallFooWithOutAndRefParameters() { // create the paramets to pass to the function string strParam1 = "Param1"; int intValue = 100; ArrayList list = new ArrayList(); list.Add("Item1"); // create the delegate DelegateWithOutAndRefParameters delFoo = new DelegateWithOutAndRefParameters(FooWithOutAndRefParameters); // call the beginInvoke function! IAsyncResult tag = delFoo.BeginInvoke(strParam1, out intValue, ref list, null, null);

// normally control is returned right away, // so you can do other work here... // calling end invoke notice that intValue and list are passed // as arguments because they might be updated within the function. string strResult = delFoo.EndInvoke(out intValue, ref list, tag); // write down the parameters: Trace.WriteLine("param1: " + strParam1); Trace.WriteLine("param2: " + intValue); Trace.WriteLine("ArrayList count: " + list.Count); Trace.WriteLine("return value: " + strResult); }

Here is the output:


Collapse | Copy Code

param1: Param1 param2: 200 ArrayList count: 0 return value: Thank you for reading this article

Notice that param1 does not change. It is an input parameter, and param2 was passed as an output parameter and was updated to 200. The array list has been reallocated, and now we see that it is pointing to a new reference of zero elements (the original reference is lost). I hope that now you understand how parameters are passed withBeginInvoke and EndInvoke. Lets move on to looking at how to be notified if a non-blocking function is completed.

What they dont want you to know about IAsyncResult


You should be wondering how EndInvoke is able to give us the output parameters and the updated ref parameters. Or, better yet, how EndInvoke is able to throw that exception we threw in our function. For example, say we calledBegineInvoke on Foo, and then Foo finished executing, and now, we normally would call EndInvoke, but what if we decide to call EndInvoke 20 minutes after Foo is finished? Notice that EndInvoke will still give you those output orref parameters, and it would still throw that exception (if one was thrown). So, where is all that information stored? How come EndInvoke is able to get all that data long after the function is completed? Well the key is with theIAsyncResult object! I decided to explore this object a little more, and as I suspected, it is this object that keeps all the information regarding your function call. Notice that EndInvoke takes one parameter, it is an object of typeIAsyncResult. This object contains information such as:

Is the function completed? A reference to the delegate used for BeginInvoke All output parameters and their values All ref parameters and their updated values Return value An Exception if one was thrown

And more

IAsyncResult may seem very innocent, because it is just an interface to a few little properties, but in fact, it is an object of type System.Runtime.Remoting.Messaging.AsyncResult .

Now, if we dig a little deeper, we will find that AsyncResult contains an object called _replyMsg of typeSystem.Runtime.Remoting.Messaging.ReturnMessage , and what do you know the holy grail has been found!

I had to shrink the above image so you wont need to scroll to the right to read it, you can simply click on the image to view it We can clearly see our return value, our output parameter, and our ref parameters. There is even an exception property to hold the exception. Notice that I expanded, in the debug window for OutArgs to show, the value 200 and a reference to the newly allocated ArrayList. You can also see in the property ReturnValue, the string Thank you for reading this article. If we had an exception, then the EndInvoke would throw it for us to catch it. I think this is proof enough to conclude that all the information regarding your function call is saved with that little IAsyncResultobject you get back from BeginInvoke, it is like a key to your data. If we lose this object, we will never know our output parameters, ref parameters, and return value. It will also not be possible to catch an exception without this object. Its the key! You lose it, and the info is lost forever in the maze of the .NET runtime OK, getting a little carried away here. I think I made my point.

Using the Callback delegate, Hollywood style "Dont call me I will call you!"
At this point, you should understand how parameters can be passed, how to pass state, and understand the fact that your method is executed on a thread within the ThreadPool. The only thing I didnt really cover is the idea of being notified when the method is finished executing. After all, blocking and waiting for the method to finish does not accomplish much. In order to be notified when a method is complete, you must supply a callback delegate on theBeginInvoke. OK, example! Look at the following two functions:
Collapse | Copy Code

private void CallFooWithOutAndRefParametersWithCallback() { // create the paramets to pass to the function string strParam1 = "Param1"; int intValue = 100; ArrayList list = new ArrayList(); list.Add("Item1"); // create the delegate DelegateWithOutAndRefParameters delFoo = new DelegateWithOutAndRefParameters(FooWithOutAndRefParameters); delFoo.BeginInvoke(strParam1, out intValue, ref list, new AsyncCallback(CallBack), // callback delegate! null); } private void CallBack(IAsyncResult ar) { // define the output parameter int intOutputValue; ArrayList list = null;

// first case IAsyncResult to an AsyncResult object, so we can get the // delegate that was used to call the function. AsyncResult result = (AsyncResult)ar; // grab the delegate DelegateWithOutAndRefParameters del = (DelegateWithOutAndRefParameters) result.AsyncDelegate; // now that we have the delegate, // we must call EndInvoke on it, so we can get all // the information about our method call. string strReturnValue = del.EndInvoke(out intOutputValue, ref list, ar); }

In here, you can see that we passed a delegate to the function CallBack when calling BeginInvoke. .NET will call us when the method FooWithOutAndRefParameters completes execution. As before, we all know that we must callEndInvoke if we want to get our output parameters. Notice that in order to call EndInvoke, I needed to do some gymnastics to get the delegate.
Collapse | Copy Code

AsyncResult result = (AsyncResult)ar; // grab the delegate DelegateWithOutAndRefParameters del = (DelegateWithOutAndRefParameters) result.AsyncDelegate;

Wait a minute! On which thread is the call-back executed on?


After all, the callback is invoked by .NET using your delegate, but still it is .NET that calls this delegate. It is your right and duty to know on which thread your code is executed on. To give a clear picture of what is going on, I decided to yet again modify my Foo function to include thread information and add a delay of 4 seconds.
Collapse | Copy Code

private string FooWithOutAndRefParameters(string param1, out int param2, ref ArrayList list) { // log thread information Trace.WriteLine("In FooWithOutAndRefParameters: Thread Pool? " + Thread.CurrentThread.IsThreadPoolThread.ToString() + " Thread Id: " + Thread.CurrentThread.GetHashCode()); // wait for 4 seconds as if this functions takes a while to run. Thread.Sleep(4000); // lets modify the data! param1 = "Modify Value for param1"; param2 = 200; list = new ArrayList();

return "Thank you for reading this article"; }

I also added thread information to the callback function:


Collapse | Copy Code

private void CallBack(IAsyncResult ar) { // which thread are we on? Trace.WriteLine("In Callback: Thread Pool? " + Thread.CurrentThread.IsThreadPoolThread.ToString() + " Thread Id: " + Thread.CurrentThread.GetHashCode()); // define the output parameter int intOutputValue; ArrayList list = null; // first case IAsyncResult to an AsyncResult object, // so we can get the delegate that was used to call the function. AsyncResult result = (AsyncResult)ar; // grab the delegate DelegateWithOutAndRefParameters del = (DelegateWithOutAndRefParameters) result.AsyncDelegate; // now that we have the delegate, we must call EndInvoke on it, so we // can get all the information about our method call. string strReturnValue = del.EndInvoke(out intOutputValue, ref list, ar); }

I decided to execute FooWithOutAndRefParameters multiple times, using a button on my form.


Collapse | Copy Code

private void button4_Click(object sender, EventArgs e) { CallFooWithOutAndRefParametersWithCallback(); }

Lets see the output after pressing my button thrice (calling the function thrice):
Collapse | Copy Code

In In In In In In

FooWithOutAndRefParameters: FooWithOutAndRefParameters: FooWithOutAndRefParameters: Callback: Thread Pool? True Callback: Thread Pool? True Callback: Thread Pool? True

Thread Thread Thread Thread Thread Thread

Pool? True Thread Id: 7 Pool? True Thread Id: 12 Pool? True Thread Id: 13 Id: 7 Id: 12 Id: 13

Notice that my Foo function is executed thrice, one after the other, on three separate threads. All the threads are on the thread pool. Notice also that the callback is also executed thrice, respectively, and they are all on the thread pool too. What makes this interesting is that, the callback seems to be executed on the same thread ID as Foo. Thread 7 executes Foo; 4 seconds later, the callback is also

executed on thread 7. The same with thread 12 and 13. It is like the callback is a continuation of my Foo function. I pressed my button many times, trying to see if the callback will ever be called on a thread Id other then the one Foo is executed on, I was not able to achieve that. If you think about it, it makes total sense. Imagine, .NET would grab a thread to call Foo and then grab another thread to call the callback, that would be a waste! Not to mention that if your thread pool is starved, you will end up waiting for a free thread just to call the callback! That would have been a disaster.

Using the Command Pattern to clean things up!


Okay! Let's face it, things are getting a little messy. We have a BeginInvoke, EndInvoke, a callback, and they are all over the place! Let's try to use the Command Pattern to clean up the method invocation. Using the Command Patternis simple and easy. Basically, you create a Command object that implements a simple interface like:
Collapse | Copy Code

public interface ICommand { void Execute(); }

It it time that we stop using our useless Foo function everywhere, and try to do something more real! So, let's create a scenario that is more realistic. Say, we have the following:

We have a user Form that contains a grid that displays customer rows. The Grid is updated with rows based on a search criteria of customer ID. However, the database is far, far away, and it takes 5 seconds to get the customer dataset; we do not wish to block the UI while we are waiting. We have a nice business object that is responsible to get our customer dataset based on a customer ID. Suppose this was our Business Layer. To keep the example simple, I hard-coded what would normally come from a data layer.
Collapse | Copy Code

public class BoCustomer { public DataSet GetCustomer(int intCustomerId) { // call data layer and get customer information DataSet ds = new DataSet(); DataTable dt = new DataTable("Customer"); dt.Columns.Add("Id", typeof(int)); dt.Columns.Add("FirstName", typeof(string)); dt.Columns.Add("LastName", typeof(string)); dt.Rows.Add(intCustomerId, "Mike", "Peretz"); ds.Tables.Add(dt); // lets make this take some time...

System.Threading.Thread.Sleep(2000); return ds; } }

Now, let's create our Command, which is responsible to update the grid based on the customer ID.
Collapse | Copy Code

public class GetCustomerByIdCommand : ICommand { private GetCustomerByIdDelegate m_invokeMe; private DataGridView m_grid; private int m_intCustmerId; // notice that the delegate is private, // only the command can use it. private delegate DataSet GetCustomerByIdDelegate(int intCustId); public GetCustomerByIdCommand(BoCustomer boCustomer, DataGridView grid, int intCustId) { m_grid = grid; m_intCustmerId = intCustId; // setup the delegate to call m_invokeMe = new GetCustomerByIdDelegate(boCustomer.GetCustomer); } public void Execute() { // call the method on the thread pool m_invokeMe.BeginInvoke(m_intCustmerId, this.CallBack, // callback! null); } private void CallBack(IAsyncResult ar) { // get the dataset as output DataSet ds = m_invokeMe.EndInvoke(ar); // update the grid a thread safe fasion! MethodInvoker updateGrid = delegate { m_grid.DataSource = ds.Tables[0]; }; if (m_grid.InvokeRequired) m_grid.Invoke(updateGrid); else updateGrid(); } }

Notice that the GetCustomerByIdCommand takes all the information it needs to execute the command.

The grid to update. The customer ID to search. A reference to the business layer. Also notice that the delegate is hidden within the Command object, so the client doesnt need to know the inner working of the Command. All the client needs to do is build the Command and call Execute on it. We all know by now that asynchronous methods invocation is done on the ThreadPool, and we should all know by now that it is not healthy to update the UI from the ThreadPool or any other thread other then the UI thread! So, to fix this problem, we hide this implementation within the Command, and check based on the Grid if InvokeRequired() is true. If it is true, we use Control.Invoke to make sure the call is marshaled to the UI thread. (Notice, I am using the .NET 2.0 features of creating anonymous methods.) Let's see how the form is creating the command and executing it!
Collapse | Copy Code

private ICommand m_cmdGetCustById; private void button1_Click(object sender, EventArgs e) { // get the custmer id from the screen int intCustId = Convert.ToInt32(m_txtCustId.Text); // use the buisness layer to get the data BoCustomer bo = new BoCustomer(); // create a command that has all the tools to update the grid m_cmdGetCustById = new GetCustomerByIdCommand( bo, m_grid, intCustId); // call the command in a non blocking mode. m_cmdGetCustById.Execute(); }

Notice, that Execute is non-blocking. But before you go nuts and create a million command classes, keep these in mind:

The Command Pattern may cause class explosion, so choose your weapon wisely. In my case, it would have been easy to create a base class to my command that has the logic to update a grid in a thread-safe manner, but I kept my example simple. It would also be acceptable to pass the TextBox into the command object so it can grab the input in a more dynamic way and allow the command to be called anytime without re-creating it. Notice that the delegate, BeginInvoke, EndInvoke, callback, and our crazy code to make sure the UI is updated in a thread safe manner is all encapsulated in my Command, which is a good thing!

Conclusion

Phew! It took me almost a week to write this fun article. I tried to cover all the important aspects of calling a method in a non-blocking mode. Here are a few things to remember:

Delegates will contain the correct signature for BeginInvoke and EndInvoke, you should expect all output parameters and exceptions to come out when calling EndInvoke. Dont forget you take juice from the ThreadPool when using BeginInvoke, so dont overdue it! If you plan to use a callback, it might be a good idea to use the Command Pattern to hide all the nasty code that goes with it. Personally, the UI should only be blocked when doing UI stuff, so now you have no excuse! Thank you for reading, have a wonderful day, and happy .NET coding everyone!

Potrebbero piacerti anche