CRM Plugin - Parent and Child Pipeline

This concept tends to confuse people often - and I was no exception. I came across this problem when trying to create custom auto-numbering for one of my projects.

Creating auto-number for Opportunity is easy. This is because the user creates opportunity straight from the home screen - thus the plugin runs on parent pipeline. However, it's a different story if you are dealing with Quote entity.

Quote can be created in 2 ways, through the home screen OR the opportunity screen. If you create it from the latter, it will run on the child pipeline and you will find that your plugin will not work.

Registering it as a child pipeline is easy, but CRM makes it harder since you can't use ICRMService. Instead, you have to create CRMService manually by using this piece of code:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
public static CrmService CreateCrmService(IPluginExecutionContext context, Boolean flag)
{
    var authToken = new CrmAuthenticationToken { AuthenticationType = 0, OrganizationName = context.OrganizationName, CallerId = (flag ? context.UserId : context.InitiatingUserId) };
 
    var corToken = new CorrelationToken { CorrelationId = context.CorrelationId, CorrelationUpdatedTime = context.CorrelationUpdatedTime, Depth = context.Depth };
 
    var regkey = Registry.LocalMachine.OpenSubKey("SOFTWARE\\Microsoft\\MSCRM", false);
 
    var service = new CrmService
    {
        CrmAuthenticationTokenValue = authToken,
        UseDefaultCredentials = true,
        Url = String.Concat(regkey.GetValue("ServerUrl").ToString(), "/2007/crmservice.asmx"),
        CorrelationTokenValue = corToken
    };
 
    return service;
}


Not only that, with the child plugin you can't use Query expression to fetch other entities in your code unless you register it as ASYNCHRONOUS plugin. Mark Kovalcson in his blog found out that:

A CrmService running Synchronously in a child pipeline is limited to the following:

Create
Delete
Update
RetrieveExchangeRate


However a child plugin running in Asynchronous Execution Mode is not limited this way.

Those 4 allowed actions are hard coded by MS whenever the plugin is executed inside a transaction, and it appears that all synchronous child pipeline events occur inside a transaction.

However you can do a query in child pipeline if it is registered as asynchronous.

In review:

Use ICrmService for all parent pipelines when at all possible.
Use CrmService for child pipelines in asynchronous execution mode.
There is very limited functionality allowed with CrmService for any plugin registered in a synchronous child pipeline
Querying CRM data in a plug-in registered as a synchronous Pre Create in a child process is currently very unsupported. (ie. direct SQL access)


In the end, if you want to generate a custom auto-number for QuoteNo, you have to create a child post create plugin and register it as asynchronous (in order to query the quote and update the entity). The code is shown below:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
using System;
using System.Web.Services.Protocols;
using Microsoft.Crm.Sdk;
using Microsoft.Crm.SdkTypeProxy;
 
namespace My.Plugins
{
    public class QuoteChildPostCreatePlugin : IPlugin
    {
        public void Execute(IPluginExecutionContext context)
        {
            if (context.InputParameters.Properties.Contains(ParameterName.Target) &&
                context.InputParameters.Properties[ParameterName.Target] is DynamicEntity)
            {
 
                DynamicEntity quo_entity = (DynamicEntity)context.InputParameters[ParameterName.Target];
                var quoteId = new Guid(context.OutputParameters.Properties["id"].ToString());
 
                if (quo_entity.Name != EntityName.quote.ToString())
                    return;
 
                try
                {
                    //Child pipeline!
                    CrmService crmservice = CrmHelper.CreateCrmService(context, true);
                    AutoNumberService aservice = new AutoNumberService(crmservice);
 
                    QuoteNoCalculator quote_no_calc = new QuoteNoCalculator(aservice);
                    var quoteNo = quote_no_calc.ChildGetQuoteNoFor("Quote");
 
                    DynamicEntity quoEnt = crmservice.GetEntityByIdentity("quote", "quoteid", quoteId);
                    quoEnt.AssignStringValueForField("new_quotenumber",quoteNo);
                    crmservice.Update(quoEnt);
 
                }
 
                catch (SoapException ex)
                {
                    throw new InvalidPluginExecutionException(ex.Message);
                }
 
            }
        }
 
    }
}


In this case I'm creating quote with the format SQ00001. The rest of the related code is below:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
using System;
 
namespace My.Plugins
{
    public class QuoteNoCalculator
    {
        private readonly AutoNumberService _aservice;
        public QuoteNoCalculator(AutoNumberService service)
        {
            _aservice = service;
        }
 
        private string GetFormattedQuoteNo(int value)
        {
            return String.Concat("SQ", String.Format("{0:00000}", value));
        }
         
        public string ChildGetQuoteNoFor(string name)
        {
            int value = ChildGetNextAutoNumber(name);
            return GetFormattedQuoteNo(value);
        }
         
        protected virtual int ChildGetNextAutoNumber(string name)
        {
            return _aservice.ChildGetNextAutoNumber(name);
        }
    }
}


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
using System;
using Microsoft.Crm.Sdk;
using Microsoft.Crm.SdkTypeProxy;
 
namespace My.Plugins
{
    public class AutoNumberService
    {
        private readonly ICrmService _service;
        private readonly CrmService _crmservice;
 
        public AutoNumberService(ICrmService service)
        {
            _service = service;
        }
 
        public AutoNumberService(CrmService service)
        {
            _crmservice = service;
        }
       
        public int ChildGetNextAutoNumber(string name)
        {
 
            const string auto_number_field = "new_autonumbervalue";
 
            DynamicEntity entity = _crmservice.GetEntityByColumn("new_autonumber", "new_name", name);
 
            int nextAutoNumber = entity.GetIntegerValueFor(auto_number_field);
 
            if (nextAutoNumber == Int32.MinValue)
                throw new InvalidPluginExecutionException("Can not find a entry in the auto number table for Quote");
 
            entity.AssignNumberValueForField(auto_number_field, ++nextAutoNumber);
            _crmservice.Update(entity);
 
            return nextAutoNumber;
        }
    }
}


Note that for autonumbering:
  • I created new custom entity new_autonumber
  • Create 2 attributes : new_name and new_autonumbervalue
  • Create new record. "Quote" as new_name, 0 as new_autonumbervalue

I hope you find this useful. People who think the CRM autoprefix is ugly will agree with me :)

Andreas

Comments

Popular posts from this blog

SharePoint 2013 anonymous access add attachments to list item