实体框架7代码优先的一对一关系

时间:2016-02-19 13:10:14

标签: entity-framework ef-code-first entity-framework-core ef-fluent-api

如何使用数据注释或Fluent Api在Entity Framework 7 Code First中配置一对一或ZeroOrOne-to-One关系?

2 个答案:

答案 0 :(得分:26)

您可以使用实体框架7中的Fluent API定义OneToOne关系,如下所示

class MyContext : DbContext
{
    public DbSet<Blog> Blogs { get; set; }
    public DbSet<BlogImage> BlogImages { get; set; }

    protected override void OnModelCreating(ModelBuilder modelBuilder)
    {
        modelBuilder.Entity<Blog>()
            .HasOne(p => p.BlogImage)
            .WithOne(i => i.Blog)
            .HasForeignKey<BlogImage>(b => b.BlogForeignKey);
    }
}

public class Blog
{
    public int BlogId { get; set; }
    public string Url { get; set; }

    public BlogImage BlogImage { get; set; }
}

public class BlogImage
{
    public int BlogImageId { get; set; }
    public byte[] Image { get; set; }
    public string Caption { get; set; }

    public int BlogForeignKey { get; set; }
    public Blog Blog { get; set; }
}

答案 1 :(得分:4)

上述答案绝对正确。

仅供读者参考:official documentation

已经很好地解释了这一点

<强>一对一的

一对一关系在两侧都有引用导航属性。它们遵循与一对多关系相同的约定,但在外键属性上引入了唯一索引,以确保只有一个依赖关系与每个主体相关。

public class Blog
{
    public int BlogId { get; set; }
    public string Url { get; set; }

    public BlogImage BlogImage { get; set; }
}

public class BlogImage
{
    public int BlogImageId { get; set; }
    public byte[] Image { get; set; }
    public string Caption { get; set; }

    public int BlogId { get; set; }
    public Blog Blog { get; set; }
}

注意

EF将根据其检测外键属性的能力选择其中一个实体作为依赖实体。如果选择了错误的实体作为依赖实体,则可以使用Fluent API来纠正此问题。