如何配置EF以自动填充子外键

本文关键字:填充 EF 何配置 配置 | 更新日期: 2023-09-27 18:06:09

当父类不使用数据库生成的标识符时,我如何配置实体框架以自动填充子对象中的外键

示例模型:

public class Parent
{
    [Key]
    public string Name { get; set; }
    public virtual List<Child> Children { get; set; }
}
public class Child
{
    [Key]
    [Column(Order = 1)]
    public string ParentName { get; set; }
    [Key]
    [Column(Order = 2)]
    public string ChildName { get; set; }
}

示例种子方法:

context.Parents.AddOrUpdate(p => p.Name,
    new Parent
    {
        Name = "Test",
        Children = new List<Child>
        {
            new Child {ParentName = "Test", ChildName = "TestChild"},
            new Child {ParentName = "Test", ChildName = "NewChild"}
        }
    });

是否有可能配置EF,这样我就不必手动设置ParentName = "Test"为每个新的孩子在孩子列表?

编辑—这是生成的迁移

CreateTable(
    "dbo.Parents",
    c => new
    {
        Name = c.String(nullable: false, maxLength: 128),
    })
    .PrimaryKey(t => t.Name);
CreateTable(
    "dbo.Children",
    c => new
    {
        ParentName = c.String(nullable: false, maxLength: 128),
        ChildName = c.String(nullable: false, maxLength: 128),
    })
    .PrimaryKey(t => new {t.ParentName, t.ChildName})
    .ForeignKey("dbo.Parents", t => t.ParentName, cascadeDelete: true)
    .Index(t => t.ParentName);

如何配置EF以自动填充子外键

你可以给Child类添加一个导航属性,配置模型,然后一切都应该工作了

public class Child
{
    [Key]
    [Column(Order = 1)]
    public string ParentName { get; set; }
    [Key]
    [Column(Order = 2)]
    public string ChildName { get; set; }
    public virtual Parent Parent { get; set; } // <-- Add this
}

配置

        modelBuilder.Entity<Parent>()
            .HasMany(_ => _.Children)
            .WithRequired(_ => _.Parent)
            .HasForeignKey(_ => _.ParentName);

(没有孩子。