• WCF Concurrency (Single, Multiple, and Reentrant) and Throttling


    Table of contents

    Introduction and goal

    In this article, we will concentrate on WCF concurrency and throttling. We will first try to understand what is WCF concurrency and the three important types of WCF concurrency. We will then see a small sample of WCF concurrency with Single and Multiple. We will then go through 9 combinations of WCF concurrency and instancing. Finally we will try to understand how to configure throttling using the WCFweb.config’ file.

    Pre-requisites

    In order to understand WCF concurrency well, it’s important to understand the concepts around WCF instancing. So before moving ahead with this article, please do read about WCF instancing from here.

    Why do we need concurrency in WCF?

    If you search on the web for the dictionary meaning of concurrency, you will find the following definition:

    “Happening at the same time”

    WCF concurrency helps us configure how WCF service instances can serve multiple requests at the same time. You will need WCF concurrency for the below prime reasons; there can be other reasons as well but these stand out as important reasons:

    • Increase throughput: Many times you want to increase the amount of work your WCF service instance does at any moment of time. In other words, you would like to increase the throughput. Throughput means how much work a given thing can do.

       By default, a WCF service handles only one request at a given moment of time.

    • Integration with a legacy system: Many times your WCF services interact with legacy systems like VB6, COM, etc. It’s very much possible that these systems are not multithreaded, in other words they handle only one request at any given time. So even though your WCF service has concurrent capabilities, you would still like to handle one request at a time. This is achieved by using throttling in combination with WCF concurrency capabilities.

    WCF concurrency and instancing – Two different things

    In our previous article, we had discussed about WCF instances. WCF instancing and WCF concurrency are two different things. WCF instance dictates how objects are created while WCF concurrency dictates how many requests can be handled by WCF objects.

    I do understand that many of our developer friends know this difference, but as you go deeper into WCF concurrency, there is lot of connection with WCF instancing also, so I wanted to just emphasize the differences.

    WCF instancing gives three levels of WCF object instance controls: per call, per session, and single. In case you are not aware of this, read my article: 3 way to do WCF instance management. In similar lines, WCF also has three ways of implementing WCF concurrency.

    Three types of WCF concurrency

    There are three ways by which you can handle concurrency in WCF: single, multiple, and reentrant. To specify WCF concurrency, we need to use the ServiceBehavior tag as shown below, with the appropriate ‘ConCurrencyMode’ property value.

    Single: A single request has access to the WCF service object at a given moment of time. So only one request will be processed at any given moment of time. The other requests have to wait until the request processed by the WCF service is completed.

    Multiple: In this scenario, multiple requests can be handled by the WCF service object at any given moment of time. In other words, requests are processed at the same time by spawning multiple threads on the WCF server object. So you have great throughput here but you need to ensure concurrency issues related to WCF server objects.

    Reentrant: A single request thread has access to the WCF service object, but the thread can exit the WCF service to call another WCF service or can also call a WCF client through callback and reenter without deadlock.

    Sample code demonstration

    In order to demonstrate this, let’s create a simple sample code as shown below. We will create a simple WCF service with a method name Call. When a client calls this WCF service, it will display the following details:

    • Client name that made the call. This value will be provided as an input when the client wants to make a call to the WCF service.
    • Instance number, this will represent the number of WCF instances which are serving the request.
    • Thread number which is executing the method.
    • Time when the Call method was actually called.

    Below is the service contract of the Call method. Please note that OperationContract is defined with IsOneWay as true.

    [ServiceContract]
    public interface IHelloWorldService
    {
        [OperationContract(IsOneWay=true)]
        void Call(string ClientName);
    }

    Below is a simple implementation of the service contract IHelloWorldService interface. It has an instance variable i which helps us maintain the instance counter and a simple Console.Writeline which displays the client name, instance number, thread number, and time when the method was called.

    This method waits for 5 seconds using the ‘Thread.Sleep’ function.

    public class HelloWorldService : IHelloWorldService
    {
        // maintain instance count 
        public int i;
        public void Call(string ClientName)
        {
            // increment instance counts
            i++;
    
    
    
    
            // display client name, instance number , thread number and time when 
            // the method was called
    
    
    
    
            Console.WriteLine("Client name :" + ClientName + " Instance:" + 
              i.ToString() + " Thread:" + Thread.CurrentThread.ManagedThreadId.ToString() + 
              " Time:" + DateTime.Now.ToString() + "\n\n");
    
    
    
    
            // Wait for 5 seconds
            Thread.Sleep(5000);
        }
    }

    This WCF service will be self hosted using WsHttpBinding as shown below. We have chosen self hosting so that we can monitor the time, threads, and number of instances of the WCF service.

    static void Main(string[] args)
    {
        //Create a URI to serve as the base address
        Uri httpUrl = new Uri("http://localhost:8010/MyService/HelloWorld");
    
    
    
    
        //Create ServiceHost
        ServiceHost host = new ServiceHost(typeof(ClassLibrary1.HelloWorldService), httpUrl); 
    
    
    
    
        //Add a service endpoint
        host.AddServiceEndpoint(typeof(ClassLibrary1.IHelloWorldService), new WSHttpBinding(), "");
    
    
    
    
        //Enable metadata exchange
        ServiceMetadataBehavior smb = new ServiceMetadataBehavior();
        smb.HttpGetEnabled = true;
        host.Description.Behaviors.Add(smb);
    
    
    
    
        //Start the Service
        host.Open();
    
    
    
    
        Console.WriteLine("Service is host at " + DateTime.Now.ToString());
        Console.WriteLine("Host is running... Press <Enter> key to stop");
        Console.ReadLine();
    }

    From the client side, we will make five continuous calls simultaneously on the WCF service. Below is the code snippet for this:

    Console.WriteLine("Enter Client name");
    string str = Console.ReadLine();
    ServiceReference1.HelloWorldServiceClient obj = 
                 new ServiceReference1.HelloWorldServiceClient();
    
    
    
    
    for(int i=0;i<5;i++)
    {
        obj.Call(str);
    }

    If you run the above project and monitor your WCF server service, you will see the screenshot. There are two important points to note:

    • By default the WCF service is configured to run with per call. So new instances are created every time the service runs. Instance 1 indicates new instances created for every method call.
    • By default the concurrency is single so the same thread is used to service all five requests which are sent from the WCF client side. You can see the value of the thread is always 4.
    • The most important factor is time. As concurrency is configured as single, it will be called one after another sequentially. You can notice this from the time difference of method calls of 5 seconds.

    Let’s go and change the concurrency mode to multiple. In order to change the concurrency mode to multiple, we need to specify Multiple as the concurrency mode as shown in the below code snippet.

    If you run the client now, you can see different threads (i.e., thread 4, 5, 6, 7, and 8) are spawned to serve the request and the time of the method calls are almost same. In other words, the methods are executed concurrently on different threads.

    In short, you are now having a higher throughput in less amount of time.

    9 combinations of Instancing and Concurrency

    There are 9 combinations of concurrency and instancing as shown in the below table. In the sections below, we will discuss this in more detail.

    InstanceContext
    Mode
    ConcurrencyMode
    Single (Default) Multiple Reentrant
    Single
    (Single instance for all clients)
    Single thread for all clients. Multiple threads for all clients. Single threads for all clients, locks are released when calls diverted to other WCF services.
    PerSession (Default)
    (Multiple instance per client)
    Single thread for every client. Multiple threads for every request. Single threads for all clients, locks are released when calls diverted to other WCF services.
    PerCall (Multiple instances for every method call) Single thread for every client. Single thread for every client Single threads for all clients, locks are released when calls diverted to other WCF services.

    Instance mode = Per Call and Concurrency = Single

    With Per Call, new WCF instances are created for every method call made to the WCF server service. The default concurrency is Single so only one thread will be used to serve all instances.

    Below is a simple pictorial representation of what will happen in Per Call and Single concurrency scenarios:

      • For every client instance, a single thread will be allocated.
      • For every method call, a new service instance will be created.
      • A single thread will be used to serve all WCF instances generated from a single client instance.

    If you refer the previous sample, you can see how threads are the same and the halt of 5 seconds on the WCF service.

    Instance mode = Per Call and Concurrency = Multiple

  • 相关阅读:
    下载vue-devtools插件的步骤
    弄清 CSS3 的 transition 和 animation
    js与多行字符串
    swift 上手
    liunux 修改hostname
    linux 下使用配置文件
    linux安装oracle11g
    jQueryt过滤选择器
    Javascript并发模型和事件循环
    CSS生僻问题一网打尽
  • 原文地址:https://www.cnblogs.com/DebugLZQ/p/2835650.html
Copyright © 2020-2023  润新知