I have classes with a one-to-one circular reference and suppose they look something like this.
public class Foo
{
public Bar Bar { get; set; }
/* Some irrelevant code */
}
and
public class Bar
{
public Foo Foo { get; set; }
/* Some irrelevant code */
}
and a fluent nhibernate map
BarMap
{
Table("Bars");
// Some mappings
Reference(x => x.Foo).Column("FooId");
}
FooMap
{
Table("Foos");
// Some Mappings
HasOne(x => x.Bar).PropertyRef(x => x.Foo).Not.Lazy.Cascade.SaveUpdates();
}
I realize you can't lazily load a one-to-one relationship in nhibernate so what I want to do is to select all of the entirety of Bars and join it to Foo when I want something from Foo. I figured I need to fetch Bar but when I execute:
var foos = session.Query<Foo>().Where(/*Some boolean logic*/).Fetch(x => x.Bar).ToList();
Nhibernates then executes multiple SQL statements, selecting one Bar for each Foo. I want to only select twice. Once for Foo and once for Bar - since this can't be lazy-loaded. How can I make this happen?
My problem was that I Bar had another circular reference to another object, say Baz:
So I solved the problem by joining Foo, Bar and Baz.
Sort of over the top when considering I only really needed a few fields in the Foos table.