How To Add Custom Filters That Are Asynchronous In Dynamics 365 Customer Engagement
But what if you want to do something like query the lookup entity for the given filter, and relax the criteria if nothing is found (i.e. Search by First and Last name, unless no match is found, then search by Last Name only). That either involves a blocking synchronous call (Yuck), or some form of black magic to make something asynchronous behave synchronously. Well, maybe not black magic, just 40 lines of TypeScript:
const _preSearchFilters = {} as { [index:string]:string };
/**
* Handles adding a PreSearch that is Asynchronous. To be called in the onLoad of the form. This will trigger the getFilter method to attempt to assign the filter.
* The Lookup Attribute will be disabled until the getFilter method has finished executing
* @param info Object that contains the following properties:
* control - Name of the lookup control to add the PreSearch Filter for.
* filteringEntity - If entityLogicalName is not specified, the filter will be applied to all entities valid for the Lookup control.
* getFilter - Function that returns the Promise of the filter Xml.
* triggeringAttributes - List of attributes, that if changed, will result in the filter needing to be updated.
*/
export function addAsyncPreSearch(info: { control: string, filteringEntity?: string, getFilter: () => Promise<string>, triggeringAttributes?: string[]}) {
const setAsyncFilter = async () => {
const enablePostFilter = !Xrm.Page.getControl(info.control).getDisabled();
if (enablePostFilter) {
Xrm.Page.getControl(info.control).setDisabled(true);
}
try {
_preSearchFilters[info.control] = await info.getFilter();
} catch (e) {
console.error(`Error occurred attempting to get the preSearch filter for ${info.control}`, e);
_preSearchFilters[info.control] = "";
} finally {
if (enablePostFilter) {
Xrm.Page.getControl(info.control).setDisabled(false);
}
}
};
Xrm.Page.getControl(info.control).addPreSearch((context: Xrm.Page.EventContext) => {
const ctrl = (context.getEventSource() as Xrm.Page.LookupControl);
if (ctrl && ctrl.addCustomFilter) {
ctrl.addCustomFilter(_preSearchFilters[ctrl.getName()], info.filteringEntity);
}
});
if (info.triggeringAttributes && info.triggeringAttributes.length > 0) {
for (const att of info.triggeringAttributes) {
Xrm.Page.getAttribute(att).addOnChange(setAsyncFilter);
}
}
setAsyncFilter();
}
That’s a lot of code, let’s walk through it.
First, a module level field (_preSearchFilters) that stores the filters for each control is declared and instantiated (note there is an assumption that you will only ever have one filter per control, which I think is pretty safe). For those of you new to TypeScript, “{ [index:string]:string }” is how you define that the field is an object, which is indexable by a string, returning string. This would be equivalent to a C# Dictionary<string,string>.
Next is a nested function “setAsyncFilter” that wraps the async function “getFilter” that is passed in. It handles 2 things, disabling the control until the async function finishes, and storing the result of the async function in the “_preSearchFilters”. If the control doesn’t get disabled, then there is a chance that the user could attempt to perform a search the async function determines what the filter should actually be.
After the “setAsyncFilter” definition comes the first code that is actually executed, a call to get the control, and add an anonymous function as a preSearch. The function just calls “addCustomFilter” on the control that triggered the action, with the optional filteringEntity parameter.
Next to last is an if statement to trigger the “setAsyncFilter” function, each and every time a field is updated that could potentially change the filter. This if followed by the last step, a call to “setAsyncFilter” to initialize the value in the “_preSearchFilters: field.
To use this function, just call it in the onLoad of the form:
CommonLib.addAsyncPreSearch({The call above adds an Async PreSearch to the installFee control. The filter is to be applied to the “new_installationfee” entity, and is generated by the Promise returning function, “getInstallationFilter”. Finally, a trigger is added to refresh the filter whenever the campaign or callType fields are updated. That's it.
control: Lead.fields.installFee,
filteringEntity: "new_installationfee",
getFilter: getInstallationFilter,
triggeringAttributes: [Lead.fields.campaign,
Lead.fields.callType]
});
Chalk one up to TypeScript for handling the async/await. Just don’t forget to polyfill your Promise call, or your IE 11 users won’t be too happy
Published on:
Learn moreRelated posts
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...
{How to} become MCT Microsoft Certified Trainer on Microsoft Dynamics 365 Customer Engagement step by step instructions
Hello Everyone,Today i am going to share guidelines on becoming Microsoft Certified Trainer on Microsoft Dynamics 365 Customer Engagement or P...
Default Value vs. Current Value in Dynamics 365 CE: Key Differences
In Dynamics 365 CE (Customer Engagement), environment variables are used to manage configuration settings for solutions. When dealing with env...
How to Write and Understand a Dynamics CRM Plugin
Here’s a sample plugin code in Dynamics CRM written in C#, along with a detailed explanation of each line. This plugin will update the "...
Dynamics 365 CE Solution Import Failed in Azure DevOps Pipelines
Got the below error while importing Dynamics CRM Solution via Azure DevOps Pipeline. 2024-12-18T23:14:20.4630775Z ]2024-12-18T23:14:20.74...
Exploring the Differences: Managed vs. Unmanaged Solutions in Dynamics CRM/Dataverse
In Dynamics CRM/Dataverse, solutions are central to Application Lifecycle Management (ALM), providing a structured way to manage, package, and...
Effective Strategies for Debugging Plugins in Dynamics CRM
In a recent interview, I was asked about debugging plugins in Dynamics CRM. The interviewer specifically wanted to know my approach to plugin ...
Is Microsoft Dynamics CRM Affordable for Small Nonprofits?
Satish Reddy By Satish Reddy | Reading time 6 mins When considering a CRM solution, affordability is often a primary concern for small no...
How Microsoft Dynamics CRM Services Helps a Startup Nonprofit
Satish Reddy By Satish Reddy | Reading time 6 mins For startup nonprofits, the right Customer Relationship Management (CRM) system can be...
Easy Plugin Registration Tool Installation for Dynamics 365 CE Developers
Hi Folks, Are you a Power Platform or Dynamics 365 CE Developer, you would definitely need to work on Plugin Registration tool at any given po...