WCF Extensibility – IOperationInvoker

This post is part of a series about WCF extensibility points. For a list of all previous posts and planned future ones, go to the index page.

The operation invoker is the last element in the WCF runtime which is invoked before the user code (service implementation) is reached – it’s the invoker responsibility to actually call the service operation on behalf of the runtime. IOperationInvoker implementations are called by the WCF runtime to allocate the object array used by the formatter to deserialize the response, and it’s called again when the parameters are ready and the operation is to be called. The interface defines both a synchronous and an asynchronous invocation pattern, which will be called depending on whether the operation was defined using the AsyncPattern or not. The invoker is a required element of the service operation runtime, and WCF will add one by default.

Public implementations in WCF

None. As with most runtime extensibility points, there are no public implementations in WCF. There are many internal implementations, such as the System.ServiceModel.Dispatcher.SyncMethodInvoker and System.ServiceModel.Dispatcher.AsyncMethodInvoker, which are the default invokers for methods without and with AsyncPattern set to true, respectively, In the post about the POCO service host I also had a simple invoker for an untyped message contract.

Interface declaration

  1. public interface IOperationInvoker
  2. {
  3.     bool IsSynchronous { get; }
  4.  
  5.     object[] AllocateInputs();
  6.  
  7.     object Invoke(object instance, object[] inputs, out object[] outputs);
  8.  
  9.     IAsyncResult InvokeBegin(object instance, object[] inputs, AsyncCallback callback, object state);
  10.  
  11.     object InvokeEnd(object instance, out object[] outputs, IAsyncResult result);
  12. }

The IsSynchronous property is called once per dispatch operation so that WCF will set up the internal structure which will as the dispatch is being created (the information is then cached and the property is not accessed anymore afterwards). When an incoming message arrives to the service, AllocateInputs is called to allocate the array of inputs which will be passed to the formatter so that it can unwrap the parameters from the message and fill the array. <rant>This is one of those extensibility points which could not have been exposed and I don’t think anyone would miss it – pretty much all implementations simply return a new object array with the length equal to the number of inputs expected by the operation (possibly caching an empty array for operations without input parameters). In theory someone could write a more efficient implementation which would cache those object arrays (since the array is passed to the invoker when the service operation is to be called, the invoker would know when to return the array to an “input array pool”), but frankly I don’t think this is worth the hassle of the API bloat…</rant>

Getting back to the interface, after the input array has been allocated, passed to the formatter (and by any parameter inspectors which want to look at them), the invoker is called to call the operation itself. For synchronous operations, the call is simple – Invoke is called passed the service instance and the operation inputs. The method must then set the output parameter array with any out/ref parameters from the operation, and it should return the operation result. For operations implemented asynchronously, the pair InvokeBegin and InvokeEnd are called following the asynchronous programming model.

How to add operation invokers

Invokers only apply to the server side, and they are set on the DispatchOperation object – each operation has its own invoker. It is typically accessed via an operation behavior in a call to ApplyDispatchBehavior.

  1. public class MyOperationInvoker : IOperationInvoker
  2. {
  3.     // implementation
  4. }
  5. public class MyOperationBehavior : IOperationBehavior
  6. {
  7.     public void ApplyDispatchBehavior(OperationDescription operationDescription, DispatchOperation dispatchOperation)
  8.     {
  9.         dispatchOperation.Invoker = new MyOperationInvoker();
  10.     }
  11. }

The behavior which sets the default WCF invoker is the first one at the list of operation behaviors, even before attribute-based operation behaviors are added. This makes it safe to wrap the default invoker using an attribute-based operation behavior (unlike with message formatters, as mentioned in a previous post).

Real world scenario: caching for service operations

One scenario for which I’ve seen invokers being used in forums and in some blog posts is to implement a cache for expensive operations. Unlike for REST services (which have a well-defined caching story for GET requests), SOAP services (with their RPC-like semantics) don’t have any standard way of defining caching options for their operations. This example will show one possible implementation using a custom operation invoker which will either delegate a call to the service operation, or returned a cached version of the operation result to the caller, bypassing the server operation. Most implementations only show the synchronous version of invocation, so I’ve decided to expand it and create a full invoker which can deal with both sync and asynchronous operations.

The solution here will use the ASP.NET cache to store the result for the operations which are “cacheable” for web hosted scenarios, or the new MemoryCache type (from .NET 4.0) for self-hosted ones (via one conditional compilation directive). The ASP.NET cache in theory can be used even outside of ASP.NET, but since there is one for general purpose, I decided to stick with it (and not "pollute" a console project with a reference to System.Web). Both libraries provide a simple property bag semantics with expiration functionality which maps perfectly to this example.

And the disclaimer time: this is a sample for illustrating the topic of this post, this is not production-ready code. I tested it for a few contracts and it worked, but I cannot guarantee that it will work for all scenarios (please let me know if you find a bug or something missing). Also, for simplicity sake it doesn’t have a lot of error handling which a production-level code would.

On to the code. Since the invoker is bound to an operation, we’ll use an operation behavior to add the invoker to the runtime, wrapping the original invoker in our new one.

  1. public class CacheableOperationAttribute : Attribute, IOperationBehavior
  2. {
  3.     double secondsToCache;
  4.     public CacheableOperationAttribute()
  5.     {
  6.         this.secondsToCache = 30;
  7.     }
  8.  
  9.     public double SecondsToCache
  10.     {
  11.         get { return this.secondsToCache; }
  12.         set { this.secondsToCache = value; }
  13.     }
  14.  
  15.     public void AddBindingParameters(OperationDescription operationDescription, BindingParameterCollection bindingParameters)
  16.     {
  17.     }
  18.  
  19.     public void ApplyClientBehavior(OperationDescription operationDescription, ClientOperation clientOperation)
  20.     {
  21.     }
  22.  
  23.     public void ApplyDispatchBehavior(OperationDescription operationDescription, DispatchOperation dispatchOperation)
  24.     {
  25.         dispatchOperation.Invoker = new CachingOperationInvoker(dispatchOperation.Invoker, this.secondsToCache);
  26.     }
  27.  
  28.     public void Validate(OperationDescription operationDescription)
  29.     {
  30.     }
  31. }

With this behavior we can now define our service contract, annotating some of the operations in the interface with a caching attribute meaning that their result can be cached up to the duration specified (30 seconds by default). Some operations (like Add) are not cached (so calls to that operation will always be routed to the service), while calls to other operations are.

  1. [ServiceContract]
  2. public interface ITest
  3. {
  4.     [OperationContract]
  5.     int Add(int x, int y);
  6.  
  7.     [OperationContract]
  8.     [CacheableOperation(SecondsToCache = 10)]
  9.     string Reverse(string input);
  10.     
  11.     [OperationContract(AsyncPattern=true)]
  12.     [CacheableOperation(SecondsToCache = 30)]
  13.     IAsyncResult BeginPower(double x, double y, AsyncCallback callback, object state);
  14.     double EndPower(IAsyncResult asyncResult);
  15.  
  16.     [OperationContract, CacheableOperation]
  17.     bool TryParseInt(string input, out int value);
  18.  
  19.     [OperationContract(AsyncPattern = true), CacheableOperation]
  20.     IAsyncResult BeginTryParseDouble(string input, AsyncCallback callback, object state);
  21.     bool EndTryParseDouble(out double value, IAsyncResult asyncResult);
  22. }

I’ll skip the service implementation here – each of the operations sleeps for a second, then returns the appropriate value (sum, Reverse, Math.Pow, int.TryParse, double.TryParse) to simulate an “expensive” operation (look at the code in this post link at the bottom to see the full service code). On to the invoker code. The caching invoker will take both the original invoker (for non-cached responses) and the duration of the cache. The implementation of AllocateInputs and IsSynchronous simply delegate to the original invoker. I’ll also use two helper functions, GetCache (which simply returns the ASP.NET cache object / default MemoryCache instance) and CreateCacheKey (which creates a string value to be used as the key in the cache). Since the cache is a global object, I’m using a Guid per invoker to map the key, to prevent two different operations with similar parameters from incorrectly “sharing” the same cached result.

  1.     public class CachingOperationInvoker : IOperationInvoker
  2.     {
  3.         private readonly string cacheKeySeparator = Guid.NewGuid().ToString("D");
  4.         IOperationInvoker originalInvoker;
  5.         double cacheDuration;
  6.  
  7.         public CachingOperationInvoker(IOperationInvoker originalInvoker, double cacheDuration)
  8.         {
  9.             this.originalInvoker = originalInvoker;
  10.             this.cacheDuration = cacheDuration;
  11.         }
  12.  
  13.         public object[] AllocateInputs()
  14.         {
  15.             return this.originalInvoker.AllocateInputs();
  16.         }
  17.  
  18.         public bool IsSynchronous
  19.         {
  20.             get { return this.originalInvoker.IsSynchronous; }
  21.         }
  22.  
  23. #if Webhosted
  24.         private Cache GetCache()
  25.         {
  26.             return HttpRuntime.Cache;
  27.         }
  28. #else
  29.         private ObjectCache GetCache()
  30.         {
  31.             return MemoryCache.Default;
  32.         }
  33. #endif
  34.  
  35.         private string CreateCacheKey(object[] inputs)
  36.         {
  37.             StringBuilder sb = new StringBuilder();
  38.             sb.Append(this.cacheKeySeparator);
  39.             for (int i = 0; i < inputs.Length; i++)
  40.             {
  41.                 if (i > 0)
  42.                 {
  43.                     sb.Append(this.cacheKeySeparator);
  44.                 }
  45.  
  46.                 sb.AppendFormat(CultureInfo.InvariantCulture, "{0}", inputs[i]);
  47.             }
  48.  
  49.             return sb.ToString();
  50.         }
  51.     }

The synchronous version of Invoke is fairly simple – create the input keys, then check the cache for those inputs. If the result for that set of inputs is cached, return them from the cache, bypassing the service operation. Otherwise we’ll invoke the operation using the original invoker, add the results of the operation to the cache, and return the result. The class CachedResult used in this method is a simple class with two public properties, one for the return value and one for the output values from the operation.

  1.     public object Invoke(object instance, object[] inputs, out object[] outputs)
  2.     {
  3.         var cache = this.GetCache();
  4.         string cacheKey = this.CreateCacheKey(inputs);
  5.         CachedResult cacheItem = cache[cacheKey] as CachedResult;
  6.         if (cacheItem != null)
  7.         {
  8.             outputs = cacheItem.Outputs;
  9.             return cacheItem.ReturnValue;
  10.         }
  11.         else
  12.         {
  13.             object result = this.originalInvoker.Invoke(instance, inputs, out outputs);
  14.             cacheItem = new CachedResult { ReturnValue = result, Outputs = outputs };
  15. #if Webhosted
  16.             cache.Insert(cacheKey, cacheItem, null, Cache.NoAbsoluteExpiration, TimeSpan.FromSeconds(this.cacheDuration));
  17. #else
  18.             cache.Add(cacheKey, cacheItem, DateTimeOffset.UtcNow.Add(TimeSpan.FromSeconds(this.cacheDuration)));
  19. #endif
  20.             return result;
  21.         }
  22.     }

The asynchronous version is trickier. Since we’re intercepting the call in the middle and not simply routing the call to the service, we need to follow the pattern to chain asynchronous calls which I talked about in a previous post (the new Task-based asynchronous programming model is supposed to make this a lot simpler, and it will be available in WCF on the next version of the framework; I don’t know, however, whether it will be available in the inner extensibility points such as operation invokers, as they aren’t widely used). The first thing we need to pass information via a custom class, and I’ll use a class to hold the “user state” of the asynchronous calls.

  1. class CachingUserState
  2. {
  3.     public CachedResult CacheItem { get; set; }
  4.     public string CacheKey { get; set; }
  5.     public AsyncCallback OriginalUserCallback { get; set; }
  6.     public object OriginalUserState { get; set; }
  7. }
  8.  
  9. class CachedResult
  10. {
  11.     public object ReturnValue { get; set; }
  12.     public object[] Outputs { get; set; }
  13.  
  14.     public object GetValue(object[] inputs, out object[] outputs)
  15.     {
  16.         outputs = this.Outputs;
  17.         return this.ReturnValue;
  18.     }
  19. }

Next, we need to define an implementation of IAsyncResult which can carry over that new caching user state, while still returning to the caller the user state it passed to the Begin call.

  1. class CachingAsyncResult : IAsyncResult
  2. {
  3.     IAsyncResult originalResult;
  4.     CachingUserState cachingUserState;
  5.     public CachingAsyncResult(IAsyncResult originalResult, CachingUserState cachingUserState)
  6.     {
  7.         this.originalResult = originalResult;
  8.         this.cachingUserState = cachingUserState;
  9.     }
  10.  
  11.     public object AsyncState
  12.     {
  13.         get { return this.cachingUserState.OriginalUserState; }
  14.     }
  15.  
  16.     public WaitHandle AsyncWaitHandle
  17.     {
  18.         get { return this.originalResult.AsyncWaitHandle; }
  19.     }
  20.  
  21.     public bool CompletedSynchronously
  22.     {
  23.         get { return this.originalResult.CompletedSynchronously; }
  24.     }
  25.  
  26.     public bool IsCompleted
  27.     {
  28.         get { return this.originalResult.IsCompleted; }
  29.     }
  30.  
  31.     internal CachingUserState CachingUserState
  32.     {
  33.         get { return this.cachingUserState; }
  34.     }
  35.  
  36.     internal IAsyncResult OriginalAsyncResult
  37.     {
  38.         get { return this.originalResult; }
  39.     }
  40. }

Now we can start with the implementation of InvokeBegin. The operation starts like the synchronous version – first check whether we have the desired output in the cache. Then the method sets up the “caching user state”, an object which will be passed along the asynchronous calls and will be available at the callback. If the result is cached, we’ll delegate the call to the GetValue method on the CachedResult object, which will return the output and return value from the cache; if the result is not cached, we’ll instead delegate the call to the InvokeBegin in the original formatter.

When either call returns (i.e., the callback is called), our callback implementation will turn around and call the callback passed by the caller of its own InvokeBegin, to complete the callback chain up to the first caller. It’s then that caller’s responsibility to call InvokeEnd on the caching invoker.

  1. public IAsyncResult InvokeBegin(object instance, object[] inputs, AsyncCallback callback, object state)
  2. {
  3.     var cache = this.GetCache();
  4.     string cacheKey = this.CreateCacheKey(inputs);
  5.     CachedResult cacheItem = cache[cacheKey] as CachedResult;
  6.     CachingUserState cachingUserState = new CachingUserState
  7.     {
  8.         CacheItem = cacheItem,
  9.         CacheKey = cacheKey,
  10.         OriginalUserCallback = callback,
  11.         OriginalUserState = state
  12.     };
  13.  
  14.     IAsyncResult originalAsyncResult;
  15.     if (cacheItem != null)
  16.     {
  17.         InvokerDelegate invoker = cacheItem.GetValue;
  18.         object[] dummy;
  19.         originalAsyncResult = invoker.BeginInvoke(inputs, out dummy, this.InvokerCallback, cachingUserState);
  20.     }
  21.     else
  22.     {
  23.         originalAsyncResult = this.originalInvoker.InvokeBegin(instance, inputs, this.InvokerCallback, cachingUserState);
  24.     }
  25.  
  26.     return new CachingAsyncResult(originalAsyncResult, cachingUserState);
  27. }
  28.  
  29. delegate object InvokerDelegate(object[] inputs, out object[] outputs);
  30.  
  31. private void InvokerCallback(IAsyncResult asyncResult)
  32. {
  33.     CachingUserState cachingUserState = asyncResult.AsyncState as CachingUserState;
  34.     cachingUserState.OriginalUserCallback(new CachingAsyncResult(asyncResult, cachingUserState));
  35. }

When InvokeEnd is called, the caching invoker will unwrap the caching user state from the IAsyncResult parameter passed to it. If the result was cached, it will end the call of the GetValue on CacheableItem to retrieve the cached results, and then return the operation result to the caller. If the result was not cached, the method will call the InvokeEnd on the original invoker to finish the call to the service operation, and it will then insert the operation result into the cache, prior to returning the result to the caller.

  1.     public object InvokeEnd(object instance, out object[] outputs, IAsyncResult asyncResult)
  2.     {
  3.         CachingAsyncResult cachingAsyncResult = asyncResult as CachingAsyncResult;
  4.         CachingUserState cachingUserState = cachingAsyncResult.CachingUserState;
  5.         if (cachingUserState.CacheItem == null)
  6.         {
  7.             object result = this.originalInvoker.InvokeEnd(instance, out outputs, cachingAsyncResult.OriginalAsyncResult);
  8.             cachingUserState.CacheItem = new CachedResult { ReturnValue = result, Outputs = outputs };
  9. #if Webhosted
  10.             this.GetCache().Insert(cachingUserState.CacheKey, cachingUserState.CacheItem, null, Cache.NoAbsoluteExpiration, TimeSpan.FromSeconds(this.cacheDuration));
  11. #else
  12.             this.GetCache().Add(cachingUserState.CacheKey, cachingUserState.CacheItem, DateTimeOffset.UtcNow.Add(TimeSpan.FromSeconds(this.cacheDuration)));
  13. #endif
  14.             return result;
  15.         }
  16.         else
  17.         {
  18.             InvokerDelegate invoker = ((System.Runtime.Remoting.Messaging.AsyncResult)cachingAsyncResult.OriginalAsyncResult).AsyncDelegate as InvokerDelegate;
  19.             invoker.EndInvoke(out outputs, cachingAsyncResult.OriginalAsyncResult);
  20.             return cachingUserState.CacheItem.ReturnValue;
  21.         }
  22.     }

This diagram (similar to the one in the post for chaining asynchronous calls) shows the case where the result is not cached. The case in which the result is cached is similar, with the call to InvokeBegin replaced by the BeginInvoke call of the cacheable item delegate, and similarly on the end call.

OperationInvokerDiagram

And finally for testing. I’m using a “timed” WriteLine function which prints out the timestamp along with every call. Notice that the calls to the Add operation (which is not cached) take about 1 second to complete. For all the other calls (which are cached), the first call takes about 1 second as well, but the next call returns almost immediately.

  1. class Program
  2. {
  3.     static void WriteLine(string text, params object[] args)
  4.     {
  5.         if (args != null && args.Length > 0)
  6.         {
  7.             text = string.Format(text, args);
  8.         }
  9.  
  10.         Console.WriteLine("[{0}] {1}", DateTime.Now.ToString("HH:mm:ss.ffffff", CultureInfo.InvariantCulture), text);
  11.     }
  12.  
  13.     static void Main(string[] args)
  14.     {
  15.         string baseAddress = "https://" + Environment.MachineName + ":8000/Service";
  16.         ServiceHost host = new ServiceHost(typeof(Service), new Uri(baseAddress));
  17.         host.AddServiceEndpoint(typeof(ITest), new BasicHttpBinding(), "");
  18.         host.Open();
  19.         WriteLine("Host opened");
  20.  
  21.         ChannelFactory<ITest> factory = new ChannelFactory<ITest>(new BasicHttpBinding(), new EndpointAddress(baseAddress));
  22.         ITest proxy = factory.CreateChannel();
  23.  
  24.         WriteLine("Add(4, 5): {0}", proxy.Add(4, 5));
  25.         WriteLine("Add(4, 5): {0}", proxy.Add(4, 5));
  26.  
  27.         AutoResetEvent evt = new AutoResetEvent(false);
  28.         proxy.BeginPower(2, 64, delegate(IAsyncResult asyncResult)
  29.         {
  30.             WriteLine("Pow(2, 64): {0}", proxy.EndPower(asyncResult));
  31.             evt.Set();
  32.         }, null);
  33.         evt.WaitOne();
  34.  
  35.         proxy.BeginPower(2, 64, delegate(IAsyncResult asyncResult)
  36.         {
  37.             WriteLine("Pow(2, 64): {0}", proxy.EndPower(asyncResult));
  38.             evt.Set();
  39.         }, null);
  40.         evt.WaitOne();
  41.  
  42.         WriteLine("Reverse(\"Hello world\"): {0}", proxy.Reverse("Hello world"));
  43.         WriteLine("Reverse(\"Hello world\"): {0}", proxy.Reverse("Hello world"));
  44.  
  45.         int i;
  46.         WriteLine("TryParseInt(123): {0}, {1}", proxy.TryParseInt("123", out i), i);
  47.         WriteLine("TryParseInt(123): {0}, {1}", proxy.TryParseInt("123", out i), i);
  48.  
  49.         proxy.BeginTryParseDouble("34.567", delegate(IAsyncResult asyncResult)
  50.         {
  51.             double dbl;
  52.             WriteLine("TryParseDouble(34.567): {0}, {1}", proxy.EndTryParseDouble(out dbl, asyncResult), dbl);
  53.             evt.Set();
  54.         }, null);
  55.         evt.WaitOne();
  56.  
  57.         proxy.BeginTryParseDouble("34.567", delegate(IAsyncResult asyncResult)
  58.         {
  59.             double dbl;
  60.             WriteLine("TryParseDouble(34.567): {0}, {1}", proxy.EndTryParseDouble(out dbl, asyncResult), dbl);
  61.             evt.Set();
  62.         }, null);
  63.         evt.WaitOne();
  64.  
  65.         WriteLine("Press ENTER to close");
  66.         Console.ReadLine();
  67.         host.Close();
  68.     }
  69. }

And that’s it for the code.

Coming up

Instance providers, or how can we can control the instances of the service classes which are used by WCF.

[Code in this post]

[Back to the index]