Updating a reference to a child object in Entity framework 4.1 (CodeFirst)

前端 未结 1 391
自闭症患者
自闭症患者 2020-12-16 03:56

I\'m trying to update an object that I have previously saved with EntityFramework 4.1 (CodeFirst)

The class Job has the following properties ...

publ         


        
相关标签:
1条回答
  • 2020-12-16 04:18

    Setting the state to Modified only updates scalar and complex properties, not your navigation properties. This only goes through Entity Framework's change detection. It means that you need to load the original from the database:

    using (var context = new JobContext())
    {
        var originalJob = context.Jobs.Include(j => j.JobType)
            .Single(j => j.Id == job.Id);
    
        // Update scalar/complex properties
        context.Entry(originalJob).CurrentValues.SetValues(job);
    
        // Update reference
        originalJob.JobType = job.JobType;
    
        context.SaveChanges();
    }
    

    You could probably also leverage some "tricks" in your case:

    using (var context = new JobContext())
    {
        var jobType = job.JobType;
        job.JobType = null;
    
        context.JobTypes.Attach(jobType);
        context.Jobs.Attach(job);
        // change detection starts from here,
        // EF "thinks" now, original is JobType==null
    
        job.JobType = jobType;
        // change detection will recognize this as a change
        // and send an UPDATE to the DB
    
        context.Entry(job).State = EntityState.Modified; // for scalar/complex props
    
        context.SaveChanges();
    }
    

    It wouldn't work though if you want to set JobType to null.

    This is a typical situation which is getting much simpler if you expose foreign keys as properties in your model: With a JobTypeId in your Job entity your code would work because the FK property is scalar and setting the state to Modified will also mark this property as modified.

    0 讨论(0)
提交回复
热议问题