30

两个简单的查询 - 异常发生在:

matchings.Any(u => product.ProductId == u.ProductId)

怎么了?如果我改写true,一切都很好。

var matchings = (from match in db.matchings 
                 where match.StoreId == StoreId 
                 select match).ToList();

var names = (from product in db.Products
             where matchings.Any(u => product.ProductId == u.ProductId)
             select product).ToList();
4

4 回答 4

52

第一种方式:

ToList()在第一个查询中删除。

或者

//instead of retrieving mathings List, retrieve only the productIds you need (which are a List of Primitive types)
var productIdList = db.matchings
.Where(m => m.StoreId == StoreId)
.Select(x => x.ProductId)
.ToList();

var products = db.Products
.Where(p => productIdList
           .Contains(p.ProductId))
.ToList();

或者

//other way
var produts = db.Products
             .Where(p => db.matchings
                        .Any(m => m.StoreId == StoreId && 
                             m.ProductId == p.ProductId)
                    )
             .ToList();

因为我认为您在 linq2entities 中,并且您在不可能的查询中使用了匹配列表(您的主题标题往往让我相信这是您的问题)。

于 2012-06-02T13:06:30.890 回答
7

这看起来像是一个使用 join 的地方

 var query =
    from product in db.Products
    join matching in db.Matchings
    on product.ProductId equals matching.ProductId into matchGroup
    where matchGroup.Count() > 0 and matching.StoreId == StoreId
    select product;
于 2012-06-02T13:12:46.113 回答
3

在使用集合和 EF 表编写以下查询时,我遇到了同样的问题:

var result = (from listItem in list
              join dbRecord in Context.MY_TABLE
                  on listItem.MyClass.ID equals dbRecord.ID
              select new { dbRecord, listItem.SomeEnum }).ToList();

我可以通过更改源顺序来解决它in

var result = (from dbRecord in Context.MY_TABLE
              join listItem in list
                  on dbRecord.ID equals listItem.MyClass.ID
              select new { dbRecord, listItem.SomeEnum }).ToList();
于 2014-09-08T21:07:58.700 回答
1

您可以尝试以下方法。它作为我的可为空类型的 ProductId 操作系统对我有用。

IQueryable<matchings> data = db.matchings.Any(u => product.ProductId.Value == u.ProductId);

或这个

IQueryable<matchings> data = db.matchings.Any(u => product.ProductId.Value.Equals(u.ProductId));

这在我的情况下有效,因为目标 id 是可空类型,因为它指向 1:0 -> * 关系。

于 2012-10-17T14:10:41.890 回答