我一直在尝试使用Linq将表达式的动态列表传递给MongoDB C#驱动程序查询...例如,此方法适用于针对ORM的常规Linq查询,但在应用于此时会导致错误一个MongoDB查询......(仅供参考:我也在使用LinqKit的PredicateBuilder)
//
// I create a List of Expressions which I can then add individual predicates to on an
// "as-needed" basis.
var filters = new List<Expression<Func<Session, Boolean>>>();
//
// If the Region DropDownList returns a value then add an expression to match it.
// (the WebFormsService is a home built service for extracting data from the various
// WebForms Server Controls... in case you're wondering how it fits in)
if (!String.IsNullOrEmpty(WebFormsService.GetControlValueAsString(this.ddlRegion)))
{
String region = WebFormsService.GetControlValueAsString(this.ddlRegion).ToLower();
filters.Add(e => e.Region.ToLower() == region);
}
//
// If the StartDate has been specified then add an expression to match it.
if (this.StartDate.HasValue)
{
Int64 startTicks = this.StartDate.Value.Ticks;
filters.Add(e => e.StartTimestampTicks >= startTicks);
}
//
// If the EndDate has been specified then add an expression to match it.
if (this.EndDate.HasValue)
{
Int64 endTicks = this.EndDate.Value.Ticks;
filters.Add(e => e.StartTimestampTicks <= endTicks);
}
//
// Pass the Expression list to the method that executes the query
var data = SessionMsgsDbSvc.GetSessionMsgs(filters);
GetSessionMsgs()方法在数据服务类中定义...
public class SessionMsgsDbSvc
{
public static List<LocationOwnerSessions> GetSessionMsgs(List<Expression<Func<Session, Boolean>>> values)
{
//
// Using the LinqKit PredicateBuilder I simply add the provided expressions
// into a single "AND" expression ...
var predicate = PredicateBuilder.True<Session>();
foreach (var value in values)
{
predicate = predicate.And(value);
}
//
// ... and apply it as I would to any Linq query, in the Where clause.
// Additionally, using the Select clause I project the results into a
// pre-defined data transfer object (DTO) and only the DISTINCT DTOs are returned
var query = ApplCoreMsgDbCtx.Sessions.AsQueryable()
.Where(predicate)
.Select(e => new LocationOwnerSessions
{
AssetNumber = e.AssetNumber,
Owner = e.LocationOwner,
Region = e.Region
})
.Distinct();
var data = query.ToList();
return data;
}
}
使用LinqKit PredicateBuilder我只需将提供的表达式添加到单个“AND”表达式中......并将其应用于Where()子句中的任何Linq查询。另外,使用Select()子句我将结果投影到预定义的数据传输对象(DTO)中,并且只返回DISTINCT DTO。
这种技术通常适用于我反对我的Telerik ORM上下文实体集合...但是当我针对Mongo文档集运行时,我得到以下错误...
不支持的过滤器:调用(e =&gt;(e.Region.ToLower()==“central”), {文档})
封面下肯定会发生一些我不清楚的事情。在MongoDB documentation的C#驱动程序中,我找到了以下注意...
“投射标量时,驱动程序会将标量包装成一个标量 具有生成的字段名称的文档,因为MongoDB需要它 汇总管道的输出是文件“
但老实说,我不确定那是什么意思,或者它是否与这个问题有关。错误中“{document}”的出现表明它可能是相关的。
但是,我们将非常感谢任何其他想法或见解。在2天的大部分时间里都坚持了这个......
我确实找到了 this post 但到目前为止还不确定接受的解决方案与我所做的有多大不同。
答案 0 :(得分:3)
.Where(predicate.Compile())
这将触发使用Func<T, bool>
接口上的IQueryable<T>
方法,MongoDB驱动程序可以正常工作。