Entity Framework POCO SaveChanges() on Update doesn't work?

前端 未结 1 1843
感动是毒
感动是毒 2020-12-15 09:06

I\'m working with EF CTP 4, using POCO models, adding a new object and call SaveChanges() works but updating the object doesn\'t work. Here\'s the code for update:



        
相关标签:
1条回答
  • 2020-12-15 09:53

    The problem is that when you assign findContact = contact the EntityState does not get changed in the ObjectStateManager (so it's still set to Unchanged). Therefore, no Update SQL statement gets generated for the entity. You have several options to do the update:

    Option 1: Populate findContact field-by-field:

    var findContact = GetContact(contact.ContactID);
    findContact.FirstName = contact.FirstName;
    findContact.LastName = contact.LastName;
    ...
    _context.SaveChanges();
    

    Option 2: Use the ApplyCurrentValues method:

    var findContact = GetContact(contact.ContactID);
    _context.ApplyCurrentValues("Contacts", contact);
    _context.SaveChanges();
    

    Option 3: Attach the updated entity and change the state in the ObjectStateManager. (Note: this will not make a roundtrip to the database for fetching the existing contact).

    _context.AttachTo("Contacts", contact);
    var contactEntry = Context.ObjectStateManager.GetObjectStateEntry(contact);
    contactEntry.ChangeState(EntityState.Modified);
    _context.SaveChanges();
    
    0 讨论(0)
提交回复
热议问题