PostgreSQL
 sql >> Base de données >  >> RDS >> PostgreSQL

Comment compter les lignes associées, y compris les sous-catégories ?

Cela fait le travail pour un célibataire niveau d'imbrication :

Pour répertorier uniquement les catégories racine, les décomptes incluent les sous-catégories :

WITH root AS (
   SELECT id AS cat_id, id AS sub_id
   FROM   category
   WHERE  is_base_template = false
   AND    "userId" = 1
   )
SELECT c.cat_id, count(*)::int AS entries_in_cat
FROM  (
   TABLE root
   UNION ALL
   SELECT r.cat_id, c.id
   FROM   root     r
   JOIN   category c ON c."parentCategoryId" = r.cat_id
   ) c
JOIN   category_entries_entry e ON e."categoryId" = c.sub_id
GROUP  BY c.cat_id;

Le but est de rejoindre sur sub_id , mais regrouper par cat_id .

Pour répertorier les catégories racine comme ci-dessus, et les sous-catégories en plus :

WITH root AS (
   SELECT id AS cat_id, id AS sub_id
   FROM   category
   WHERE  is_base_template = false
   AND    "userId" = 1
   )
, ct AS (
   SELECT c.cat_id, c.sub_id, count(*)::int AS ct
   FROM  (
      TABLE root
      UNION ALL
      SELECT r.cat_id, c.id AS sub_id
      FROM   root     r
      JOIN   category c ON c."parentCategoryId" = r.cat_id
      ) c
   JOIN   category_entries_entry e ON e."categoryId" = c.sub_id
   GROUP  BY c.cat_id, c.sub_id
   )
SELECT cat_id, sum(ct)::int AS entries_in_cat
FROM   ct
GROUP  BY 1

UNION ALL
SELECT sub_id, ct
FROM   ct
WHERE  cat_id <> sub_id;

db<>violon ici

Pour un nombre arbitraire de niveaux d'imbrication, utilisez un CTE récursif. Exemple :

À propos de la syntaxe abrégée facultative TABLE parent :