2

我有 2 个这样的表:

TABLE ARTICLE
Id int NOT_NULL PK
Title nvarchar(50) NOT_NULL

TABLE CONTENT
Id int NOT_NULL PK
content nvarchar(MAX) NOT_NULL
remarks nvarchar(200) 

所以每篇文章都会有一个 pk id 与文章 pk id 相同的内容,然后我创建了这样的域类:

public class Article {
    public virtual int Id {get; set;}
    public virtual string Title {get; set;}
    public virtual Content Content {get; set;}
}

public class Content {
    public virtual int Id {get; set;}
    public virtual string content {get; set;}
    public virtual string remarks {get; set;}
}

我尝试像这样映射这些类:

public class ArticleMap : ClassMap<Article>
{
    public ArticleMap()
    {
        Id(x => x.Id);
        Map(x => x.Title);
        Reference(x => x.Content).ForeignKey("Id");
    }
}

public class ContentMap : ClassMap<Content>
{
    public ContentMap()
    {
        Id(x => x.Id);
        Map(x => x.content);
        Map(x => x.remarks);
    }
}

我确实将数据读取到表中,但最终得到NHibernate.ObjectNotFoundException. 在我的情况下,我应该如何映射没有外键的类,但仅基于相同的 PK Id 值加入另一个表。有人可以指导我如何使这件事起作用吗?

4

1 回答 1

7

由于您正在寻找 1:1 的关系,因此您的映射需要明确这一点。

首先,Content 需要了解其父文章。如果您不想公开该属性,您可以使用protected internalReveal在您的映射中使用。请注意,在这些情况下,您需要一个接受 Article 的构造函数和一个用于 NHibernate 的空构造函数。

public class Content {
     public virtual Article { get; set; }
      //other properties
}

那么你的映射就像

public class ArticleMap : ClassMap<Article>
{
   public ArticleMap()
   {
      Id(x => x.Id);
      Map(x => x.Title);
      HasOne(x => x.Content).Cascade.All();
}


public class ContentMap : ClassMap<Content>
{
    public ContentMap()
    {
      Id(x => x.Id).GeneratedBy.Foreign("Article");
      HasOne(x => x.Article).Constrained().ForeignKey();
      Map(x => x.content);
      Map(x => x.remarks);
    }
}

另见: http: //marcinobel.com/index.php/fluent-nhibernate-mapping-one-to-on-relation/

于 2013-05-23T15:09:45.660 回答