- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我遇到了有关 Entity Framework 插入的问题。
我的应用程序有以下两个实体:
一个备忘录可以与多个员工链接。
一个员工可以链接多个备忘录。
这意味着多对多关系。我读了几篇文章向我解释应该创建联结表,我认为这是显而易见的。
文章让我学会了让 Entity Framework 自动为我创建联结表。所以我通过以下方式做到了这一点:
备忘录
public Guid MemoId { get; set; }
public String Message { get; set; }
public virtual ICollection<Employee> Employees { get; set; }
员工
public Guid EmployeeId { get; set; }
public String Name { get; set; }
public virtual ICollection<Memo> Memos { get; set; }
当使用包管理器控制台更新我的数据库时,已在数据库中创建了一个联结表。我使用以下行完成此操作:更新数据库-force -verbose
我有一个创建新备忘录的 View 。可以在此处选择员工列表并将他们添加到备忘录中。然而,填充这个联结表并没有按计划进行。我认为这与我的存储库的设置有关。我创建了一个 MemoRepository 和一个 EmployeeRepository。
我的 Controller 处理备忘录创建如下:
内存 Controller
public class MemoController : Controller
{
private IMemoRepository _memoRepository;
private IEmployeeRepository _employeeRepository;
public MemoController(IMemoRepository memoRepository, IEmployeeRepository employeeRepository) {
_memoRepository = memoRepository;
_employeeRepository = employeeRepository;
}
public ViewResult Create() {
//Initializes MemoCreateViewModel here
return View(model);
}
[HttpPost]
public ActionResult Create(MemoCreateViewModel model) {
if(!ModelState.IsValid)
return RedirectToAction("Create");
Guid employeeId;
List<Guid> employeeIds = new List<Guid>();
foreach (var id in model.SelectedEmployeeIds) {
if (!Guid.TryParse(id, out employeeId)) {
continue;
}
employeeIds.Add(employeeId);
}
var employees = _employeeRepository.GetEmployeesByIds(employeeIds);
model.Memo.Employees = employees.ToList<Employee>();
_memoRepository.SaveMemo(model.Memo);
return RedirectToAction("List");
}
}
内存库
public class EFMemoRepository : IMemoRepository
{
private EFDbContext context;
public EFMemoRepository(EFDbContext _context) {
context = _context;
}
public IQueriable<Memo> Memos {
return context.Memos;
}
public void SaveMemo(Memo memo) {
if(memo.MemoId == Guid.Empty) {
memo.MemoId = Guid.NewGuid();
context.Memos.Add(memo); //error 1 here
} else {
Memo dbEntry = context.Memos.Find(memo.MemoId);
if(dbEntry != null) {
dbEntry.Message = memo.Message;
dbEntry.Employees = memo.Employees;
}
}
context.SaveChanges(); //error 2 here
}
}
插入时出现错误 1:
An entity object cannot be referenced by multiple instances of IEntityChangeTracker.
更新时出现的错误2:
The relationship between the two objects cannot be defined because they are attached to different ObjectContext objects.
我该如何解决这个问题,我阅读了一些主题,有人说它与使用不同的上下文有关,其他人说它与 Attach()
有关,但我不知道如何解决在我的应用程序中解决这个问题。
如果您需要更多信息,请告诉我。
注意:为了便于阅读,我省略了一些代码。如果需要,当然可以添加代码。
最佳答案
您收到第一个错误是因为您正在添加传入上下文的 Memo 对象。但是添加到 Controller 内备忘录对象的员工对象是使用另一个 dbContext 检索的。要解决这个问题,您必须在两个操作之间共享数据库上下文,或者您必须明确地将 Employee 对象附加到当前上下文。
选项 1: Controller 代码
[HttpPost]
public ActionResult Create(MemoCreateViewModel model) {
if(!ModelState.IsValid)
return RedirectToAction("Create");
Guid employeeId;
List<Guid> employeeIds = new List<Guid>();
foreach (var id in model.SelectedEmployeeIds) {
if (!Guid.TryParse(id, out employeeId)) {
continue;
}
employeeIds.Add(employeeId);
}
EFDbContext dbContext = new EFDbContext();//Note
var employees = _employeeRepository.GetEmployeesByIds(dbContext, employeeIds);//Note the extra parameter
model.Memo.Employees = employees.ToList<Employee>();
_memoRepository.SaveMemo(dbContext,model.Memo);//Note the extra parameter
return RedirectToAction("List");
}
EFMemoRepository 类代码:
public void SaveMemo(EFDbContext dbContext, Memo memo)
{
if(memo.MemoId == Guid.Empty)
{
memo.MemoId = Guid.NewGuid();
context.Memos.Add(memo); //error 1 here
} else
{
Memo dbEntry = dbContext.Memos.Find(memo.MemoId);
if(dbEntry != null)
{
dbEntry.Message = memo.Message;
for (int i = 0; i < dbEntry.Employees.Count; i++)/*Please note that if lazy loading is not True then this reference must explicitly be loaded*/
{
dbEntry.Employees.Remove(dbEntry.Employees.First());
}
foreach (var item in memo.Employees)
{
dbEntry.Employees.Add(item);
}
context.Entry(dbEntry).State = EntityState.Modified;
}
}
dbContext.SaveChanges(); //error 2 here
}
或
选项 2:
public void SaveMemo(Memo memo)
{
if(memo.MemoId == Guid.Empty)
{
memo.MemoId = Guid.NewGuid();
context.Memos.Add(memo); //error 1 here
} else
{
Memo dbEntry = context.Memos.Find(memo.MemoId);
if(dbEntry != null)
{
dbEntry.Message = memo.Message;
for (int i = 0; i < dbEntry.Employees.Count; i++)/*Please note that if lazy loading is not True then this reference must explicitly be loaded*/
{
dbEntry.Employees.Remove(dbEntry.Employees.First());
}
foreach (var item in memo.Employees)
{
dbEntry.Employees.Add(item);
}
context.Entry(dbEntry).State = EntityState.Modified;
}
}
context.SaveChanges(); //error 2 here
}
就我个人而言,我会选择选项 1 或类似的东西。
有什么不清楚的就大声说
关于c# - 插入一对多记录,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/27564802/
我有 512 行要插入到数据库中。我想知道提交多个插入内容是否比提交一个大插入内容有任何优势。例如 1x 512 行插入 -- INSERT INTO mydb.mytable (id, phonen
已经提出了类似的问题,但由于它总是取决于,我单独询问我的具体情况。 我有一个网站页面,显示来自数据库的一些数据,要从该数据库生成数据,我必须执行一些相当复杂的多连接查询。 数据每天(每晚)更新一次。
我正在使用 MongoDb 和 MySQL 的 python 连接器 pymongo 和 pymysql 测试 MongoDb 和 MySQL,特别是插入功能。 pymongo版本是3.4,pymys
从 C# 应用程序插入大型数组(10M 元素)的最快方法是什么? 到目前为止,我使用的是批量插入。 C# 应用程序生成一个大文本文件,我使用 BULK INSERT 命令加载它。出于好奇,我编写了一个
我编写了一个枚举类型,当我为它运行我创建的 JUnit 测试时会出现以下语法错误: java.lang.Error: Unresolved compilation problems: Synt
我正在尝试创建一个程序,它将单词列表作为输入,并将它们排序为二叉树,以便能够找到它们,例如像字典。这是我到目前为止所做的,但是 newEl -> el = input; 出现段错误,我知道这是因为它试
你好 我有编译这个问题 \begin{equation} J = \sum_{j=1}^{C} \end{equation} 我不断收到错误 missing $ inserted 这很奇怪,因
我需要使用 LINQ to SQL 将记录插入到没有主键的表中。 table 设计得很差;我无法控制表结构。该表由几个 varchar 字段、一个文本字段和一个时间戳组成。它用作其他实体的审计跟踪。
我正在尝试使用 itextsharp 创建 Pdf。我添加了一张包含两列的表格,其中一列包含文本和其他图像。我想要恒定的图像大小 如果另一个单元格中的文本增加并且其他单元格中的图像大小不同,我的图像会
我想把 calory 作为 fruits 的第一个值,我做不到,有人能帮忙吗? $sql = 'INSERT INTO fruits VALUES('', ?, ?, ?)'
我有一个包含季度观察结果的 data.frame。我现在想插入每月值(首选三次,线性很好)。中间目标应该是使用 DATE 创建一个 data.frame作为所有每月观察的索引和缺失值。 谷歌搜索表明我
我想知道是否有办法在值列表中使用“插入”。我正在尝试这样做: insert into tblMyTable (Col1, Col2, Col3) values('value1', value
我想让人们能够在他们的网站中插入单个 Javascript 行,这实际上允许我插入包含我网站内容的固定大小的 IFRAME。它实际上是一个小部件,允许他们搜索我的网站或接收其他信息。这可能吗? 最佳答
我有一个包含时间的表,列名为 time,数据类型为 Date。 在 asp.net 中,我想要一个查询插入日期,另一个查询则在 2 个日期之间进行选择。 我已经尝试过这个: string data =
这是我的代码: create or replace trigger th after insert on stock for each row declare sqty number;
这是一个带有具体示例的通用问题。 我有一个包含三个字段(流派 ID (PK IDENTITY)、流派和子流派)的表。该表对(流派,子流派)组合具有唯一约束。 我想知道如何修改存储过程以在表中不存在时插
因此,我正在遍历二叉树,节点包含字符串,以及读取文件时该字符串是否出现多次。我只查找读取文件时出现次数最多的前 10 个单词,因此本质上我只是比较 int 值。 我的问题是我正在尝试找出一种有效的方法
我有一张机票和行李 map , 每张门票必须是唯一的,并且必须与 map 上的位置相对应 是否可以仅更改行李(m_bagage->秒)而不更改 key ? std::unordered_map m_c
我正在使用 jdbc 驱动程序做一个示例项目。我的问题是,如果我在 2 文本字段中输入空值。 null 不应该加载到数据库中吗?有没有办法避免在数据库中插入空字段?任何帮助将不胜感激。 //Execu
我想知道 SSIS 中是否有特定的插入或更新选项。 如果我想让程序检查它是更新还是插入,我是否必须做一些编码?或者是否可以启用一个选项,以便它会自行检查 PK 是否存在,然后更新,否则插入? 亲切的问
我是一名优秀的程序员,十分优秀!