因此 EF Core 预览版 7 发布了,我决定将它与 C# 8 预览版和 .NET Core 3.0 预览版 7 一起使用。假设我有一个代表多对多关系的类:
public class A
{
public int Id { get; set; }
public ICollection<Relation> Relations { get; set; }
}
public class B
{
public int Id { get; set; }
public ICollection<Relation> Relations { get; set; }
}
public class Relation
{
public A A { get; set; }
public B B { get; set; }
public int AId { get; set; }
public int BId { get; set; }
}
我将它们映射为:
modelBuilder.Entity<A>(entity => entity.HasKey(e => e.Id));
modelBuilder.Entity<B>(entity => entity.HasKey(e => e.Id));
modelBuilder.Entity<Relation>(entity =>
{
entity.HasKey(e => new { e.AId, e.BId });
entity.HasOne(e => e.A).WithMany(a => a.Relations).HasForeignKey(e => e.AId);
entity.HasOne(e => e.B).WithMany(b => b.Relations).HasForeignKey(e => e.BId);
});
现在,因为我可能不想包含关系的一个或两个类,A
并且B
可以为空。因此,它们应该可以为空。
var relation = Set<Relations>().Include(r => r.A).First(); // relation.A is not null, but relation.B is null.
所以我将类重写为:
public class Relation
{
public A? A { get; set; }
public B? B { get; set; }
}
但是现在模型构建不起作用,因为这些行:
entity.HasOne(e => e.A).WithMany(a => a.Relations).HasForeignKey(e => e.AId);
entity.HasOne(e => e.B).WithMany(b => b.Relations).HasForeignKey(e => e.BId);
raise CS8602 - Dereference of a possibly null reference
on the a.Relations
nad b.Relations
access,我将其设置为在解决方案范围内被视为错误,因为这似乎是一件理智的事情。
请注意,从另一侧构建模型,因此HasMany
在A
和上进行配置B
将引发CS8603 - Possible null reference return
。
我能够通过去默默地解决这个问题,#pragma warning disable CS8602
但这显然是一种解决方法。在我看来,它就像 EF Core 中的一种气味,这种用法正确且永远不会引发任何问题似乎是合理的null
。但是,我无法在 EF Core 的 github 上找到这样的问题。
所以问题是,在当前的 EF Core 3.0.0 Preview 7 中,有没有一种方法可以在不发出模型构建警告的情况下拥有可为空的导航属性?如果不是,这确实是一个问题,是否已知并且我在 EF Core 的 github 上错过了它,或者我应该在那里提出它?