Nhibernate许多对很多:3个表hbm映射

时间:2014-04-29 12:24:53

标签: c# nhibernate orm nhibernate-mapping hbm

我有很多关系。

表A,表B和表AB。 表AB将包括2列,A_Id和B_id .. 主键需要来自两个列。

许多B记录可以引用一条A记录。但是对于B中的每个记录,只有一个A记录是mutch

HBM和POCO类中的语法是什么?

提前感谢

1 个答案:

答案 0 :(得分:0)

这是一个基于文档中非常清晰的示例的示例:23.2. Author/Work

<class name="A" table="A" >

    <id name="Id" column="A_Id" generator="native" />

    <bag name="Bs" table="AB" lazy="true">
        <key column="A_Id">
        <many-to-many class="B" column="B_Id" not-null="true" />
    </bag>
    ...
</class>


<class name="B" table="B" >

    <id name="Id" column="B_Id" generator="native" />

    <bag name="As" table="AB" lazy="true" inverse="true">
        <key column="B_Id">
        <many-to-many class="A" column="A_Id" not-null="true" />
    </bag>
    ...
</class>

这将是C#中的类

public class A 
{
   public virtual int Id { get; set; }
   public virtual IList<B> Bs { get; set; }
}

public class B 
{
   public virtual int Id { get; set; }
   public virtual IList<A> As { get; set; }
}

表AB在此隐式映射...没有明确的配对对象AB

但我自己喜欢的方法是使用AB_ID代理键扩展表AB,并将其映射为标准对象。如果您愿意阅读更多有关显式配对对象作为映射实体的信息:

更新与B只能有一个A

的评论有关

在这种情况下,我们不需要AB表。 B应该有A_Id列,表示相关参考:

<class name="A" table="A" >

    <id name="Id" column="A_Id" generator="native" />

    <bag name="Bs" table="B" lazy="true">
        <key column="A_Id">
        <!-- not MANY but ONE-TO-Many -->
        <one-to-many class="B" />
    </bag>
    ...
</class>


<class name="B" table="B" >

    <id name="Id" column="B_Id" generator="native" />

    <many-to-one name="A" column="A_Id" />
    ...
</class>

实体

// This class is the same
public class A 
{
   public virtual int Id { get; set; }
   public virtual IList<B> Bs { get; set; }
}
// here just a reference
public class B 
{
   public virtual int Id { get; set; }
   public virtual A A { get; set; }
}

问题是,它是many-to-many还是表AB到位 - 或者不是。我之间没有任何说法