双向保存的流畅 nhibernate 映射

fluent nhibernate mappings that save in both directions

我希望能够做到以下几点:

var child = new Child {
  Name = "foo",
  Parent = new Parent { Name = "bar" }
};

session.Save(child);

var parent = new Parent {
  Name = "foo",
  Children = new List<Child> {
    new Child { Name = "bar" },
    new Child { Name = "baz" },
  },
};

session.Save(parent);

并在两种情况下都保存调用 Save() 时创建的所有对象。这是类。我不知道如何映射 ParentChild 之间的一对多关系,这将有助于在对 Save() 的一次调用中保存所有创建的对象。我希望可以使用任一版本,但在任何给定时间只能使用一个。这背后的基本原理是我正在创建测试数据构建器,在某些情况下,从 Child 端连接起来会更容易,而在其他情况下,从 [=14= 端连接起来会更容易] 边。因此,为什么我希望能够在给定任一对象的情况下在两个方向上级联插入和删除。我不关心更新。这将仅用于插入数据,运行 我对应用程序的测试,然后删除数据。

以下是涉及的类:

public class Child {
  public virtual int Id { get; set; }
  public virtual string Name { get; set; }
  public virtual Parent Parent { get; set; }
}

public class Parent {
  public virtual int Id { get; set; }
  public virtual string Name { get; set; }
  public virtual IEnumerable<Child> Children { get; set; }
}

public ChildMap : ClassMap<Child> {
  public ChildMap() {
    Id(x => x.Id);
    Map(x => x.Name);

    // How should I set this up?
    Reference(x => x.Parent);
  }
}

public ParentMap : ClassMap<Parent> {
  public ParentMap() {
    Id(x => x.Id);
    Map(x => x.Name);

    // How should I set this up ?
    HasMany(x => x.Children);
  }
}

为了能够从两侧保存级联,我们可以使用级联设置

所以,这个映射就足够了:

public ChildMap() 
{
    ...
    BatchSize(100);  // this is the way how to solve 1 + N (good practice, mine at least)

    // How should I set this up?
    References(x => x.Parent) // References, not Reference
        .Cascade.SaveUpdate()
        ;
}

public ParentMap() 
{
    ...
    BatchSize(100);  // this is the way how to solve 1 + N

    // How should I set this up ?
    HasMany(x => x.Children)
       .BatchSize(100)  // no 1 + N
       .Cascade.AllDeleteOrphan()
       .Inverse()
       ;

有了这些设置,上面的方法就可以工作了,但有一个重要的变化——children 必须知道它的 parent。因为我们用的是逆...

这会起作用:

var child = new Child
{
    Name = "foo",
    Parent = new Parent {Name = "bar"}
};

session.Save(child);
session.Flush();
session.Clear();

var persistedChild = session.Get<Child>(child.ID);

这也会(但设置 child.Parent 参考)

var parent = new Parent
{
    Name = "foo",
    Children = new List<Child>
    {
        new Child {Name = "bar"},
        new Child {Name = "baz"},
    },
};

foreach (var ch in parent.Children)
{
    ch.Parent = parent; // we MUST do this, there is .Inverse()
}

session.Save(parent);
session.Flush();
session.Clear();

var persistedParent = session.Get<Parent>(parent.ID);

阅读 more here about the batch size(不是问题的一部分,但我确实经常使用它)

关于逆向映射的一些其他细节和reference assignment

还有,为什么我们不能在 .Rferences() (many-to-one) 上使用相同的级联 NHibernate Many-to-one cascade