实体框架代码第一个fluent api

本文关键字:fluent api 第一个 代码 框架 实体 | 更新日期: 2023-09-27 18:29:01

我是第一次使用fluent api。我能够通过一对多和多对多的关系建立关系。

但我使用一对一关系进行了澄清。

我有两个表tableA和tableB,其中tableA有两个字段

public class tableA
{
 public int tAId {get;set;}
 public string desc {get;set;}
 public tableB tableB {get;set;}
}

表B有以下字段:

public class tableB
{
  public int tBId {get;set;}
  public int refKeyfromTableA{get;set;}
  public string somedesc{get;set;}
  public tableA tableA {get;set;}
}

我在一个单独的类中定义约束,比如:

public class tableAConfig:BaseEntity<tableA>
{
public tableAConfig()
{
  HasKey(p=>p.tAId);
Property(p=>p.tAId).IsRequired();
//This line has syntatical error
HasForeignKey(p=>p.tAId);
}
}

如何在代码优先的方法中定义上述类中的外键关系?

实体框架代码第一个fluent api

如下定义您的fluent api配置类:

public class tableAConfig:BaseEntity<tableA>
{
    public tableAConfig()
    {
        HasKey(p=>p.tAId);
        HasOptional(p => p.tableB )
            .WithRequired( p => p.tableA );
    }
}

考虑到表B实体上的属性refKeyfromTableA是无用的,因为数据库中主键之间形成了一对一的关系。因此,在您的案例中,如果两个实体的tAId和tBId列具有相同的值,则它们是相关的。所以数据库不能生成至少一个实体的主键值。例如,在表B的配置中,您可以按如下方式进行:

Property(e => e.tBId)
    .HasDatabaseGeneratedOption(DatabaseGeneratedOption.None);

除了WithRequired方法外,您还可以根据需要使用WithOptionalDependent和WithOptionalPrincipal方法来形成一对一的关系。

我还没有用流利的API实现1:1,但我已经用属性实现了。我修复了一个代码示例,演示了与您的示例一致的属性方法,也许它会对您有所帮助:

public class tableA
{
    public int Id { get; set; }
    public string desc { get; set; }
    public tableB tableB { get; set; }
}
public class tableB
{
    // In one-to-one relationship, one end must be principal and second end must be dependent. 
    // tableA is the one which will be inserted first and which can exist without the dependent one. 
    // tableB end is the one which must be inserted after the principal because it has foreign key to the principal.
    [Key, ForeignKey("tableA")]
    public int Id { get; set; }
    // 'Required' attribute because tableA must be present
    // in order for a tableB to exist
    [Required]
    public virtual tableA tableA { get; set; }
    public string somedesc { get; set; }
}