实体框架6.1更新记录的子集
我有一个只封装了一些数据库模型属性的视图模型。 视图模型包含的这些属性是我想要更新的唯一属性。 我希望其他的财产保持其价值。
在我的研究中,我发现这个答案看起来对我的需求来说是完美的,尽管我尽了最大的努力,但我无法让代码按预期工作。
这是我想到的一个孤立的例子:
static void Main() {
// Person with ID 1 already exists in database.
// 1. Update the Age and Name.
Person person = new Person();
person.Id = 1;
person.Age = 18;
person.Name = "Alex";
// 2. Do not update the NI. I want to preserve that value.
// person.NINumber = "123456";
Update(person);
}
static void Update(Person updatedPerson) {
var context = new PersonContext();
context.Persons.Attach(updatedPerson);
var entry = context.Entry(updatedPerson);
entry.Property(e => e.Name).IsModified = true;
entry.Property(e => e.Age).IsModified = true;
// Boom! Throws a validation exception saying that the
// NI field is required.
context.SaveChanges();
}
public class PersonContext : DbContext {
public DbSet<Person> Persons { get; set; }
}
public class Person {
public int Id { get; set; }
[Required]
public string Name { get; set; }
[Required]
public int Age { get; set; } // this is contrived so, yeah.
[Required]
public string NINumber { get; set; }
}
我究竟做错了什么?
您的工作基于https://stackoverflow.com/a/15339512/2015959,但在另一个线程中,未更改的字段(因此不在附加模型中)不是强制性的,这就是它工作的原因。 由于你的字段是必需的,你会得到这个验证错误。
您的问题可以通过使用部分更新的实体框架验证中提供的解决方案来解决
这是导致它不被保存的验证。 您可以使用context.Configuration.ValidateOnSaveEnabled = false;
禁用验证context.Configuration.ValidateOnSaveEnabled = false;
它会工作。 要验证特定的字段,你可以调用var error = entry.Property(e => e.Name).GetValidationErrors();
。 所以你当然可以创建一个'UpdateNameAndAge'方法,它只能强制执行业务规则并将这些属性标记为已修改。 不需要双重查询。
private static bool UpdateNameAndAge(int id, string name, int age)
{
bool success = false;
var context = new PersonContext();
context.Configuration.ValidateOnSaveEnabled = false;
var person = new Person() {Id = id, Name = name, Age = age};
context.Persons.Attach(person);
var entry = context.Entry(person);
// validate the two fields
var errorsName = entry.Property(e => e.Name).GetValidationErrors();
var errorsAge = entry.Property(e => e.Age).GetValidationErrors();
// save if validation was good
if (!errorsName.Any() && !errorsAge.Any())
{
entry.Property(e => e.Name).IsModified = true;
entry.Property(e => e.Age).IsModified = true;
if (context.SaveChanges() > 0)
{
success = true;
}
}
return success;
}
(为了清楚起见而编辑)
上下文必须具有完整的对象副本才能执行业务规则。 这只有在附加对象具有所有必需的属性时才会发生,或者在更新之前将部分视图与完整副本合并。
我相信你想做的事情在概念上是不可能的:做这样的更新将需要一个保存的预更改副本或对数据库的两个查询,因为业务层需要用于验证的完整副本。
链接地址: http://www.djcxy.com/p/33581.html