I have three EntityFramework (4.3) objects, a Member, Address and a State. They look like this:
public class Member
{
public int Id { get; set; }
public virtual Address Address { get; set; }
/*other properties removed for brevity*/
}
public class Address
{
public int Id { get; set; }
public virtual State State { get; set; }
/*other properties removed for brevity*/
}
public class State
{
public int Id { get; set; }
public string Name { get; set; }
public string Abbreviation { get; set; }
public virtual ICollection<Address> Address { get; set; }
}
When I update the address relationship, everything works fine. See code below:
[HttpPost]
public ActionResult Update(MemberUpdateModel model)
{
if (!ModelState.IsValid)
{
model.SetStateSelectList(_db, model.SelectedStateId);
return View(model);
}
_db.Entry(model.Member).State = EntityState.Modified;
_db.Entry(model.Member.Address).State = EntityState.Modified;
_db.SaveChanges(); // works
return RedirectToAction("Index");
}
Then I add in the update for the Address/State relationship like this:
[HttpPost]
public ActionResult Update(MemberUpdateModel model)
{
if (!ModelState.IsValid)
{
model.SetStateSelectList(_db, model.SelectedStateId);
return View(model);
}
_db.Entry(model.Member).State = EntityState.Modified;
_db.Entry(model.Member.Address).State = EntityState.Modified;
// added for address/state relationship
var selectedState = _db.States.FirstOrDefault(q => q.Id == model.SelectedStateId);
model.Member.Address.State = selectedState;
_db.SaveChanges();
return RedirectToAction("Index");
}
When we run the above code, we get the following error:
Store update, insert, or delete statement affected an unexpected number of rows (0). Entities may have been modified or deleted since entities were loaded. Refresh ObjectStateManager entries.
Description: An unhandled exception occurred during the execution of the current web request. Please review the stack trace for more information about the error and where it originated in the code.
Exception Details: System.Data.OptimisticConcurrencyException: Store update, insert, or delete statement affected an unexpected number of rows (0). Entities may have been modified or deleted since entities were loaded. Refresh ObjectStateManager entries.
What am I doing wrong to cause this behavior?