如何使用iccriteria投影获得嵌套对象



我有一个这样的数据模型:

class Hand {
    public int id;
    ...
}
class Person {
    public int id;
    public string name;
    public IList<Hand> hands;
    ...
}

从数据库获取数据,我这样做:

ICriteria criteria = databaseSession.CreateCriteria(typeof(Person));
ProjectionList projections = Projections.ProjectionList();
projections
    .Add(Projections.Property("id").As("id"))
    .Add(Projections.Property("name").As("name"))
    .Add(Projections.Property("hands").As("hands"));
projections.Add(Projections.GroupProperty("id"));
projections.Add(Projections.Count("id"), "count");
criteria.SetProjection(projections);
criteria.SetResultTransformer(
    NHibernate.Transform.Transformers.AliasToBean(typeof(PersonDTO)));

但是NHibernate不会在hands属性中加载嵌套对象。结果是零。谁能帮助我如何得到嵌套的对象填充以及(超过一个层次的深度)。使用投影而不是查询对我来说会更好。注意:这在映射中不是问题,因为当我加载没有任何投影的数据时,它工作得很好。

一个可能的解决方案

var query = databaseSession.CreateCriteria(typeof(Person))
    .JoinAlias("hands", "hand")
    .SetProjection(Projections.ProjectionList()
        .Add(Projections.Property("Id"))
        .Add(Projections.Property("Name"))
        .Add(Projections.Property("hand.Id"))
        .Add(Projections.Property("hand.Foo")))
    .List<object[]>()
    .GroupBy(arr => (int)arr[0])
    .Select(g => new PersonDTO
    {
        Id = g.Key,
        Name = g.First().Name,
        Hands = g.Select(arr => new Hand { Id = arr[2], Foo = arr[3] }).ToList(),
    });
var results = query.ToList();

最新更新