1

他のエンティティの複数のコレクションを持つエンティティがあり、理想的には 1 つのバッチでそれらを積極的にロードしたいと考えています。以下の設定例:

public Entity1
{
    public virtual int Prop1 {get;set;}
    public virtual string Prop2 {get;set;}
    public virtual IList<Entity2> Prop3 {get;set;}
    public virtual IList<Entity3> Prop4 {get;set;}
}

public Entity2
{
    public virtual int Prop1 {get;set;}
    public virtual string Prop2 {get;set;}
}

public Entity3
{
    public virtual int Prop1 {get;set;}
    public virtual string Prop2 {get;set;}
    public virtual IList<Entity1> Prop3 {get;set;}
}

エンティティのマッピング:

public class Entity1Map : ClassMap<Entity1>
{
    public ClientMap()
    {
        Table("Clients");
        Id(m => m.Prop1);
        Map(m => m.Prop2);
    }
}

public class Entity1Map : ClassMap<Entity1>
{
    public Entity1Map()
    {
        Table("Entity1Table");
        Id(m => m.Prop1);
        Map(m => m.Prop2);
        HasMany(m => m.Prop3).KeyColumn("Prop1").LazyLoad().NotFound.Ignore();
        HasMany(m => m.Prop4).KeyColumn("Prop1").LazyLoad().NotFound.Ignore();
    }
}

public class Entity2Map : ClassMap<Entity2>
{
    public Entity2Map()
    {
        Table("Entity2Table");
        Id(m => m.Prop1);
        Map(m => m.Prop2);
    }
}

public class Entity3Map : ClassMap<Entity3>
{
    public Entity3Map()
    {
        Table("Entity3Table");
        Id(m => m.Prop1);
        Map(m => m.Prop2);
        HasOne(m => m.Prop3).ForeignKey("Prop1").LazyLoad();
    }
}

そして、データベースに次のクエリを実行します。

var query = session.CreateCriteria<Entity1>()
                .CreateCriteria("Prop3", "prop3", JoinType.InnerJoin)
                .Add(Restrictions.Eq(Projections.Property("Prop2"), "Criteria!"))
                .SetFetchMode("Prop3", FetchMode.Join)
                .SetFetchMode("Prop4", FetchMode.Join);

var clients = query.Future<Entity1>().ToList();

//Do other things here with eager loaded collections

エンティティ 1 のデータベースにクエリを実行すると、エンティティ 1 のコレクションが返されます。予想どおり、NHProf を使用すると、エンティティ 2/3 のそれぞれに移動する単一のクエリが作成されていることがわかります。つまり、エンティティ 1 の 10 行が返されると、その 3 倍のクエリが実行されます。熱心な読み込みクエリをバッチ処理する方法はありますか?

SELECT * FROM <table> WHERE id = XXX
SELECT * FROM <table> WHERE id = YYY
SELECT * FROM <table> WHERE id = ZZZ

NHibernate は、より似たものを生成します。

SELECT * FROM <table> WHERE id IN (XXX,YYY,ZZZ)

したがって、データベースに何度もクエリを実行する必要はありませんか?

詳細が必要な場合はお知らせください。

4

1 に答える 1

0

アイデアは、個別の将来のクエリで各結合を作成することです。あなたのクエリは混乱しているので、私のものです:

session.CreateCriteria<Entity1>()
    .CreateCriteria("Prop3", "prop3", JoinType.InnerJoin)
    .Add(Restrictions.Eq(Projections.Property("Prop2"), "Criteria!"))
    .Future<Entity1>();

session.CreateCriteria<Entity1>()
    .Add(Restrictions.Eq(Projections.Property("Prop2"), "Criteria!"))
    .SetFetchMode("Prop2", FetchMode.Join)
    .Future<Entity1>();

var query = session.CreateCriteria<Entity1>()
    .Add(Restrictions.Eq(Projections.Property("Prop2"), "Criteria!"))
    .SetFetchMode("Prop4", FetchMode.Join)
    .Future<Entity1>();

var clients = query.ToList();
于 2012-01-18T15:47:09.523 に答える