我正在使用ASP.NET MVC创建示例Web应用程序,我想配置多对多关系。我有产品和交易。我想让每笔交易都包含一个或多个产品。我有一个代码,第一个类定义如下:
public class Product
{
public int ProductID { get; set; }
public string Name { get; set; }
}
public class Transaction
{
public int TransactionID { get; set; }
public virtual ICollection<Product> Products { get; set; }
}
然后,我在ApplicationDbContext
添加了一些内容,最后它看起来像这样:
public class ApplicationDbContext : IdentityDbContext<ApplicationUser>
{
public ApplicationDbContext()
: base("DefaultConnection", throwIfV1Schema: false)
{
}
public static ApplicationDbContext Create()
{
return new ApplicationDbContext();
}
//protected override void OnModelCreating(DbModelBuilder modelBuilder)
//{
// modelBuilder.Entity<Transaction>().HasMany(x => x.Products).WithMany();
//}
public DbSet<Product> Products { get; set; }
public DbSet<Transaction> Transactions { get; set; }
}
之后,我启用了迁移,并添加了一些我希望在数据库中显示的测试数据。测试数据可以在下面找到:
protected override void Seed(MyApp.Models.ApplicationDbContext context)
{
var pr = new List<Product>();
pr.Add(new Product { Name = "Book" });
pr.Add(new Product { Name = "Table" });
pr.Add(new Product { Name = "Chair" });
pr.ForEach(i => context.Products.AddOrUpdate(p => p.Name, i));
context.SaveChanges();
context.Transactions.AddOrUpdate(
t => t.Products,
new Transaction { Products = new List<Product>(pr.Where(p => p.Name == "Book" || p.Name == "Table")) },
new Transaction
{
Products = new List<Product>(pr.Where(p => p.Name == "Chair" || p.Name == "Book" || p.Name == "Table"))
}
);
context.SaveChanges();
}
然后,我创建了一个新的迁移,并更新了数据库。但是,当我检查表格时,交易表中只有TransactionID
列,并且没有Products
列包含产品的ID。相反,产品表中有一个名为Transaction_TransactionID
的新列,但它保留了该产品所属的最新事务的ID。所以,这种关系并不完全正确。
可以看出,我也有一个注释掉的方法,我想手动指定多对多关系。但是,当我取消注释并尝试更新数据库时,我会收到一些错误,其中一个是错误的:
IdentityUserRole :: EntityType'IdentityUserRole'没有定义键。 定义此EntityType的键
想要实现我想要的任何想法吗?在项目的后期,我需要查询交易,并找出涉及哪些交易的产品。
答案 0 :(得分:1)
当您建立多对多关系时,将为其创建第三个表,其中包含两个表的主键。
您应该在上下文类中指定多对多关系,就像在注释部分中所做的那样。但是,由于ApplicationDbContext
继承自IdentityDbContext
类,因此您应调用base.OnModelCreating
以便应用base.OnModelCreating
的模型定义。
protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
modelBuilder.Entity<Transaction>().HasMany(x => x.Products).WithMany();
base.OnModelCreating(modelBuilder);
}