我在MVC Controller中有一个方法,它从锚标记中的href调用。
public ActionResult DoSomething(string value)
{
if(true)
{
return new RedirectResult("http://google.com");
}
}
当我调试并点击该方法时,Response.Redirect也没有做任何例外。有任何想法吗? 提前谢谢!
答案 0 :(得分:3)
使用get_multi()
Redirect
return Redirect("http://www.google.com");
不是在asp.net mvc
<强> Response.Redirect and ASP.NET MVC – Do Not Mix 强>
更新:您似乎正在尝试重定向ajax请求。如果您重定向ajax请求,则不会重定向您的主页。
答案 1 :(得分:0)
您需要做一些事情来避免所有这些问题。
从你得到的AJAX错误开始,它们最像是与javascript调试器有关,微软称之为“BrowserLink”。
如果您使用的是Firefox或Chrome,此功能根本不起作用,这可能是避免此问题的最简单方法,但您可以在此处停用此功能:
您可以更改默认浏览器以在左侧运行网站。
就Response.Redirect
而言,我认为已经很好地涵盖了,您应该使用return Redirect()
代替,但是您的代码需要重构以允许这样做。
假设该方法是一个辅助方法,需要与控制器本身分开,有几种主要的方法可以做你想要做的事情。
1)魔术值
这可能包括“redirect1
”或通常null
,看起来像是:
public ActionResult MyAction
{
string data = ProcessString("some data");
if (data == null) { return Redirect("google.com"); }
}
public string ProcessString(string input)
{
if (condition) { return null; }
string output = input + "!"; // or whatever you need to do!
return input;
}
2)通过例外处理
假设问题是数据在某种程度上是坏的,并且您想要重定向,因为您无法处理它,异常处理很可能是要走的路。它还允许通过单个方法引发不同类型的异常,并独立处理,而不具有不能用作普通数据的魔术值。
public ActionResult MyAction
{
string data; // remember this will be null, not "" by default
try
{
data = ProcessString("some data");
}
catch (OwlMisalignedException ex)
{
return RedirectToAction("Index", "Error", new { exData = ex.Code });
}
// proceed with controller as normal
}
public string ProcessString(string input)
{
if (condition)
{
throw new OwlMisalignedException(1234);
// this is (obviously) a made up exception with a Code property
// as an example of passing the error code back up to an error
// handling page, for example.
}
string output = input + "!"; // or whatever you need to do!
return input;
}
通过使用该方法,您可以有效地向方法添加额外的返回状态,而无需扭曲您的返回类型或创建大量魔法值。
不要使用throw Exception
- 使用其中一种更具体的类型ArgumentException
和ArgumentNullException
可能会派上用场,或者根据需要创建自己的类型。
您可以在这里轻松找到有关创建自己的异常类型的信息。