Blocking Duplicate Quotes in Dynamics 365 Sales Professional / Enterprise (C#)

As you might be able to tell from other recent blog posts, I’ve been doing lots of work lately with Dynamics 365 Sales and, specifically, the Professional variant of the application. Sales Professional can be best thought of as a “lite” CRM system, with much of the same type of functionality as we’d expect from the full-blown Enterprise application. I’ve blogged previously on the subject of differences between the two versions. The only major thing you lose with the Professional application is access to things like Competitors and restrictions on the number of custom tables that you can include as part of your solution. It’s worth consulting the licensing guide to break down the differences in detail before making a decision. Still, if you are in the market for your very first CRM system, you can’t go far wrong with considering Dynamics 365 Sales Professional.
As was the case with last week’s jolly jaunt into Dynamics 365 Sales, I was dealing yet again with another unusual requirement. In this case, the organisation in question wanted to have it so that only a single Draft Quote could ever exist for an Opportunity in the system. As part of the solution, some additional automation and reporting requirements relied upon information present within the most current Quote issued to Customers and salespeople in the organisation were, very often, creating multiple Quotes without realising. So we needed an approach that would prevent the duplicates from ever getting made. Duplicate Detection Rules provide a mechanism to discourage users from creating duplicate rows, but users could still override this if they felt mischievous. Therefore, we decided that a server-side solution and, specifically, a C# plug-in would be required to prevent duplicates from being created altogether. As far as I know, this is the only way we can meet such a requirement; answers on a postcard, though, if you think there’s a better way. 😉 With all of this in mind then, below is the code that was implemented to achieve the requirement:
namespace JJG.MyPlugins
{
using System;
using Microsoft.Xrm.Sdk;
using Microsoft.Xrm.Sdk.Query;
/// <summary>
/// Blocks the Create or Update action for a Quote, if it's detected that another Draft Quote exists linked to the same Opportunity.
/// </summary>
public class BlockDuplicateQuoteForOpportunity : IPlugin
{
public void Execute(IServiceProvider serviceProvider)
{
IPluginExecutionContext context = (IPluginExecutionContext)serviceProvider.GetService(typeof(IPluginExecutionContext));
ITracingService tracer = (ITracingService)serviceProvider.GetService(typeof(ITracingService));
// Check for EntityType and Message supported by your Plug-In
if (!(context.MessageName == "Create" || context.MessageName == "Update") || context.PrimaryEntityName != "quote")
{
throw new InvalidPluginExecutionException($"Plug-In {this.GetType()} is not supported for message {context.MessageName} of {context.PrimaryEntityName}");
}
tracer.Trace($"Starting execution of {nameof(BlockDuplicateQuoteForOpportunity)}");
// Get the newly create Quote (Create) or the Post Image for the Quote (Update), and the Opportunity lookup value
Entity quote = (Entity)context.InputParameters["Target"];
EntityReference opportunity = quote.GetAttributeValue<EntityReference>("opportunityid");
if (opportunity == null)
{
tracer.Trace($"No Opportunity is present for Quote ID {quote.Id}. Cancelling plug-in execution");
return;
}
// Attempt to retrieve other Draft Quotes that are linked to the same Opportunity ID we have here
tracer.Trace($"Attempting to retrieve other Quote rows linked to Opportunity ID {opportunity.Id}...");
IOrganizationServiceFactory serviceFactory = (IOrganizationServiceFactory)serviceProvider.GetService(typeof(IOrganizationServiceFactory));
IOrganizationService service = serviceFactory.CreateOrganizationService(context.UserId);
QueryExpression qe = new QueryExpression()
{
EntityName = "quote",
ColumnSet = new ColumnSet("quoteid"),
Criteria =
{
Conditions =
{
new ConditionExpression("opportunityid", ConditionOperator.Equal, opportunity.Id),
new ConditionExpression("statecode", ConditionOperator.Equal, 0),
new ConditionExpression("quoteid", ConditionOperator.NotEqual, quote.Id),
},
},
};
EntityCollection quotes = service.RetrieveMultiple(qe);
tracer.Trace($"Got {quotes.Entities.Count} Quotes!");
// If one or more exist, then we throw an error to block the Create / Association
if (quotes.Entities.Count >= 1)
{
tracer.Trace($"Multiple Draft Quotes exist for Opportunity ID {opportunity.Id}. Throwing error to cancel operation...");
throw new InvalidPluginExecutionException("Draft Quote(s) already exist for the selected Opportunity. Only a single Draft Quote is allowed. Please edit or delete the other Draft Quote(s) before proceeding.");
}
else
{
tracer.Trace($"No other Draft Quotes are linked to Opportunity ID {opportunity.Id}. No action required. Cancelling plug-in execution");
return;
}
}
}
}
When registering this plug-in into the application, ensure that it’s aligned to the Post-Operation step on the following messages indicated below:
For the Update step, we also specifically filter on just the opportunityid row, to ensure the plug-in doesn’t fire unnecessarily:
When the user then attempts to create or associate more than one Quote to a single Opportunity, this will be the error message they will receive:
Because the plug-in throws the InvalidPluginExecutionException error message, the platform will roll back the entire transaction. We can then inject our own custom message into the dialog that appears.
As alluded to earlier, having a low/no-code solution to achieve this requirement would be preferred. But, unless I’m missing something obvious, doing something similar via a real-time workflow would be impossible due to the RetrieveMultiple request we have to perform to get other pre-existing Quotes. As much as I make a living out of implementing these types of solutions, we should always be cautious of adopting a code-first mindset if other routes are available to us within Dynamics 365 Sales and the Power Platform. Take care to understand the “baggage” involved with a solution like this so that you don’t get caught out in future as part of an upgrade or when you later incorporate additional functionality into the equation.
Published on:
Learn moreRelated posts
Debunking: Dynamics CRM Destination – How Text Lookup Works
When we want to push data to Dataverse/Dynamics CRM using SSIS – KingswaySoft, usually there are relationships (lookup) that we need to ...
Understanding Activity Party Types in Dynamics 365 CE
Dynamics 365 Customer Engagement features 11 unique activity party types, identified by specific integer values in the ActivityParty.Participa...
Debunking: KingswaySoft Dynamics CRM Source- Output Timezone
Hi! I’m back after so a long hiatus (probably I’ll write the reason for this later 🤣). As [lazy] Developers, we’re most lik...
How to configure donotreply email using Shared mailboxes in Dynamics 365 CE?
This article explains how to create and configure a Shared Mailbox in Microsoft 365 for sending emails to users in Dynamics 365 CE. It details...
Customer ROI with Dynamics 365 Sales
Why Microsoft Dynamics 365 Sales is the Ultimate Tool for Sales Pipeline Optimization
Table of Contents Introduction Sales teams don’t struggle to close deals—they struggle to manage everything that comes before the close.…...
Dynamics 365 Sales | Unable to start free trial
While trying to provision a Dynamics 365 Sales free trial using my work account, I was constantly getting this error ‘We are unable to s...
Dynamics 365 Sales – Find, filter, and sort using natural language with smart grid
We are announcing the find, filter, and sort using natural language with smart grid feature for Dynamics 365 Sales. With this feature users ca...
MWC 2025 Dynamics 365 Sales and Field Service
Enhancing Knowledge Retrieval with Microsoft Copilot Agents in Dynamics CRM and SharePoint
Studies show that 70% of employees spend unnecessary time searching for information across multiple systems, leading to productivity losses an...