我希望在成功操作后呈现相同的视图(而不是使用RedirectToAction),但我需要修改呈现给该视图的模型数据。以下是一个人为的例子,演示了两种不起作用的方法:
[AcceptVerbs("POST")]
public ActionResult EditProduct(int id, [Bind(Include="UnitPrice, ProductName")]Product product) {
NORTHWNDEntities entities = new NORTHWNDEntities();
if (ModelState.IsValid) {
var dbProduct = entities.ProductSet.First(p => p.ProductID == id);
dbProduct.ProductName = product.ProductName;
dbProduct.UnitPrice = product.UnitPrice;
entities.SaveChanges();
}
/* Neither of these work */
product.ProductName = "This has no effect";
ViewData["ProductName"] = "This has no effect either";
return View(product);
}
有谁知道实现这个目的的正确方法是什么?
答案 0 :(得分:23)
在进一步研究之后,我解释了为什么下面的代码在Action中没有效果:
product.ProductName = "This has no effect";
ViewData["ProductName"] = "This has no effect either";
我的视图使用HTML帮助程序:
<% Html.EditorFor(x => x.ProductName);
HTML Helpers在尝试查找密钥时使用以下顺序优先级:
对于HTTP Post Actions,总是填充ModelState,因此直接修改Model(product.ProductName)或ViewData(ViewData [“ProductName”])无效。
如果确实需要直接修改ModelState,则执行此操作的语法为:
ModelState.SetModelValue("ProductName", new ValueProviderResult("Your new value", "", CultureInfo.InvariantCulture));
或者,要清除ModelState值:
ModelState.SetModelValue("ProductName", null);
您可以创建扩展方法来简化语法:
public static class ModelStateDictionaryExtensions {
public static void SetModelValue(this ModelStateDictionary modelState, string key, object rawValue) {
modelState.SetModelValue(key, new ValueProviderResult(rawValue, String.Empty, CultureInfo.InvariantCulture));
}
}
然后你可以简单地写:
ModelState.SetModelValue("ProductName", "Your new value");
有关详细信息,请参阅Consumption of Data in MVC2 Views。
答案 1 :(得分:2)
值存储在ModelState
。
这应该做你想要的:
ModelState.SetModelValue("ProductName", "The new value");
我不建议这样做......正确的方法是遵循PRG (Post/Redirect/Get) pattern。
HTHS,
查尔斯
编辑:已更新以反映更好地设置@Gary找到的ModelState
值
答案 2 :(得分:0)
在更改模型之前执行ModelState.Clear()。
...
ModelState.Clear()
dbProduct.ProductName = product.ProductName;
dbProduct.UnitPrice = product.UnitPrice;
...
答案 3 :(得分:0)
这将触发模型在简单条件下重新评估:
ModelState.Clear();
model.Property = "new value";
TryValidateModel(model);