我有一个相当简单的ASP的性能问题。MVC 视图。
这是一个登录页面,应该几乎是即时的,但大约需要半秒钟。
经过大量挖掘,看起来问题是第一次调用Url.Action
- 它大约需要 450 毫秒(根据 MiniProfiler),但这似乎非常慢。
随后对Url.Action
的调用需要<1ms,这更符合我的预期。
无论我使用 Url.Action("action", "controller")
还是Url.Action("action")
,这都是一致的,但如果我使用 Url.Content("~/controller/action")
似乎不会发生。当我打电话给Html.BeginForm("action")
时也会发生这种情况。
有谁知道是什么原因造成的?
对来源的挖掘表明RouteCollection.GetVirtualPath
可能是罪魁祸首,因为这对Url.Action
和Html.BeginForm
来说都很常见。但是,肯定到处都在使用吗?我的意思是,每秒1/2太慢了。
我有 20 个左右的自定义路由(这是一个相当大的应用程序,带有一些遗留的 WebForms 页面),但即便如此,时间似乎也太慢了。
有什么想法可以解决吗?
发现问题,它与路由表有关(干杯基里尔)。
基本上我们有很多路线看起来像这样:
string[] controllers = GetListOfValidControllers();
routes.MapRoute(
name: GetRouteName(),
url: subfolder + "/{controller}/{action}/{id}",
defaults: new { action = "Index", id = UrlParameter.Optional },
constraints: new { controller = "(" + string.Join("|", controllers) + ")" });
事实证明,正则表达式检查非常缓慢,非常缓慢。因此,我将其替换为仅检查HashSet
的IRouteConstraint
实现。
然后我更改了地图路线调用:
routes.MapRoute(
name: GetRouteName(),
url: subfolder + "/{controller}/{action}/{id}",
defaults: new { action = "Index", id = UrlParameter.Optional },
constraints: new { controller = new HashSetConstraint(controllers) });
我还使用了链接文章中提到的RegexConstraint来处理更复杂的事情 - 包括许多像这样的调用(因为我们有遗留的WebForm页面):
routes.IgnoreRoute(
url: "{*allaspx}",
constraints: new { allaspx = new RegexConstraint( @".*.as[pmh]x(/.*)?") });
这两个简单的更改完全解决了问题; Url.Action
和Html.BeginForm
现在花费的时间可以忽略不计(即使有很多路线)。
,你的问题是编译视图。您需要在构建时预编译视图,这个问题就会消失。详情请见此处
public class RegexConstraint : IRouteConstraint, IEquatable<RegexConstraint>
{
Regex regex;
string pattern;
public RegexConstraint(string pattern, RegexOptions options = RegexOptions.CultureInvariant | RegexOptions.Compiled | RegexOptions.IgnoreCase)
{
regex = new Regex(pattern, options);
this.pattern = pattern;
}
public bool Match(System.Web.HttpContextBase httpContext, Route route, string parameterName, RouteValueDictionary values, RouteDirection routeDirection)
{
object val;
values.TryGetValue(parameterName, out val);
string input = Convert.ToString(val, CultureInfo.InvariantCulture);
return regex.IsMatch(input);
}
public string Pattern
{
get
{
return pattern;
}
}
public RegexOptions RegexOptions
{
get
{
return regex.Options;
}
}
private string Key
{
get
{
return regex.Options.ToString() + " | " + pattern;
}
}
public override int GetHashCode()
{
return Key.GetHashCode();
}
public override bool Equals(object obj)
{
var other = obj as RegexConstraint;
if (other == null) return false;
return Key == other.Key;
}
public bool Equals(RegexConstraint other)
{
return this.Equals((object)other);
}
public override string ToString()
{
return "RegexConstraint (" + Pattern + ")";
}
}
我已经把它剥离成"裸骨"......将单个文件设置到内存中并从操作中下载,与从 IHttpModule 下载相比。由于某种原因(可能是 MVC 管道加载、路由),IHttpModule 要快得多(对于小文件,例如产品列表图像)。我没有在路由中使用正则表达式(这会进一步减慢它的速度)。在IHttpModule中,我达到的速度与URL指向驱动器上的文件的速度相同(当然,如果文件在驱动器上,但不在URL指向的驱动器位置上)。
<system.webServer>
<modules runAllManagedModulesForAllRequests="true">
<add name="ImagesHandler" type="NsdMupWeb.ImagesHttpModule" />
</modules>
</system.webServer>
//Code is made for testing
public class ImagesHttpModule : IHttpModule
{
public void Dispose()
{
}
public void Init(HttpApplication context)
{
context.BeginRequest += Context_BeginRequest;
}
private void Context_BeginRequest(object sender, EventArgs e)
{
var app = (HttpApplication)sender;
if (app.Request.CurrentExecutionFilePathExtension.Length > 0)
{
var imagePathFormated = "/image/";
var imagesPath = app.Request.ApplicationPath.TrimEnd('/') + imagePathFormated;
if (app.Request.CurrentExecutionFilePath.StartsWith(imagesPath))
{
var path = app.Request.CurrentExecutionFilePath.Remove(0, imagesPath.Length);
var parts = path.Split(new[] { '/' }, StringSplitOptions.RemoveEmptyEntries);
if (parts.Length > 1)
{
var ms = new MemoryStream();
Stream stream;
stream = System.IO.File.OpenRead(@"C:ProgrammingSindikatMainNsdMupWebFilesCachedimageFormatProductList1b1e2671-a365-4a87-97ba-063cf51ac34e.jpg");
var ctx = ((HttpApplication)sender).Context;
ctx.Response.ContentType = MimeMapping.GetMimeMapping(parts[1]);
ctx.Response.Headers.Add("last-modified", new DateTime(2000, 01, 01).ToUniversalTime().ToString("R"));
byte[] buffer = new byte[stream.Length / 2];
stream.Read(buffer, 0, buffer.Length);
ctx.Response.BinaryWrite(buffer);
buffer = new byte[stream.Length - buffer.Length];
stream.Read(buffer, 0, buffer.Length);
ctx.Response.BinaryWrite(buffer);
ctx.Response.End();
}
}
}
}
}