LINQ 多对多关系,如何编写正确的 WHERE 子句
本文关键字:子句 WHERE 关系 LINQ 何编写 | 更新日期: 2023-09-27 18:33:37
我对表使用多对多关系。
有一个查询:
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中,我们习惯称其为相关子查询。
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的澄清进行更正。下面的版本返回至少包含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
运算符。
这实际上很容易做到:
var tags = context.Posts.Where(post => post.Tags.All(tag => tagIds.Contains(tag)));
另一种选择是,如果您希望标签集合仅包含您指定的集合而不包含其他集合,则与两个列表相交:
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;
尝试用Any
.
var query = from post in context.Posts
from tag in post.Tags where tagIds.Any(t => t == tag.TagId )
select post;