Post Custom Message to Azure Service Bus

2022-05-01

All articles from this blog can ONLY be redistributed on an Attribution-NonCommercial-NoDerivs basis. Please credit the source, thank you.
Twitter:@kelvinshen
Blog:Kelvin Shen's Blog

Service Endpoints and Azure-aware Plugins

Service endpoints allow you to send Dynamics 365 plugin execution context to Azure Service Bus, Topic, or Event Hub.

Suppose you are not happy with the OOTB behaviour of Service Endpoints. In that case, you can register Azure-aware plugin steps to manipulate the current execution context before sending it down the wire.

Limitation: Message Size Overhead and Rigid Schema

Service endpoints send out an serialised (RemoteExecutionContext)[https://docs.microsoft.com/en-us/dotnet/api/microsoft.xrm.sdk.remoteexecutioncontext?view=dataverse-sdk-latest&viewFallbackFrom=dynamics-general-ce-9] object (with manipulation or not). So, the messages have a lot of overhead the receiver may not need. For example, suppose you only want to send a message to inform about a record status change. In that case, the PluginExecutionContext object will come with information about the current user, context depth, all the changed fields, etc.

In a perfect world, I should be able to dictate the exact JSON message schema my plugin will produce. But unfortunately, I don’t have a say on the output message schema. It is because service endpoints can only serialize PluginExecutionContext objects.

Limitation: Session Enabled Service Bus or Topic

A session enabled service bus or topic will guarantee the FIFO (First In First Out) order of message processing which is important in many scenarios. Unfortunately, service endpoints don’t seem to support this feature.

Solution: Plugins

So, if I can send out messages programmatically from plugins, I will be able to bypass the above-mentioned limitations.

Use HttpClient instead of ServiceBusClient

You can find plenty of code examples of sending messages to Azure Service Bus. Many of them are ServiceBusClient Class based. Unfortunately, D365 doesn’t allow you to register plugin assemblies depending 3rd party libraries, and using ILmerge is hugely frowned upon.

So, you will need complete the feat with just the HttpClient class. Ajit Patra has an excellent article about posting custom messages to Azure Service Bus Queue C#. The key is to get an SAS token for your HTTP POST request.

I also enjoyed his blog post about sending messages to session enabled Azure Service Bus Queues and Topics.

My Improvements

For my production codebase, I made a couple of improvements to Ajit’s example code.

  • I added some handler code for unsuccessful HTTP responses. A quick tip: Azure Service Bus returns HTTP status code 201 on a successful POST.
  • I added retry capabilities to the Post method.

I hope you will find the code snippet below helpful.

public HttpResponseMessage Post(string requestUri, string content, string sessionId, ITracingService tracer)
{
    const string MEDIA_TYPE = "application/json";
    const int RETRY_WAIT_MIllISECONDS = 3000;
    StringContent request;
    HttpResponseMessage response = null;

    int attempt = 0;
    while (attempt < _maxRetryCount)
    {
        try
        {
            _httpClient.DefaultRequestHeaders.Clear();
            if (!String.IsNullOrEmpty(sessionId))
            {
                var brokerProperties = new BrokerProperties { SessionId = sessionId };
                _httpClient.DefaultRequestHeaders.Add("BrokerProperties", brokerProperties.SerializeToJson());
            }
            _httpClient.DefaultRequestHeaders.Add("Authorization", _authorization);
            _httpClient.DefaultRequestHeaders.Accept.Add(new System.Net.Http.Headers.MediaTypeWithQualityHeaderValue(MEDIA_TYPE));

            request = new StringContent(content, Encoding.UTF8, MEDIA_TYPE);

            response = _httpClient.PostAsync(requestUri, request)?.Result;

            if (response.IsSuccessStatusCode)
            {
                tracer.Trace($"{nameof(ServiceBusTopicClient)}.{nameof(Post)} was successful. HTTP Status Code = {(int)response.StatusCode}. Request = {content}");
                return response;
            }
            else
            {
                tracer.Trace($"{nameof(ServiceBusTopicClient)}.{nameof(Post)} returned error. HTTP Status Code = {(int)response.StatusCode}. Request = {content}");
            }
        }
        catch (Exception exp)
        {
            tracer.Trace($"Unable to Send Request. {nameof(ServiceBusTopicClient)}.{nameof(Post)}. {nameof(sessionId)}={sessionId}, {nameof(content)}={content}. \r\nInner Exception={exp.Message} \r\nStackTrack={exp.StackTrace}");
        }
        finally
        {
            attempt++;
            Thread.Sleep(RETRY_WAIT_MIllISECONDS);
        }
    }

    return null;
}

References

Leave a Reply

comments powered by Disqus


Table of Content