web-dev-qa-db-ja.com

Fluent NHibernateでの複合キーのマッピング

私は流暢なNHibernateが初めてです。次に、複合キーのマッピングに関する1つの問題に直面します。誰かがURLやサンプルを指摘できますか?

40
pang

CompositeIdメソッドがあります。

public class EntityMap : ClassMap<Entity>
{
  public EntityMap()
  {
      CompositeId()
      .KeyProperty(x => x.Something)
      .KeyReference(x => x.SomethingElse);
  }
}
50
James Gregory

これがあなたのファーストクラスの場合

public class EntityMap : ClassMap<Entity>
{
  public EntityMap()
  {
    UseCompositeId()
      .WithKeyProperty(x => x.Something)
      .WithReferenceProperty(x => x.SomethingElse);
  }
}

これはエンティティに関するリファレンスを持つ2番目です。

public class SecondEntityMap : ClassMap<SecondEntity>
    {
      public SecondEntityMap()
      {
        Id(x => x.Id);

        ....

        References<Entity>(x => x.EntityProperty)
          .WithColumns("Something", "SomethingElse")
          .LazyLoad()
          .Cascade.None()
          .NotFound.Ignore()
          .FetchType.Join();

      }
    }
5

もう1つ注意すべき点は、CompositeIdを使用してエンティティのEqualsメソッドとGetHashCodeメソッドをオーバーライドする必要があることです。受け入れられた回答マッピングファイルを考えると、エンティティは次のようになります。

public class Entity
{
   public virtual int Something {get; set;}
   public virtual AnotherEntity SomethingElse {get; set;}


   public override bool Equals(object obj)
    {
        var other = obj as Entity;

        if (ReferenceEquals(null, other)) return false;
        if (ReferenceEquals(this, other)) return true;
        return other.SomethingElse == SomethingElse && other.Something == Something;
    }

    public override int GetHashCode()
    {
        unchecked
        {
            return (SomethingElse.GetHashCode()*397) ^ Something;
        }
    }

}
4
Kyle Mountney

多くの列で構成される複合主キーを持つテーブルにマップする複合識別子を持つエンティティが必要になる場合があります。この主キーを構成する列は、通常、別のテーブルへの外部キーです。

public class UserMap : ClassMap<User>
{      
   public UserMap()
   {
        Table("User");

        Id(x => x.Id).Column("ID");

        CompositeId()
          .KeyProperty(x => x.Id, "ID")
          .KeyReference(x => x.User, "USER_ID");

        Map(x => x.Name).Column("NAME");               

        References(x => x.Company).Column("COMPANY_ID").ForeignKey("ID");
    }
}

参照: http://www.codeproject.com/Tips/419780/NHibernate-mappings-for-Composite-Keys-with-associ

1
Deepak