12

我有一个具有引用其他实体的属性的实体(示例中的 ReferenceEntity)。

使用 HQL 我可以做到这一点:

select e.ReferenceEntity from Entity e where e.Id = :entityId

NHibernate 会给我一个没有惰性的 ReferenceEntity 实例。

通过查询我尝试这样做:

Session.QueryOver<Entity>()
.Where(e => e.Id == entityId)
.Select(e => e.ReferenceEntity)
.SingleOrDefault<ReferenceEntity>()

使用 QueryOver Nhibernate 给了我 ReferenceEntity 但很懒。

我想像使用 hql 一样使用 queryover 来获取具有热切加载的 ReferenceEntity。

谢谢

4

3 回答 3

12

建议#1

在执行查询以获取所需数据后,您可以进行一些 LINQ 操作。

var result = Session.QueryOver<Entity>()
    .Where(e => e.Id == entityId)        // Filter,
    .Fetch(e => e.ReferenceEntity).Eager // join the desired data into the query,
    .List()                              // execute database query,
    .Select(e => e.ReferenceEntity)      // then grab the desired data in-memory with LINQ.
    .SingleOrDefault();
Console.WriteLine("Name = " + result.Name);

这很简单,可以完成工作。

在我的测试中,它产生了一个查询。这是输出:

SELECT
    this_.Id as Id0_1_, this_.Name as Name0_1_, this_.ReferenceEntity_id as Referenc3_0_1_,
    q5379349_r2_.Id as Id1_0_, q5379349_r2_.Name as Name1_0_
FROM
    [Entity] this_
    left outer join [ReferenceEntity] q5379349_r2_
        on this_.ReferenceEntity_id=q5379349_r2_.Id
WHERE this_.Id = @p0;

建议#2

另一种方法是使用 EXISTS 子查询,它会稍微复杂一些,但会在第一次返回正确的结果而无需任何后数据库操作:

ReferenceEntity alias = null;
var result = Session.QueryOver(() => alias)
    .WithSubquery.WhereExists(QueryOver.Of<Entity>()
        .Where(e => e.Id == entityId)                 // Filtered,
        .Where(e => e.ReferenceEntity.Id == alias.Id) // correlated,
        .Select(e => e.Id))                           // and projected (EXISTS requires a projection).
    .SingleOrDefault();
Console.WriteLine("Name = " + result.Name);

经过测试 - 导致单个查询:

SELECT this_.Id as Id1_0_, this_.Name as Name1_0_
FROM [ReferenceEntity] this_
WHERE exists (
    SELECT this_0_.Id as y0_
    FROM [Entity] this_0_
    WHERE this_0_.Id = @p0 and this_0_.ReferenceEntity_id = this_.Id);
于 2012-03-20T03:26:17.770 回答
0

如果我对你的理解正确,这就是你所需要的:

Session.QueryOver<Entity>()
 .Where(e => e.Id == entityId)
 //!!!
 .Fetch(e=>e.ReferenceEntity).Eager
 .Select(e => e.ReferenceEntity)
 .SingleOrDefault<ReferenceEntity>()
于 2011-03-21T17:27:31.653 回答
0

试试这个:

Session.QueryOver<Entity>()
 .Where(e => e.Id == entityId)
 .Fetch(e=>e.ReferenceEntity).Eager
 .Select(e => e.ReferenceEntity)
 .TransformUsing(Transformers.AliasToBean<ReferenceEntity>())
 .SingleOrDefault<ReferenceEntity>()
于 2012-03-15T14:19:22.263 回答