Execute Long Running SQL Query Or Stored Procedure From .NET

The following 2 main issues arise when your application is intended to deal with huge data-

  • SQL Server takes significant time to process (long running SQL statements) which leads to block the execution of your .NET code.
  • Main thread or UI thread also get blocked till the response from the SQL server.

These issues are some serious issues while building interactive applications. User patience is an unpredictable parameter and user’s reaction against long waiting screen is uncertain. At least UI shouldn't be freezed to engage the user and make him to wait for the result.

Since, transactional SQL statements will definitely take time to process the things, the quickest solution sought is on the application programming level. Also, it is known that MS SQL Server takes each & every call as synchronous, even if you change the connection string property AsynchronousProcessing to true. It is A client application (C#, .net) which gets affected, so the following are some widely used solutions-

  1. Cancellation Token mechanism: So that user can cancel ongoing longer execution if they unwilling to wait.

  2. Callback mechanism: So that UI thread can't get blocked.

Cancellation mechanism

It has many limitations, for example, a fired SQL command can be cancelled by firing SqlCommand.Cancel() but for this that command object must persist. SqlReader's Close or Read is designed to ignore this Cancel() call if this call is not placed before them and so on.

Callback mechanism

It is a great programming style that solves many issues and help you to build more interactive UI based applications. Instead of holding execution on a long running statement(s), it allows you to carry on to next line of code. In this post, we will implement this functionality to execute SQL query asynchronously.

In our sample project which is a WPF application, we will use Callback mechanism. Let's add the following controls on the Window-

  1. Button    ( btnExecuteQuery )
  2. ListBox   ( listboxResult )
  3. TextBox ( textboxQuery )

Idea is to fire asynchronous call to MS SQL for the T-SQL statement written in textboxQuery on btnExecuteQuery click event.

For executing MS SQL statements in asynchronous, we have to-

  1. Set the Asynchronous Processing property of ConnectionString to true.
  2. Use command.BeginExecuteNonQuery() and command.EndExecuteNonQuery().

At connection level, a specification is required in connection string for asynchronous processing. 

Example: 
AsynchronousProcessing = true

clip_image002

At SqlCommand execution level, instead of ExecuteReader() we need to use BeginExecuteReader() and EndExecuteReader() methods to achieve asynchronous execution. BeginExecuteReader takes the following 2 arguments:

  1. A callback procedure/method
  2. User-state (called 'StateObject' which holds the status of an asynchronous operation)

Example

clip_image004

Generally, state-object is the object which will be required in the callback method to process the things. Here, we are passing SqlCommand object because our SQL query will be executed in different function inside different worker thread. Our SqlCommand object is already initialized and ready to use by callback function.

Let’s focus on our callback function, which has been passed to AsyncCallback() inside BeginExecuteReader(). It has the following syntax:

clip_image006

Please note IAsyncResult type, which is required to hold the status of an asynchronous operation.

To un-box the AsynState back to the SqlCommand, we need to typecast as below-

clip_image008

So far, we understood the required logic. Let's collaborate the things together. Our button click event handler code would look like the following:

  1. private void btnExecuteQuery_Click(object sender, RoutedEventArgs e)  
  2. {  
  3.     SqlConnectionStringBuilder connectionBuilder  
  4.         = new SqlConnectionStringBuilder("Network Address=localhost; Initial Catalog=DemoDatabase; Integrated Security=true;")  
  5.     {  
  6.         ConnectTimeout = 4000,  
  7.         AsynchronousProcessing = true  
  8.     };  
  9.    
  10.     SqlConnection conn = new SqlConnection(connectionBuilder.ConnectionString);  
  11.     SqlCommand cmd = new SqlCommand(textboxQuery.Text, conn);  
  12.     try  
  13.     {  
  14.         conn.Open();  
  15.    
  16.         //The actual T-SQL execution happens in a separate work thread.  
  17.         cmd.BeginExecuteReader(new AsyncCallback(MyCallbackFunction), cmd);  
  18.     }  
  19.     catch (SqlException se)  
  20.     {  
  21.         //ToDo : Swallow exception log  
  22.     }  
  23.     catch (Exception ex)  
  24.     {  
  25.         //ToDo : Swallow exception log  
  26.     }  
  27. }  
And the callback function looks like the following:
  1. private void MyCallbackFunction(IAsyncResult result)  
  2. {  
  3.  try  
  4.   {  
  5.     //un-box the AsynState back to the SqlCommand  
  6.     SqlCommand cmd = (SqlCommand)result.AsyncState;  
  7.     SqlDataReader reader = cmd.EndExecuteReader(result);  
  8.     while (reader.Read())  
  9.      {  
  10.        Dispatcher.BeginInvoke( new delegateAddTextToListbox(AddTextToListbox),  
  11.        reader.GetString(0));  
  12.      }  
  13.   
  14.     if (cmd.Connection.State.Equals(ConnectionState.Open))  
  15.      {  
  16.        cmd.Connection.Close();  
  17.      }  
  18.   }  
  19.  catch (Exception ex)  
  20.   {  
  21.    //ToDo : Swallow exception log  
  22.   }  
  23. }  
Great! We have implemented it! But wait, we need few more tackle, since our sample project is a Windows based WPF application, forms controls & methods are not accessible other than from the main UI thread. Thus, accessing Windows Forms controls listboxResult will produce exception (InvalidOperationException) - { "The calling thread cannot access this object because a different thread owns it." }

clip_image010

So, we need a different approach to access Windows Form controls & associated methods i.e. Delegate. We will shift listboxResult accessing code inside a function and we will call that function through delegate.

Let’s create a delegate which can point out any function that will accept one string argument and return void.

clip_image012

Next, is to create a method that will accept string and add that to Windows Form control listbox-

clip_image014

Now, we can use delegate in our callback function to add the result into listbox as in the following:

clip_image016

Done! Now, worker thread will able to add the result to the controls by method through delegate call. Dispatcher.BeginInvoke() is used to execute delegate asynchronously with the specified arguments. This method is under System.Windows.Threading namespace.

clip_image018

Summary

C# 5.0 introduces a new asynchronous programming model i.e. async & await . It no longer require pair codes like BeginExecute & EndEquecute. A task is declared for asynchronous programming and rest is done automatically by runtime. For example, 

  1. var task = await cmd.ExecuteReaderAsyc();   
And method containing these task based statement(s) must must be decorated with async.

Example:
  1. private async void MyAsyncFunction()   { … }     

Up Next
    Ebook Download
    View all
    Learn
    View all