Con Postgres 9.4 esto se puede hacer un poco más corto:
select c.*
from comments c
join (
select *
from unnest(array[43,47,42]) with ordinality
) as x (id, ordering) on c.id = x.id
order by x.ordering;
O un poco más compacto sin una tabla derivada:
select c.*
from comments c
join unnest(array[43,47,42]) with ordinality as x (id, ordering)
on c.id = x.id
order by x.ordering
Eliminando la necesidad de asignar / mantener manualmente una posición para cada valor.
Con Postgres 9.6 esto se puede hacer usando array_position()
:
with x (id_list) as (
values (array[42,48,43])
)
select c.*
from comments c, x
where id = any (x.id_list)
order by array_position(x.id_list, c.id);
El CTE se usa para que la lista de valores solo necesite especificarse una vez. Si eso no es importante, esto también se puede escribir como:
select c.*
from comments c
where id in (42,48,43)
order by array_position(array[42,48,43], c.id);