若要了解有关令人兴奋的新Asp.Net-5框架的更多信息,我试图使用新发布的Visual Studio 2015 CTP-6构建Web应用程序。
大多数事情看起来确实很有希望,但是我似乎找不到Request.IsAjaxRequest()-我在较老的MVC项目中经常使用的功能。
有没有更好的方法可以做到这一点-迫使他们删除此方法-还是“隐藏”在其他地方?
感谢您对在哪里找到它或该怎么做的任何建议!
最佳答案
我有点困惑,因为标题提到了MVC 5。
搜索 Ajax
in the MVC6 github repo doesn't give any relevant results,但是您可以自己添加扩展名。从MVC5项目反编译给出了非常简单的代码:
/// <summary>
/// Determines whether the specified HTTP request is an AJAX request.
/// </summary>
///
/// <returns>
/// true if the specified HTTP request is an AJAX request; otherwise, false.
/// </returns>
/// <param name="request">The HTTP request.</param><exception cref="T:System.ArgumentNullException">The <paramref name="request"/> parameter is null (Nothing in Visual Basic).</exception>
public static bool IsAjaxRequest(this HttpRequestBase request)
{
if (request == null)
throw new ArgumentNullException(nameof(request));
if (request["X-Requested-With"] == "XMLHttpRequest")
return true;
if (request.Headers != null)
return request.Headers["X-Requested-With"] == "XMLHttpRequest";
return false;
}
由于MVC6
Controller
似乎正在使用Microsoft.AspNet.Http.HttpRequest,因此您必须通过对MVC5版本进行一些调整来检查 request.Headers
collection是否具有适当的 header :/// <summary>
/// Determines whether the specified HTTP request is an AJAX request.
/// </summary>
///
/// <returns>
/// true if the specified HTTP request is an AJAX request; otherwise, false.
/// </returns>
/// <param name="request">The HTTP request.</param><exception cref="T:System.ArgumentNullException">The <paramref name="request"/> parameter is null (Nothing in Visual Basic).</exception>
public static bool IsAjaxRequest(this HttpRequest request)
{
if (request == null)
throw new ArgumentNullException(nameof(request));
if (request.Headers != null)
return request.Headers["X-Requested-With"] == "XMLHttpRequest";
return false;
}
或直接:
var isAjax = request.Headers["X-Requested-With"] == "XMLHttpRequest"
关于c# - Asp.Net Core MVC中的Request.IsAjaxRequest()在哪里?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29282190/