我觉得这应该是一件很常见的事情。我有一个带有相关对象的模型。假设它是用户,用户有一个角色。
public class User
{
public int Id { get; set; }
public virtual Role Role { get; set; }
/* other stuff that saves fine */
}
public class Role
{
public int Id {get;set;}
public string Name { get;set;}
}
因此,如果我保存新用户,或者我编辑用户(但不更改其角色),我没有任何问题。如果我有一个没有角色的用户,并为他添加一个角色,再次没有问题(虽然我手动查找角色并分配它)。如果我尝试更改某个角色,我会在Role属性上遇到一个模型状态错误,即该ID是对象密钥的一部分,无法更改。那么大家怎么去做这样的更新呢?将简单值列入白名单,然后手动更新角色?
我的控制器代码在这里:
[HttpPost]
public ActionResult Save(int id, FormCollection form)
{
var user = data.Users.FirstOrDefault(d=> d.Id == id);
if (user != null)
{
TryUpdateModel(user, form.ToValueProvider());
if (!ModelState.IsValid)
{
var messages = ModelState.Values.Where(m => m.Errors.Count() > 0).SelectMany(m=>m.Errors).Select(e => e.ErrorMessage);
if (Request.IsAjaxRequest())
return Json(new { message = "Error!", errors = messages });
return RedirectToAction("index"); // TODO: more robust Flash messaging
}
updateDependencies(user);
/* negotiate response */
}
}
我现在可能只是手动完成它,但它似乎是一种我希望开箱即用的方案,至少在某种程度上。
答案 0 :(得分:2)
您的User
模型应该有一个外键:
public int? RoleId { get; set; }
public virtual Role Role { get; set; }
您可以为此值指定Role.Id
,或在用户没有角色时将其设为null
。
我也不确定你的Save
功能是否正确。我总是使用这种模式(不确定它是否正确......),但当然这取决于你发布到服务器的数据:
[HttpPost]
public ActionResult Save(User model)
{
if (ModelState.IsValid)
{
// Save logic here, for updating an existing entry it is something like:
context.Entry(model).State = EntityState.Modified;
context.SaveChanges();
return View("Success");
}
return View("Edit", model);
}