我被要求创建一个包含适合日期范围的实体的视图。因此,如果实体的new_date1
字段小于今天,并且其new_date2
字段大于今天,则该实体应显示在表单上的子网格中。
不幸的是,你不能用简单的视图做到这一点,因为FetchXML不支持可以返回今天日期的计算和运算符。
我想出了在实体上创建Active
字段的想法,然后根据输入的日期范围设置该字段的javascript规则。
然后,视图可以使用Active
字段作为过滤条件。
问题在于,如果实体的表单暂时没有打开,实体可能会变为非活动状态(例如,今天的日期现在超出了date1
和date2
)但是如果用户不是打开实体的表单,该字段不会自行更新,视图会将非活动实体显示为活动实体。
所以我想到有一个计划的工作流收集所有应该处于活动状态或非活动状态的实体,然后这个工作流启动一个子工作流,将Active
标志设置为是或否。
以下是一些涉及的代码:
private void LaunchUpdateOpportunityWorkflow(IOrganizationService service, ITracingService tracingService, DataCollection<Entity> collection, bool active)
{
foreach (Entity entity in collection)
{
//launch a different workflow, depending on whether we want it active or inactive...
Guid wfId = (active) ? setActiveWorkflowId : setInactiveWorkflowId;
ExecuteWorkflowRequest execRequest = new ExecuteWorkflowRequest();
execRequest.WorkflowId = wfId;
execRequest.EntityId = (Guid)entity["opportunityid"];
try
{
CrmServiceExtensions.ExecuteWithRetry<ExecuteWorkflowResponse>(service, execRequest);
}
catch (Exception ex)
{
tracingService.Trace(string.Format("Error executing workflow for opportunity {0}: {1}", entity["opportunityid"], ex.Message));
}
}
}
收集相关DataCollection
的过程是通过简单的RetrieveMultipleRequest
请求完成的。
该方法的问题在于,如果服务器重新启动,则必须有人去启动运行上述代码的工作流。
有更好的方法吗?我正在使用MS CRM 2016。
答案 0 :(得分:3)
添加到Jame的答案,如果使用fetchxml无法实现过滤器标准变得复杂,您可以随时使用插件。
在&#34; RetrieveMultiple&#34;上注册一个插件消息。
var queryExpression = PluginExecutionContext.InputParameters["Query"];
if(queryExpression == null || !queryExpression.EntityName.equals("yourentityname", StringComparison.InvariantCultureIgnoreCase) return;
添加高级查找唯一的条件,因为无法过滤掉哪个高级查找在您的实体上触发插件,实现此操作的最简单方法是添加属性并在高级查找查询。
检查条件,如果找到,用户正在尝试运行您已设置的高级查找:
if (queryExpression.Criteria == null || queryExpression.Criteria.Conditions == null ||
!queryExpression.Criteria.Conditions.Any()) return;
找到匹配条件,以便您可以将其删除并添加您希望按以下条件过滤数据的条件:
var matchContidion = queryExpression.Criteria.Conditions.FirstOrDefault(c => c.AttributeName == "yourflagattribute");
if (matchContidion == null) return;
删除虚拟匹配条件并添加自己的标准:
queryExpression.Criteria.Conditions.Remove(matchContidion);
queryExpression.Criteria.Conditions.Add(new ConditionExpression("new_date1", ConditionOperator.LessThan, DateTime.Now));
queryExpression.Criteria.Conditions.Add(new ConditionExpression("new_field2", ConditionOperator.Equals, "Some complex value which cannot be set using fetchxml")); //for example, based on certain values, you might want to call a webservice to get the filter value.
答案 1 :(得分:1)