This is a companion article to the EF Core Community Standup called “Performance tuning an EF Core app” where I apply a series of performance enhancements to a demo ASP.NET Core e-commerce book selling site called the Book App. I start with 700 books, then 100,000 books and finally ½ million books.
This article, plus the EF Core Community Standup video, pulls information from chapters 14 to 16 from my book “Entity Framework Core in Action, 2nd edition” and uses code in the associated GitHub repo https://github.com/JonPSmith/EfCoreinAction-SecondEdition.
NOTE: You can download the code and run the application described in this article/video via the https://github.com/JonPSmith/EfCoreinAction-SecondEdition GitHub repo. Select the Part3 branch and run the project called BookApp.UI. The home page of the Book App has information on how to change the Book App’s settings for chapter 15 (four SQL versions) and chapter 16 (Cosmos DB).
Other articles that are relevant to the performance tuning shown in this article
- A technique for building high-performance databases with EF Core – describes the SQL (+cached) approach.
- Building a robust CQRS database with EF Core and Cosmos DB – described an older CQRS/Cosmos DB approach (Book App uses integration events)
- An in-depth study of Cosmos DB and the EF Core 3 to 5 database provider – differences/limitations when using Cosmos DB.
- Building high performance database queries using Entity Framework Core and AutoMapper – a way to create select queries automatically.
TL;DR – summary
- The demo e-commerce book selling site displays books with various sort, filter and paging that you might expect to need. One of the hardest of the queries is to sort the book by their average votes (think Amazon’s star ratings).
- At 700 books a well-designed LINQ query is all you need.
- At 100,000 books (and ½ million reviews) LINQ on its own isn’t good enough. I add three new ways to handle the book display, each one improving performance, but also takes more development effort.
- At ½ million books (and 2.7 million reviews) SQL on its own has some serious problems, so I swap to a Command Query Responsibility Segregation (CQRS) architecture, with the read-side using a Cosmos DB database (Cosmos DB is a NOSQL database)
- The use of Cosmos DB with EF Core highlights
- How Cosmos DB is different from a relational (SQL) database
- The limitations in EF Core’s Cosmos DB database provider
- At the end I give my view of performance gain against development time.
The Book App and its features
The Book App is a demo e-commerce site that sells books. In my book “Entity Framework Core in Action, 2nd edition” I use this Book App as an example of using various EF Core features. It starts out with about 50 books in it, but in Part3 of the book I spend three chapters on performance tuning and take the number of books up to 100,000 book and then to ½ million books. Here is a screenshot of the Book App running in “Chapter 15” mode, where it shows four different modes of querying a SQL Server database.
The Book App query which I improve has the following Sort, Filter, Page features

- Sort: Price, Publication Date, Average votes, and primary key (default)
- Filter: By Votes (1+, 2+, 3+, 4+), By year published, By tag, (defaults to no filter)
- Paging: Num books shown (default 100) and page num
Note: that a book can be soft deleted, which means there is always an extra filter on the books shown.
The book part of the database (the part of the database that handles orders isn’t shown) looks like this.

First level of performance tuning – Good LINQ
One way to load a Book with its relationships is by using Includes (see code below)
var books = context.Books
.Include(book => book.AuthorsLink
.OrderBy(bookAuthor => bookAuthor.Order))
.ThenInclude(bookAuthor => bookAuthor.Author)
.Include(book => book.Reviews)
.Include(book => book.Tags)
.ToList();
By that isn’t the best way to load books if you want good performance. That’s because a) you are loading a lot of data that you don’t need and b) you would need to do sorting and filter in software, which is slow. So here are my five rules for building fast, read-only queries.
- Don’t load data you don’t need, e.g. Use Select method pick out what is needed.
See lines 18 to 24 of my MapBookToDto class. - Don’t Include relationships but pick out what you need from the relationships.
See lines 25 to 30 of my MapBookToDto class. - If possible, move calculations into the database.
See lines 13 to 34 of my MapBookToDto class. - Add SQL indexes to any property you sort or filter on.
See the configuration of the Book entity. - Add AsNoTracking method to your query (or don’t load any entity classes).
See line 29 in ListBookService class
NOTE: Rule 3 is the hardest to get right. Just remember that some SQL commands, like Average (SQL AVE) can return null if there are no entries, which needs a cast to a nullable type to make it work.
So, combining the Select, Sort, Filter and paging my code looks like this.
public async Task<IQueryable<BookListDto>> SortFilterPageAsync
(SortFilterPageOptions options)
{
var booksQuery = _context.Books
.AsNoTracking()
.MapBookToDto()
.OrderBooksBy(options.OrderByOptions)
.FilterBooksBy(options.FilterBy, options.FilterValue);
await options.SetupRestOfDtoAsync(booksQuery);
return booksQuery.Page(options.PageNum - 1,
options.PageSize);
}
Using these rules will start you off with a good LINQ query, which is a great starting point. The next sections are what to do if that doesn’t’ give you the performance you want.
When the five rules aren’t enough
The query above is going to work well when there aren’t many books, but in chapter 15 I create a database containing 100,000 books with 540,000 reviews. At this point the “five rules” version has some performance problems and I create three new approaches, each of which a) improves performance and b) take development effort. Here is a list of the four approaches, with the Good LINQ version as our base performance version.
- Good LINQ: This uses the “five rules” approach. We compare all the other version to this query.
- SQL (+UDFs): This combines LINQ with SQL UDFs (user-defined functions) to move concatenations of Author’s Names and Tags into the database.
- SQL (Dapper): This creates the required SQL commands and then uses the Micro-ORM Dapper to execute that SQL to read the data.
- SQL (+caching): This pre-calculates some of the costly query parts, like the averages of the Review’s NumStars (referred to as votes).
In the video I describe how I build each of these queries and the performance for the hardest query, this is sort by review votes.
NOTE: The SQL (+caching) version is very complex, and I skipped over how I built it, but I have an article called “A technique for building high-performance databases with EF Core” which describes how I did this. Also, chapter 15 on my book “Entity Framework Core in Action, 2nd edition” covers this too.
Here is a chart in the I showed in the video which provides performances timings for three queries from the hardest (sort by votes) down to a simple query (sort by date).

The other chart I showed was a breakdown of the parts of the simple query, sort by date. I wanted to show this to point out that Dapper (which is a micro-ORM) is only significantly faster than EF Core if you have better SQL then EF Core produces.

Once you have a performance problem just taking a few milliseconds off isn’t going to be enough – typically you need cut its time by at least 33% and often more. Therefore, using Dapper to shave off a few milliseconds over EF Core isn’t worth the development time. So, my advice is and study the SQL that EF Core creates and if you know away to improve the SQL, then Dapper is a good solution.
Going bigger – how to handle ½ million or more books
In chapter 16 I build what is called a Command Query Responsibility Segregation (CQRS) architecture. The CQRS architecture acknowledges that the read side of an application is different from the write side. Reads are often complicated, drawing in data from multiple places, whereas in many applications (but not all) the write side can be simpler, and less onerous. This is true in the Book App.
To build my CQRS system I decided to make the read-side live in a different database to the write-side of the CQRS architecture, which allowed me to use a Cosmos DB for my read-side database. I did this because Cosmos DB designed for performance (speed of queries) and scalability (how many requests it can handle). The figure below shows this two-database CQRS system.

The key point is the data saved in the Cosmos DB has as many of the calculations as possible pre-calculated, rather like the SQL (+cached) version – that’s what the projection stage does when a Book or its associated relationships are updated.
If you want to find out how to build a two-database CQRS code using Cosmos DB then my article Building a robust CQRS database with EF Core and Cosmos DB describes one way, while chapter 16 on my book provides another way using events.
Limitations using Cosmos DB with EF Core
It was very interesting to work with Cosmos DB with EF Core as there were two parts to deal with
- Cosmos DB is a NoSQL database and works differently to a SQL database (read this Microsoft article for one view)
- The EF Core 5 Cosmos DB database provider has many limitations.
I had already look at these two parts back in 2019 and written an article, which I have updated to EF Core 5, and renamed it to “An in-depth study of Cosmos DB and the EF Core 3 to 5 database provider”.
Some of the issues I encountered, listed with the issues that made the biggest change to my Book App are:
- EF Core 5 limitation: Counting the number of books in Cosmos DB is SLOW!
- EF Core 5 limitation: EF Core 5 cannot do subqueries on a Cosmos DB database.
- EF Core 5 limitation: No relationships or joins.
- Cosmos difference: Complex queries might need breaking up
- EF Core 5 limitation: Many database functions not implemented.
- Cosmos difference: Complex queries might need breaking up.
- Cosmos difference: Skip is slow and expensive.
- Cosmos difference: By default, all properties are indexed.
I’m not going to go though all of these – the “An in-depth study of Cosmos DB and the EF Core 3 to 5 database provider” covers most of these.
Because of the EF Core limitation on counting books, I changed the way that that paging works. Instead of you picking what page you want you have a Next/Prev approach, like Amazon uses (see figure after list of query approaches). And to allow a balanced performance comparison with the SQL version and the Cosmos DB version I added the best two SQL approaches, but turned of counting too (SQL is slow on that).
It also turns out that Cosmos DB can count very fast so I built another way to query Cosmos DB using its NET (pseudo) SQL API. With this the Book App had four query approaches.
- Cosmos (EF): This accesses the Cosmos DB database using EF Core (with some parts using the SQL database where EF Core didn’t have the features to implement parts of the query.
- Cosmos (Direct): This uses Cosmos DB’s NET SQL API and I wrote raw commands – bit like using Dapper for SQL.
- SQL (+cacheNC): This uses the SQL cache approach using the 100,000 books version, but with counting turned off to compare with Cosmos (EF).
- SQL (DapperNC): This uses Dapper, which has the best SQL performance, but with counting turned off to compare with Cosmos (EF).
The following figure shows the Book App in CQRS/Cosmos DB mode with the four query approaches, and the Prev/Next paging approach.

Performance if the CQRS/Cosmos DB version
To test the performance, I used an Azure SQL Server and Cosmos DB service from a local Azure site in London. To compare the SQL performance and the Cosmos DB performance I used databases with a similar cost (and low enough it didn’t cost me too much!). The table below shows what I used.
Database type | Azure service name | Performance units | Price/month |
Azure SQL Server | Standard | 20 DTUs | $37 |
Cosmos DB | Pay-as-you-go | manual scale, 800 RUs | $47 |
I did performance tests on the Cosmos DB queries while I was adding books to the database to see if the size of the database effected performance. Its hard to get a good test of this as there is quite a bit of variation in the timings.
The chart below compares EF Core calling Cosmos DB, referred to as Cosmos (EF), against using direct Cosmos DB commands via its NET SQL API – referred to as Cosmos (Direct).

This chart (and other timing I took) tells me two things:
- The increase in the number in the database doesn’t make much effect on the performance (the Cosmos (Direct) 250,000 is well within the variation)
- Counting the Books costs ~25 ms, which is much better than the SQL count, which added about ~150 ms.
The important performance test was to look at Cosmos DB against the best of our SQL accesses. I picked a cross-section of sorting and filtering queries and run them on all four query approaches – see the chart below.

From the timings in the figure about here some conclusions.
- Even the best SQL version, SQL (DapperNC), doesn’t work in this application because any sort or filter on the Reviews took so long that the connection timed out at 30 seconds.
- The SQL (+cacheNC) version was at parity or better with Cosmos DB (EF) on the first two queries, but as the query got more complex it fell behind in performance.
- The Cosmos DB (direct), with its book count, was ~25% slower than the Cosmos DB (EF) with no count but is twice as fast as the SQL count versions.
Of course, there are some downsides of the CQRS/Cosmos DB approach.
- The add and update of a book to the Cosmos DB takes a bit longer: this is because the CQRS requires four database accesses (two to update the SQL database and two to update the Cosmos database) – that adds up to about 110 ms, which is more than double the time a single SQL database would take. There are ways around this (see this part of my article about CQRS/Cosmos DB) but it takes more work.
- Cosmos DB takes longer and costs more if you skip items in its database. This shouldn’t be a problem with the Book App as many people would give up after a few pages, but if your application needs deep skipping through data, then Cosmos DB is not a good fit.
Even with the downsides I still think CQRS/Cosmos DB is a good solution, especially when I add in the fact that implementing this CQRS was easier and quicker than building the original SQL (+cache) version. Also, the Cosmos concurrency handling is easier than the SQL (+cache) version.
NOTE: What I didn’t test is Cosmos DB’s scalability or the ability to have multiple versions of the Cosmos DB around the work. Mainly because it’s hard to do and it costs (more) money.
Performance against development effort
In the end it’s a trade-off of a) performance gain and b) development time. I have tried to summarise this in the following table, giving a number from 1 to 9 for difficultly (Diff? in table) and performance (Perf? In the table).

The other thing to consider is how much more complexity does your performance tuning add to your application. Badly implemented performance tuning can make an application harder to enhance and extend. That is one reason why use like the event approach I used on the SQL (+cache) and CQRS / Cosmos DB approaches because it makes the least changes to the existing code.
Conclusion
As a freelance developer/architect I have had to performance tune many queries, and sometimes writes, on real applications. That’s not because EF Core is bad at performance, but because real-world application has a lot of data and lots of relationships (often hierarchical) and it takes some extra work to get the performance the client needs.
I have already used a variation of the SQL (+cache) on a client’s app to improve the performance of their “has the warehouse got all the parts for this job?”. And I wish Cosmos DB was around when I built a multi-tenant service that needed to cover the whole of the USA.
Hopefully something in this article and video will be useful if (when!) you need performance tune your application.
NOTE: You might like to look at the article “My experience of using modular monolith and DDD architectures” and its companion article to look at the architectural approaches I used on the Part3 Book App. I found the Modular Monolith architectural approach really nice.
I am a freelance developer who wrote the book “Entity Framework Core in Action“. If you need help performance tuning an EF Core application I am available for work. If you want hire me please contact me to discuss your needs.
Very interesting, Is there any way to get the source code?
There is a NOTE: section right at the start of this article which tells you how the code. I also suggest you use the Part3-Net6 branch which uses .NET 6
When you run the BookApp.UI project the home page has information on how to change the Book App’s settings for chapter 15 (four SQL versions) and chapter 16 (Cosmos DB).
What is “cacheNC”?
Hi Adam,
I explained in the article that to properly compare CosmosDB performance (which doesn’t count the number of book found) against the SQL queries I had to create SQL versions that also didn’t count the number of books – these were “CacheNC” and “DapperNC” (NC is shorthand for no count).
Hello Jon, Thank you for work on query objects. I have switched to this design for my read-only queries.
I have a quick question. Is it possible to transfer the equivalent of GroupBy (which returns IEnumerable) in the query object pattern? Rather than returning the data then doing the GroupBy in software?
Do you tackle this in the book, which I am planning to buy in the new edition?
Hi Andrew,
You don’t need my book for GroupBy (but I do cover it in chapter 6) because there is a good section on GroupBy in the EF Core docs.
I think that should help you.
“Dapper (which is a micro-ORM) is only significantly faster than EF Core if you have better SQL then EF Core produces.” That’s a great point – too many people seem to think that EF is always slow, and that changing to Dapper will automatically give some sort of magical performance increase…
Hi John,
Yep, the EF Core team are very happy for people to use Dapper, but in the video Arthur Vickers reinforced that you will only get a good performance improvement if you have better SQL than EF Core in your Dapper call.
Hi guys,
Could you say, what “better SQL then EF Core produces.” does mean?
Got it. SQL requests created manually and by EF Core should be compared 🙂
Very interesting. I’d love to see a follow up where you go back to the “good enough” linq and analyze the queries from the DB point of view. Are there missing indexes? Missing statistics? Are the clustering keys setup appropriately to match the data access patterns?
Sometime the DB needs refactoring!
Hi Michael,
Tune in to the EF Core Community Standup in about 3 hours time and see what you think 🙂 Also, the code is open-source so you can try it.