ale*_*sio 4 c# entity-framework lazy-loading ef-code-first entity-framework-core
Product和Customer之间的关系 是多对多的类型(从设计角度来看).
使用EF Core,我们将此关系与第三个实体(ProductCustomer)分成两个一对多关系
public partial class ProductCustomer
{
public long ProductId { get; set; }
public long CustomerId { get; set; }
public virtual Customer Customer { get; set; }
public virtual Product Product { get; set; }
public virtual ICollection<UsageRecord> UsageRecord { get; set; }
}
Run Code Online (Sandbox Code Playgroud)
UsageRecord是一个记录列表,其中包含某个客户在使用产品时使用的数据量
public partial class UsageRecord
{
public long Id { get; set; }
public long ProductId { get; set; }
public long CustomerId { get; set; }
public decimal Quantity { get; set; }
public virtual ProductCustomer ProductCustomer { get; set; }
}
Run Code Online (Sandbox Code Playgroud)
现在,如果我尝试读取特定的UsageRecord,则ProductCustomer对象为null(完美,我正在使用急切的加载方法)
return _usageRecordEntity.Where(x => x.ProductId == productId).AsEnumerable();
Run Code Online (Sandbox Code Playgroud)
但是如果我特别要求Include()ProductCustomer实体,那么实体框架不仅包括所有递归引用,还包括Product对象而不是Customer!
return _usageRecordEntity.Where(x => x.ProductId == productId).Include(p => p.ProductCustomer).AsEnumerable();
Run Code Online (Sandbox Code Playgroud)
第一件事:我不明白为什么它包括整个对象链如果我特别要求ProductCustomer一个.
第二件事:为什么是产品而不是顾客?!
我为完整性包含了Context模型:
protected override void OnModelCreating(ModelBuilder modelBuilder)
{
modelBuilder.Entity<Customer>(entity =>
{
entity.Property(e => e.customerId)
.IsRequired()
.HasColumnName("CustomerId")
.HasMaxLength(255);
});
modelBuilder.Entity<Product>(entity =>
{
entity.Property(e => e.Name)
.IsRequired()
.HasMaxLength(50);
});
modelBuilder.Entity<ProductCustomer>(entity =>
{
entity.HasKey(e => new { e.ProductId, e.CustomerId })
.HasName("PK__ProductCustomerComposite");
entity.HasOne(d => d.Customer)
.WithMany(p => p.ProductCustomer)
.HasForeignKey(d => d.CustomerId)
.OnDelete(DeleteBehavior.Restrict)
.HasConstraintName("FK__ProductCu__CustomerId");
entity.HasOne(d => d.Product)
.WithMany(p => p.ProductCustomer)
.HasForeignKey(d => d.ProductId)
.OnDelete(DeleteBehavior.Restrict)
.HasConstraintName("FK__ProductCu__ProductId");
});
modelBuilder.Entity<UsageRecord>(entity =>
{
entity.Property(e => e.Quantity)
.HasColumnType("decimal")
.HasDefaultValueSql("0");
entity.HasOne(d => d.ProductCustomer)
.WithMany(p => p.UsageRecord)
.HasForeignKey(d => new { d.ProductId, d.CustomerId })
.OnDelete(DeleteBehavior.Restrict)
.HasConstraintName("FK_UsageRecordProductcustomer");
});
}
Run Code Online (Sandbox Code Playgroud)