PostgreSQL
 sql >> Database >  >> RDS >> PostgreSQL

Come scrivere un vincolo relativo a un numero massimo di righe in postgresql?

Quassnoi ha ragione; un trigger sarebbe il modo migliore per raggiungere questo obiettivo.

Ecco il codice:

CREATE OR REPLACE FUNCTION enforce_photo_count() RETURNS trigger AS $$
DECLARE
    max_photo_count INTEGER := 10;
    photo_count INTEGER := 0;
    must_check BOOLEAN := false;
BEGIN
    IF TG_OP = 'INSERT' THEN
        must_check := true;
    END IF;

    IF TG_OP = 'UPDATE' THEN
        IF (NEW.owner != OLD.owner) THEN
            must_check := true;
        END IF;
    END IF;

    IF must_check THEN
        -- prevent concurrent inserts from multiple transactions
        LOCK TABLE photos IN EXCLUSIVE MODE;

        SELECT INTO photo_count COUNT(*) 
        FROM photos 
        WHERE owner = NEW.owner;

        IF photo_count >= max_photo_count THEN
            RAISE EXCEPTION 'Cannot insert more than % photos for each user.', max_photo_count;
        END IF;
    END IF;

    RETURN NEW;
END;
$$ LANGUAGE plpgsql;


CREATE TRIGGER enforce_photo_count 
    BEFORE INSERT OR UPDATE ON photos
    FOR EACH ROW EXECUTE PROCEDURE enforce_photo_count();

Ho incluso il blocco della tabella per evitare situazioni in cui due tanazioni simultanee conterebbero le foto per un utente, vedere che il conteggio corrente è 1 al di sotto del limite e quindi inserire entrambi, il che farebbe superare di 1 il limite. Se questo non è un problema per te, sarebbe meglio rimuovere il blocco in quanto può diventare un collo di bottiglia con molti inserti/aggiornamenti.