简体   繁体   中英

Mapping a single field to multiple tables with Fluent NHibernate

Question: is there a way to map a single foreign key to a number of mutually exclusive tables, based on a context?

Background...

In my specific example, I have the following domain graph, representing an insurance claim which can be against a vehicle or property:

public enum InvolvedPartyContext
{
    Vehicle = 1,
    Property = 2
}

public class Claim
{
    public virtual Guid Id { get; set; }
    public virtual InvolvedPartyContext InvolvedPartyContext { get; set; }
    public virtual Vehicle Vehicle { get; set; }    // set if Context = Vehicle
    public virtual Property Property { get; set; }  // set if Context = Property
}

public class Vehicle {  //... }

public class Property {  //... }

The SQL looks like this (notice the single foreign key InvolvedPartyId ):

CREATE TABLE Claims ( 
 Id uniqueidentifier NOT NULL,
 InvolvedPartyContext int NOT NULL,
 InvolvedPartyId uniqueidentifier NOT NULL
)

CREATE TABLE Vehicles (
    Id uniqueidentifier NOT NULL,
    Registration varchar(20) NOT NULL
)

CREATE TABLE Properties (
    Id uniqueidentifier NOT NULL,
    PostCode varchar(20) NOT NULL
)

The Fluent NHibernate mapping file for Claim:

    public ClaimMap()
    {
        Id(x => x.Id);
        Map(x => x.InvolvedPartyContext).CustomTypeIs(typeof(InvolvedPartyContext));
        References(x => x.Vehicle, "InvolvedPartyId");
        References(x => x.Property, "InvolvedPartyId");
    }

This throws an "Invalid index {n} for this SqlParameterCollection with Count {m}" exception, since the same field ( InvolvedPartyId ) is mapped twice. A simple fix would be to create VehicleId and PropertyId fields, but in the real world there are many more contexts, so this isn't very flexible.

Personally, I wouldn't go with the design you have. Instead I'd create subclasses of your Claim class, VehicleClaim and PropertyClaim respectively.

public class VehicleClaim : Claim
{
  public virtual Vehicle Vehicle { get; set; }
}

Then change your mappings to use your InvolvedPartyContext column as a discriminator (the column which NHibernate uses to determine which class the row represents), and create subclass mappings for each subclass.

public class ClaimMap : ClassMap<Claim>
{
  public ClaimMap()
  {
    Id(x => x.Id);
    DiscriminateSubClassesOnColumn("InvolvedPartyContext");
  }
}

public class VehicleClaimMap : SubclassMap<VehicleClaim>
{
  public VehicleClaimMap()
  {
    DiscriminatorValue(1);
    References(x => x.Vehicle);
  }
}

If you really do want to run with what you've got, you should look into the any mappings; there isn't a lot of documentation on them, but you use the ReferencesAny method.

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM