具有缺少尾部斜杠的MVC错误行为的解决方法

时间:2014-05-06 05:12:33

标签: asp.net-mvc-4 iis requirejs

这是在index.cshtml。

<script>alert(window.location.href);</script>
<script 
  type="text/javascript" 
  src="~/Scripts/require.js" 
  data-main="App/main">
</script>

当URL缺少尾部斜杠时,此操作失败。此URL http://host/appname/导致预期的行为(浏览器加载/appname/App/main.js),但没有尾部斜杠的相同URL导致浏览器尝试加载此/App/main.js,从而导致404没找到。

我试着像这样构建它

<script>alert(window.location.href);</script>
<script 
  type="text/javascript" 
  src="~/Scripts/require.js" 
  data-main="@Url.Content("~/App/main")">
</script>

但这只会使问题更加明显;当尾部斜杠存在时,浏览器继续工作,但现在当没有尾部斜杠时,它会抛出一个充满原始HTML的消息对话框。

以下是一些可能的解决方案:

  • 将IIS配置为在到达ASP.NET之前附加尾部斜杠
  • 设置MVC应用程序以提前检查并使用尾部斜杠重定向

让IIS执行它可能不是最好的计划。配置更改很可能会导致系统其他方面出现问题,尤其是对于多页(非SPA)MVC应用程序。将参数编码到URL中的REST习惯就好像它们是资源路径一样,通常不使用尾部斜杠。

有人可能会说这种符号比传统的URL参数编码没有增加任何内容并且违反了HTTP规范(更不用说真正令你烦恼了)但是这种类型的编码有相当大的投入,因此服务器配置不太理想。溶液

2 个答案:

答案 0 :(得分:5)

要在MVC应用程序中执行“礼貌重定向”,请打开主控制器并更新“索引”操作。在我的情况下,该应用程序是一个Durandal SPA应用程序,因此主要的索引方法如下所示:

public class DurandalController : Controller
{
  public ActionResult Index()
  {
    return View();
  }
}

我们需要检查请求,并在必要时重定向。最终看起来像这样:

public class DurandalController : Controller
{
  public ActionResult Index()
  {
    var root = VirtualPathUtility.ToAbsolute("~/");
    if ((root != Request.ApplicationPath) && (Request.ApplicationPath == Request.Path))
      return Redirect(root + "#");
    else
      return View();
  }
}

重定向仅在SPA应用的会话生命周期中发挥作用一次,因为每个会话仅从服务器加载一次。像这样实现它对其他控制器及它们处理的URL没有任何影响。

答案 1 :(得分:1)

感谢您的有用帖子。

我不知道为什么但是在某些ASP应用程序中, Request.ApplicationPath Request.Path 并不严格等于所以我必须忽略大小写。

所以一个小的改进可能是:

var root = VirtualPathUtility.ToAbsolute("~/");
if ((!root.Equals(Request.ApplicationPath, System.StringComparison.CurrentCultureIgnoreCase))
    && (Request.ApplicationPath.Equals(Request.Path, System.StringComparison.CurrentCultureIgnoreCase)))
{
    return Redirect(root + "#");
}
else
{
    return View();
}