22

我从 jQuery AJAX 调用向 MVC 4 控制器发送登录信息:

   $.post(url, data, function (response) {
      if (response=='InvalidLogin') {
          //show invalid login
      }
      else if (response == 'Error') {
          //show error
      }
      else {
          //redirecting to main page from here for the time being.
          window.location.replace("http://localhost:1378/Dashboard/Index");
      }
   });

如果登录成功,我想根据用户类型将用户从服务器端重定向到适当的页面。如果登录失败,则会向用户发送一个字符串:

    [HttpPost]
    public ActionResult Index(LoginModel loginData)
    {
        if (login fails)
        {
            return Json("InvalidLogin", JsonRequestBehavior.AllowGet);
        }
        else
        {
             // I want to redirect to another controller, view, or action depending
             // on user type.
        }
    }

但是也有问题:

  1. 如果此方法返回“ActionResult”,那么我会收到错误消息not all code paths return a value

  2. 如果我使用'void',我不能返回任何东西。

  3. 即使我使用没有返回的“void”,由于 jQuery AJAX 调用的异步性质,我也无法重定向到其他控制器或视图。

有什么技术可以处理这种情况吗?

4

3 回答 3

49

return通常从方法返回而不在其中执行任何进一步的语句,因此else不需要部分。这样,您将摆脱问题 #1。

至于重定向为什么不返回某种重定向命令:

[HttpPost]
public ActionResult Index(LoginModel loginData)
{
    if (login fails)
    {
        return Json(new {result = "InvalidLogin"}, JsonRequestBehavior.AllowGet);
    }
    return Json(new {result = "Redirect", url = Url.Action("MyAction", "MyController")});
}

然后在javascript中:

$.post(url, data, function (response) {
  if (response.result == 'InvalidLogin') {
      //show invalid login
  }
  else if (response.result == 'Error') {
      //show error
  }
  else if (response.result == 'Redirect'){
      //redirecting to main page from here for the time being.
      window.location = response.url;
  }
 });
于 2013-11-05T17:50:47.623 回答
2

这对我有帮助。

return JavaScript("window.location = '/'");

参考。链接 如何获得 ASP.NET MVC Ajax 响应以重定向到新页面...

于 2016-03-21T11:00:40.993 回答
0

我必须这样做,但我发现的解决方案都没有真正满足我对 JavaScript 解析错误的极端要求,为了将客户端重定向到登录页面,我必须避免这些错误。

我所做的是从我的自定义授权属性发送一个简单的“NOAUTH”字符串响应,然后在任何事件处理程序被命中之前拦截 Ajax 响应,并通过设置 window.location 重定向用户。

服务器端:

protected override void HandleUnauthorizedRequest(AuthorizationContext context)
{
    if (context.RequestContext.HttpContext.Request.IsAjaxRequest())
    {
        var result = new ContentResult {Content = "NOAUTH"};
        context.Result = result;
        return;
    }
}

然后在客户端:

$.ajaxSetup({
    dataFilter: function (data, type) {
        if (data !== "" && data === "NOAUTH") {
            window.location = '/';
        }
        return data;
    }
});

我不会推荐这种方法。如果您必须这样做,那么我至少建议将“NOAUTH”值放在 http 响应标头中,然后在全局 JQuery 完整处理程序中读取该值。

服务器端:

HttpContext.Current.Response.AddHeader("NOAUTH", "1");

客户端:

$.ajaxSetup({
    complete: function (jqXHR, textStatus) {
        if (jqXHR.getResponseHeader("NOAUTH") === '1')
            window.location = '/';
    }
});

请注意,使用 dataFilter 是在任何其他事件处理程序被命中之前拦截 ajax 请求的唯一方法。

于 2016-10-23T20:06:16.340 回答