3

我有两个控制器:

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();
     }
}

但我建议这将是打破架构的方法,我不想那样做。除了传递模型对象之外,还有一些更简单、更安全的方法吗?

4

2 回答 2

3

根据您需要将异常的哪些细节传递回控制器 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
          }
          ...
      }
于 2013-01-07T16:12:58.737 回答
2

您可以将重定向返回到 AControllerAction。您可以使用 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");
          }
      }
}
于 2013-01-07T16:19:32.153 回答