LINQ多对多关系,如何编写正确的WHERE子句?

时间:2012-05-08 19:58:11

标签: c# linq entity-framework-4 dbcontext

我为我的桌子使用多对多的关系。

有一个查询:

var query = from post in context.Posts
        from tag in post.Tags where tag.TagId == 10
        select post;

好的,它运作正常。我收到了由id。

指定的标签的帖子

我有一组标签ID。我希望收到包含我的收藏品中每个标签的帖子。

我尝试以下方式:

var tagIds = new int[]{1, 3, 7, 23, 56};

var query = from post in context.Posts
        from tag in post.Tags where tagIds.Contains( tag.TagId )
        select post;

它不起作用。该查询返回所有具有任何指定标签的帖子。

我希望得到一个这样的子句,但是对于集合中的任何标签数量都是动态的:

post.Tags.Whare(x => x.TagId = 1 && x.TagId = 3 && x.TagId = 7 && ... )

4 个答案:

答案 0 :(得分:28)

您不应在外部查询中投射每个帖子的标签;相反,您需要使用内部查询来执行外部过滤器的检查。 (在SQL中,我们以前将其称为correlated subquery。)

var query = 
    from post in context.Posts
    where post.Tags.All(tag => tagIds.Contains(tag.TagId))
    select post;

替代语法:

var query = 
    context.Posts.Where(post =>
        post.Tags.All(tag => 
            tagIds.Contains(tag.TagId)));

修改:按Slauma’s clarification进行更正。以下版本会返回至少包含tagIds集合中所有代码的帖子。

var query = 
    from post in context.Posts
    where tagIds.All(requiredId => post.Tags.Any(tag => tag.TagId == requiredId))
    select post;

替代语法:

var query = 
    context.Posts.Where(post => 
        tagIds.All(requiredId => 
            post.Tags.Any(tag =>
                tag.TagId == requiredId)));

编辑 2 :按照每次Slauma进行修正。还包括另一个充分利用下面的查询语法的替代方法:

// Project posts from context for which
// no Ids from tagIds are not matched
// by any tags from post
var query =
    from post in context.Posts
    where
    ( 
        // Project Ids from tagIds that are
        // not matched by any tags from post
        from requiredId in tagIds
        where
        (
            // Project tags from post that match requiredId
            from tag in post.Tags
            where tag.TagId == requiredId
            select tag
        ).Any() == false
        select requiredId 
    ).Any() == false
    select post;

我使用.Any() == false来模拟Transact-SQL中的NOT EXISTS运算符。

答案 1 :(得分:4)

这实际上很容易做到:

var tags = context.Posts.Where(post => post.Tags.All(tag => tagIds.Contains(tag)));

答案 2 :(得分:4)

如果您希望标签集合仅包含您指定的集合而不包含其他集合,则另一个选项是交叉两个列表:

var query = from post in context.Posts
  let tags = post.Tags.Select(x => x.Id).ToList()
  where tags.Intersect(tagIds).Count() == tags.Length
  select post;

答案 3 :(得分:0)

使用Any尝试。

var query = from post in context.Posts
    from tag in post.Tags where tagIds.Any(t => t == tag.TagId )
    select post;