0

我有一个像这样的 DTO 对象:

public class TreeViewDTO
{
   public string Value { get; set; }
   public string Text { get; set; }
   public bool HasChildren { get; set; }
}

我用 Nhibernate 映射的实体是:

public class Entity
{
   public virtual int Id { get; set; }
   public virtual string Name { get; set; }
   public virtual Entity Parent { get; set; }
   /* other properties */
}

我想知道,如何获取我的 DTO 列表并使用计数方法或子查询填充 HasChildren 属性以了解是否有孩子?

我试过这个,但不起作用:

return Session.QueryOver<Entity>
                        .Select(entity => new TreeViewViewModel() {
                                                        Value = entity.Id.ToString(),
                                                        Text = entity.Name,
                                                        HasChildren = (Session.QueryOver<Entity>().Where(x => x.ParentId == entity.Id).RowCount() > 0)})
                        .ToList();

我有一个例外:NotSupportedException并且消息说:x => (x.Parent.Id == [100001].Id)并且它不受支持。

如何创建查询来填充此属性?

PS:我想查询只选择 Id、Name 和 Count……因为我的实体可以有 30 个或更多字段……

谢谢你。

4

2 回答 2

1

你没有考虑过使用其他东西而不是 NHibernate 来完成这项工作吗?
在我看来,像 Dapper 这样的轻量级库可以成为这个用例的绝佳解决方案。您最终会得到一个相当简单的 sql 查询,而不是使用 Nhibernate。

编辑:
简洁的代码将像这样简单:

public IDbConnection ConnectionCreate()
{
    IDbConnection dbConnection = new SQLiteConnection("Data Source=:memory:;pooling = true;");
    dbConnection.Open();
    return dbConnection;
}

public void Select()
{
    using (IDbConnection dbConnection = ConnectionCreate())
    {
        var query = @"SELECT e1.id as Value, e1.name as Text, CASE WHEN EXISTS
                        (SELECT TOP 1 1 FROM Entity e2 WHERE e2.parent = e1.id) 
                        THEN 1 ELSE 0 END as HasChildren
                    FROM Entity e1";
        var productDto = dbConnection.Query<TreeViewDTO>(query);
    }
}
于 2013-04-10T17:25:48.250 回答
1

使用 NHibernate Linq 提供程序,您可以执行以下操作:-

public class dto
{
    public long Value { get; set; }
    public int Count { get; set; }
    public bool HasCount { get { return Count > 0; } }
}

注意:我的 DTO 有一个查看实际计数的只读属性,然后查询是:-

var a = Db.Session.Query<Support>().Select(
         s => new dto {
                        Value = s.Id,
                        Count = s.CommentList.Count
                      }
            ).ToList();

这会生成以下 SQL

select support0_.Id                                   as col_0_0_,
       (select cast(count(*) as SIGNED)
        from   supportcomment commentlis1_
        where  support0_.Id = commentlis1_.SupportId) as col_1_0_
from   support support0_

我从未见过使用QueryOver. 我曾经刺过它,但无法让它工作..

于 2013-04-11T10:00:31.590 回答