我对表使用多对多关系。

有一个查询:

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 && ... )

最佳答案

您不应该在外部查询中投影每个帖子的标签;相反,您需要使用内部查询来执行外部过滤器的检查。 (在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)));

Edit2 :上面根据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运算符。

关于c# - LINQ多对多关系,如何编写正确的WHERE子句?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/10505595/

10-10 01:51