出于某种原因,我无法正确查询,我无法理解为什么......
我有一个名为'Blog'的对象,它有一个Id和一个'Tag'列表 每个“标记”都有一个ID和一个“名称”属性。
由于这是多对多关系,我有另一个名为'blog_tags'的表连接它们。
映射看起来像这样:
public class BlogsMapping : ClassMap<Blog>
{
Table("blogs");
Id(x => x.Id).GeneratedBy.Identity();
Map(x => x.Content);
HasManyToMany(x => x.Tags)
.Table("Blog_Tags")
.ParentKeyColumn("BlogId")
.ChildKeyColumn("TagId")
.Not.LazyLoad()
.Cascade.All();
}
public class TagsMapping : ClassMap<Tag>
{
Table("tags");
Id(x => x.Id).GeneratedBy.Identity();
Map(x => x.Name);
}
我想检索一个包含以下所有标签的博客列表。
我想做这样的事情:
public IList<Blog> Filter(string[] tags)
{
var blogs = _session.QueryOver<Blog>()
.Where(x => x.Tags.ContainsAll(tags));
return blogs.ToList();
}
我尝试了几种不同的方式,但总是会遇到不同的奇怪错误,所以我希望有人能指出我正确的方向......
答案 0 :(得分:2)
你应该能够做到这样的事情:
string[] tagNames = new string[2]{ "Admins", "Users" };
using (NHibernate.ISession session = SessionFactory.GetCurrentSession())
{
IList<Blog> blogsFound = session.QueryOver<Blog>()
.Right.JoinQueryOver<Tags>(x => x.Tags)
.WhereRestrictionOn(x => x.Name).IsIn(tagNames)
.List<Blog>();
}
以下是我在讨论子查询时所说的内容。这不是一个真正的子查询,但你必须得到一个你不希望包含在结果中的值列表(标签名称)。
string[] tagNames = new string[2]{ "Admins", "Users" };
IList<string> otherTags =
session.QueryOver<Tag>()
.WhereRestrictionOn(x => x.Name).Not.IsIn(tagNames)
.Select(x => x.Name)
.List<string>();
string[] otherTagNames = new string[otherTags.Count];
otherGroups.CopyTo(otherTagNames, 0);
IList<Blog> blogsFound =
session.QueryOver<Blog>()
.Right.JoinQueryOver<Tag>(x => x.Tags)
.WhereRestrictionOn(x => x.Name).IsIn(tagNames)
.WhereRestrictionOn(x => x.Name).Not.IsIn(otherTagNames)
.List<Blog>();