2024-02-14

Suppose you have a complex Django QuerySet query that is somewhat costly (in other words slow). And suppose you want to return:

The first N results

A count of the total possible results

So your implementation might be something like this:

That'll work. If there are 1,234 rows in your database table that match those specific filters, what you might get back from this is:

Or, if the filters would only match 3 rows in your database table:

Between your Python application and your database you'll see:

The problem with this is that, in the latter case, you had to send two database queries when all you needed was one.

If you knew it would only match a tiny amount of records, you could do this:

But that is wrong. The count would max out at whatever the size is.

The solution is to try to avoid the potentially unnecessary .count() query.

This way, you only incur one database query when there wasn't that much to find, but if there was more than what the pagination called for, you have to incur that extra database query.

Show more