AspNetCore.Docs/aspnetcore/performance/performance-best-practices.md

12 KiB

title author description monikerRange ms.author ms.date uid
ASP.NET Core Performance Best Practices mjrousos Tips for increasing performance in ASP.NET Core apps and avoiding common performance problems. >= aspnetcore-1.1 riande 11/29/2018 performance/performance-best-practices

ASP.NET Core Performance Best Practices

By Mike Rousos

This topic provides guidelines for performance best practices with ASP.NET Core.

In this document, a hot code path is defined as a code path that is frequently called and where much of the execution time occurs. Hot code paths typically limit app scale-out and performance.

Cache aggressively

Caching is discussed in several parts of this document. For more information, see xref:performance/caching/response.

Avoid blocking calls

ASP.NET Core apps should be designed to process many requests simultaneously. Asynchronous APIs allow a small pool of threads to handle thousands of concurrent requests by not waiting on blocking calls. Rather than waiting on a long-running synchronous task to complete, the thread can work on another request.

A common performance problem in ASP.NET Core apps is blocking calls that could be asynchronous. Many synchronous blocking calls leads to Thread Pool starvation and degrading response times.

Do not:

  • Block asynchronous execution by calling Task.Wait or Task.Result.
  • Acquire locks in common code paths. ASP.NET Core apps are most performant when architected to run code in parallel.

Do:

  • Make hot code paths asynchronous.
  • Call data access and long-running operations APIs asynchronously.
  • Make controller/Razor Page actions asynchronous. The entire call stack needs to be asynchronous in order to benefit from async/await patterns.

A profiler like PerfView can be used to look for threads frequently being added to the Thread Pool. The Microsoft-Windows-DotNETRuntime/ThreadPoolWorkerThread/Start event indicates a thread being added to the thread pool.

Minimize large object allocations

The .NET Core garbage collector manages allocation and release of memory automatically in ASP.NET Core apps. Automatic garbage collection generally means that developers don't need to worry about how or when memory is freed. However, cleaning up unreferenced objects takes CPU time, so developers should minimize allocating objects in hot code paths. Garbage collection is especially expensive on large objects (> 85 K bytes). Large objects are stored on the large object heap and require a full (generation 2) garbage collection to clean up. Unlike generation 0 and generation 1 collections, a generation 2 collection requires app execution to be temporarily suspended. Frequent allocation and de-allocation of large objects can cause inconsistent performance.

Recommendations:

  • Do consider caching large objects that are frequently used. Caching large objects prevents expensive allocations.
  • Do pool buffers by using an ArrayPool<T> to store large arrays.
  • Do not allocate many, short-lived large objects on hot code paths.

Memory issues like the preceding can be diagnosed by reviewing garbage collection (GC) stats in PerfView and examining:

  • Garbage collection pause time.
  • What percentage of the processor time is spent in garbage collection.
  • How many garbage collections are generation 0, 1, and 2.

For more information, see Garbage Collection and Performance.

Optimize Data Access

Interactions with a data store or other remote services are often the slowest part of an ASP.NET Core app. Reading and writing data efficiently is critical for good performance.

Recommendations:

  • Do call all data access APIs asynchronously.
  • Do not retrieve more data than is necessary. Write queries to return just the data that is necessary for the current HTTP request.
  • Do consider caching frequently accessed data retrieved from a database or remote service if it is acceptable for the data to be slightly out-of-date. Depending on the scenario, you might use a MemoryCache or a DistributedCache. For more information, see xref:performance/caching/response.
  • Minimize network round trips. The goal is to retrieve all the data that will be needed in a single call rather than several calls.
  • Do use no-tracking queries in Entity Framework Core when accessing data for read-only purposes. EF Core can return the results of no-tracking queries more efficiently.
  • Do filter and aggregate LINQ queries (with .Where, .Select, or .Sum statements, for example) so that the filtering is done by the database.
  • Do consider that EF Core resolves some query operators on the client, which may lead to inefficient query execution. For more information, see Client evaluation performance issues
  • Do not use projection queries on collections, which can result in executing "N + 1" SQL queries. For more information, see Optimization of correlated subqueries.

See EF High Performance for approaches that may improve performance in high-scale apps:

We recommend you measure the impact of the preceding high-performance approaches before committing to your code base. The additional complexity of compiled queries may not justify the performance improvement.

Query issues can be detected by reviewing time spent accessing data with Application Insights or with profiling tools. Most databases also make statistics available concerning frequently executed queries.

Pool HTTP connections with HttpClientFactory

Although HttpClient implements the IDisposable interface, it's meant to be reused. Closed HttpClient instances leave sockets open in the TIME_WAIT state for a short period of time. Consequently, if a code path that creates and disposes of HttpClient objects is frequently used, the app may exhaust available sockets. HttpClientFactory was introduced in ASP.NET Core 2.1 as a solution to this problem. It handles pooling HTTP connections to optimize performance and reliability.

Recommendations:

Keep common code paths fast

You want all of your code to be fast, but frequently called code paths are the most critical to optimize:

  • Middleware components in the app's request processing pipeline, especially middleware run early in the pipeline. These components have a large impact on performance.
  • Code that is executed for every request or multiple times per request. For example, custom logging, authorization handlers, or initialization of transient services.

Recommendations:

Complete long-running Tasks outside of HTTP requests

Most requests to an ASP.NET Core app can be handled by a controller or page model calling necessary services and returning an HTTP response. For some requests that involve long-running tasks, it's better to make the entire request-response process asynchronous.

Recommendations:

  • Do not wait for long-running tasks to complete as part of ordinary HTTP request processing.
  • Do consider handling long-running requests with background services or out of process with an Azure Function. Completing work out-of-process is especially beneficial for CPU-intensive tasks.
  • Do use real-time communication options like SignalR to communicate with clients asynchronously.

Minify client assets

ASP.NET Core apps with complex front-ends frequently serve many JavaScript, CSS, or image files. Performance of initial load requests can be improved by:

  • Bundling, which combines multiple files into one.
  • Minifying, which reduces the size of files by.

Recommendations:

  • Do use ASP.NET Core's built-in support for bundling and minifying client assets.
  • Do consider other third-party tools like Gulp or Webpack for more complex client asset management.

Use the latest ASP.NET Core release

Each new release of ASP.NET includes performance improvements. Optimizations in .NET Core and ASP.NET Core mean that newer versions will outperform older versions. For example, .NET Core 2.1 added support for compiled regular expressions and benefitted from Span<T>. ASP.NET Core 2.2 added support for HTTP/2. If performance is a priority, consider upgrading to the most current version of ASP.NET Core.

Minimize exceptions

Exceptions should be rare. Throwing and catching exceptions is slow relative to other code flow patterns. Because of this, exceptions should not be used to control normal program flow.

Recommendations:

  • Do not use throwing or catching exceptions as a means of normal program flow, especially in hot code paths.
  • Do include logic in the app to detect and handle conditions that would cause an exception.
  • Do throw or catch exceptions for unusual or unexpected conditions.

App diagnostic tools (like Application Insights) can help to identify common exceptions in an application which may affect performance.