How to ORDER BY the result of SELECT COUNT in Ecto

I have been recently using Ecto to write an app that would generate complex business reports. The query I put together was really big, joining four different tables, lots of aggregation. One of the requirements was that it was up to the frontend to send the names of the columns by which the results were supposed to be ordered. Those columns were not part of any of the schemas of those four tables, but rather the result of using select with aggregate functions. Sorting the list after executing the query was out of the question because I needed to do pagination in that query as well.

It took me some time to figure out how to do that because I couldn’t find any good examples. In case somebody else is having the same problem and can’t figure it out either, here is my solution.

The problem

Let’s assume we have a very simple posts table.

1
2
3
4
5
6
7
8
defmodule Post do
  use Ecto.Schema

  schema "posts" do
    field :user_id
    timestamps
  end
end

From that table, we can get the post count per user (to be exact, only for those users that have at least one post):

1
2
3
4
5
6
7
Post
|> group_by(:user_id)
|> select([post], %{
  post_count: count(post.id),
  user_id: post.user_id,
})
|> Repo.all

That code generates this SQL query:

1
2
3
SELECT count(p0."id"), p0."user_id"
FROM "posts" AS p0
GROUP BY p0."user_id"

Well, great, but how do we order those results now? :post_count is not a field in the posts schema, so this:

1
2
3
4
5
6
7
8
Post
|> group_by(:user_id)
|> select([post], %{
  post_count: count(post.id),
  user_id: post.user_id,
})
|> order_by(:post_count)
|> Repo.all

Results in this error:

1
** (Postgrex.Error) ERROR (undefined_column): column p0.post_count does not exist

Select with an alias

The answer is to use an alias. Ecto does not support aliases, but it provides a fragment function to write SQL directly for all those edge cases where Ecto’s other functions are just not enough.

With fragment, we can set an alias and use it in order_by:

1
2
3
4
5
6
7
8
Post
|> group_by(:user_id)
|> select([post], %{
  post_count: fragment("count(?) as post_count", post.id),
  user_id: post.user_id,
})
|> order_by(fragment("post_count"))
|> Repo.all

That code generates this SQL query:

1
2
3
SELECT count(p0."id") AS post_count, p0."user_id"
FROM "posts" AS p0
GROUP BY post_count

DateTime and fragment

Pay attention when using fragment to select datetimes.

This will return them as %Ecto.DateTime{}:

1
2
3
4
5
Post
|> select([post], %{
  inserted_at: post.inserted_at,
})
|> Repo.all

Whereas this will return them as datetime tuples:

1
2
3
4
5
Post
|> select([post], %{
  inserted_at: fragment("(?)", post.inserted_at),
})
|> Repo.all
Select a highlight color:
Below is a bunch of random links to things that I think are cool Moop Mama - Alle Kinder (YouTube Music Video) The Correspondents - Finally (YouTube Music Video) Cow Thinks She's A Dog (YouTube Video) Sierpinski Triangle - My CSS Art