我正在使用S#arp架构构建电子商务网站。 我正在尝试绘制一个类别的层次并检索顶级类别。 我正在使用NHibernate.Linq。 我有以下实体:
public class Category : Entity
{
#region Properties
[DomainSignature]
[NotNullNotEmpty]
public virtual string Name { get; set; }
public virtual string Description { get; set; }
public virtual int ListOrder { get; set; }
public virtual IList<Product> Products { get; set; }
public virtual IList<Category> ParentCategories { get; set; }
public virtual IList<Category> ChildCategories { get; set; }
#endregion
public Category()
{
Products = new List<Product>();
ParentCategories = new List<Category>();
ChildCategories = new List<Category>();
}
}
使用以下Fluent NHibernate映射:
public class CategoryMap : ClassMap<Category>
{
public CategoryMap()
{
Id(x => x.Id);
Map(x => x.Name);
HasManyToMany(p => p.Products)
.Cascade.All()
.Table("CategoryProduct");
HasManyToMany(c => c.ParentCategories)
.Table("CategoryHierarchy")
.ParentKeyColumn("Child")
.ChildKeyColumn("Parent")
.Cascade.SaveUpdate()
.AsBag();
HasManyToMany(c => c.ChildCategories)
.Table("CategoryHierarchy")
.ParentKeyColumn("Parent")
.ChildKeyColumn("Child")
.Cascade.SaveUpdate()
.Inverse()
.LazyLoad()
.AsBag();
}
}
我想检索根类别。我知道我的数据库中有八个,所以这是我的测试:
[Test]
public void Can_get_root_categories()
{
// Arrange
var repository = new CategoryRepository();
// Act
var rootCategories = repository.GetRootCategories();
// Assert
Assert.IsNotNull(rootCategories);
Assert.AreEqual(8, rootCategories.Count());
}
我想我只是获取ParentCategories列表为空的所有类别(在类别的ctor中初始化)。所以这是我的存储库方法:
public IQueryable<Category> GetRootCategories()
{
var session = NHibernateSession.Current;
// using NHibernate.Linq here
var categories = from c in session.Linq<Category>()
where c.ParentCategories.Count == 0
select c;
return categories;
}
当我运行测试时,我得到“NHibernate.QueryException:无法解析属性:ParentCategories.Id:MyStore.Core.Category”
我做错了什么?
以下是相关问题,但并未解决我的问题:
Fluent nHibernate: Need help with ManyToMany Self-referencing mapping
Querying a self referencing join with NHibernate Linq
Fluent NHibernate: ManyToMany Self-referencing mapping
编辑:
我认为问题在于Linq表达式中的.count。 This post与此相关,但我不确定如何进展......
答案 0 :(得分:0)
知道了。问题出在linq表达式中。由于某种原因,它不喜欢.Count。这可能是NHibernate.Linq(NH2)中的一个错误,但我听说NH3 linq现在坚如磐石。
无论如何,我的解决方案是使用Criteria:
var categories = session.CreateCriteria(typeof(Category)) 。新增(Restrictions.IsEmpty( “ParentCategories”)) .LIST();
感谢blog post by nixsolutions.com让我走上正轨。再次绿色。
答案 1 :(得分:0)
您应该使用Count()扩展方法而不是Count属性。这在NHibernate 2中工作正常。
此致 乔恩