我正在尝试使用Linq检索实体的所有记录,条件是参数中的其中一个属性在记录中为真。
我正在努力实现逻辑“或”,请查看代码,因为它会更有意义。
在FetchXML中,它正在运行:
public void GetLock(bool account = false, bool contact = false, bool incident = false)
{
var fetch = @"
<fetch mapping='logical'>
<entity name='de_processimport'>
<attribute name='de_processimportid' />
<filter type='or'>";
if (account)
fetch += @"<condition attribute='de_processingaccount' operator='eq' value='true' />";
if (contact)
fetch += @"<condition attribute='de_processingcontact' operator='eq' value='true' />";
if (incident)
fetch += @"<condition attribute='de_processingincident' operator='eq' value='true' />";
fetch += @"
</filter>
</entity>
</fetch>";
var processing = service.RetrieveMultiple(new FetchExpression(fetch));
...
}
在Linq中,它不起作用:
public void GetLock(bool account = false, bool contact = false, bool incident = false)
{
var processing = linq.de_processimportSet
.Where(p => // get records that are processing the entities we are processing
(account) ? p.de_ProcessingAccount == true : false // get processImport records where processingAccount is true or otherwise ignore this clause (false)
|| (contact) ? p.de_ProcessingContact == true : false
|| (incident) ? p.de_ProcessingIncident == true : false
);
...
}
答案 0 :(得分:1)
CRM读取创建的Linq语句,非常特别。这应该适合您,因为该集合的类型为IQueryable,您可以根据需要添加where语句:
public void GetLock(bool account = false, bool contact = false, bool incident = false)
{
var query = linq.de_processimportSet;
if(account){
query = query.Where(p => p.de_ProcessingAccount);
}
if(contact){
query = query.Where(p => p.de_ProcessingContact);
}
if(incident){
query = query.Where(p => p.de_ProcessingIncident);
}
var processing = query.ToList();
}
CRM的Linq不支持开箱即用,但您可以下载LinqKit并使用它的谓词构建器和AsExpandable
魔法来使其工作。 Check out a similar example here
在这种情况下,您也可以放弃Linq并使用查询表达式:
public void GetLock(bool account = false, bool contact = false, bool incident = false)
{
var qe = new QueryExpression("de_processimport");
qe.ColumnSet = new ColumnSet(true);
if(account){
qe.AddCondition("de_processingaccount" ConditionOperator.Equal, true);
}
if(contact){
qe.AddCondition("de_processingcontact" ConditionOperator.Equal, true);
}
if(incident){
qe.AddCondition("de_processingincident" ConditionOperator.Equal, true);
}
var processing = service.RetrieveMultiple(qe).Entities.Select(c => c.ToEntity<de_processimport>());
}