在asp.net MVC中控制器之间共享数据的最佳方法是什么?
本文关键字:数据 最佳 方法 是什么 共享 之间 net asp MVC 控制器 | 更新日期: 2023-09-27 17:50:58
我有两个控制器:
public class AController : Controller
{
public ActionResult AControllerAction()
{
if (// BControllerAction reported an error somehow )
{
ModelState.AddModelError("error-key", "error-value");
}
...
}
}
public class BController : Controller
{
public ActionResult BControllerAction()
{
try{Something();}
catch(SomethingExceprion)
{
// here I need to add error info data,
// pass it to AController and redirect to
// AControllerAction where this error will be added
// to model state
}
}
}
我想我可以这样做:
public ActionResult BControllerAction()
{
try{Something();}
catch(SomethingException)
{
var controller = new AController();
controller.ModelState.AddModelError("error-key", "error-value");
controller.AControllerAction();
}
}
但我建议这将是一种打破架构的方法,我不想那样做。除了传递模型对象之外,还有其他更简单、更安全的方法吗?
根据您需要传递回控制器A的异常细节,我将按照
这行执行操作public ActionResult BControllerAction()
{
try{Something();}
catch(SomethingException ex)
{
return RedirectToAction("AControllerAction", "AController", new { errorMessage = ex.Message() })
}
}
然后将被调用方法的签名更改为
public ActionResult AControllerAction(string errorMessage)
{
if (!String.IsNullOrEmpty(errorMessage))
{
//do something with the message
}
...
}
你可以返回一个重定向到acontroleraction。您可以使用TempData字典(类似于ViewData)在这样的调用中共享数据(以这种方式存储的数据将保留到同一会话中的下一个请求,如本文所述)。
的例子:
public class AController : Controller
{
public ActionResult AControllerAction()
{
if (TempData["BError"] != null)
{
ModelState.AddModelError("error-key", "error-value");
}
...
}
}
public class BController : Controller
{
public ActionResult BControllerAction()
{
try{Something();}
catch(SomethingExceprion)
{
TempData["BError"] = true;
return RedircetToAction("AControllerAction", "AController");
}
}
}