TL;DR #
Instead of handling soft deletions at the application level, you can implement them entirely within PostgreSQL using views, rules, and constraints.
Right to the point #
DROP TABLE IF EXISTS _orders CASCADE;
DROP TABLE IF EXISTS _users CASCADE;
DROP TABLE IF EXISTS orders CASCADE;
DROP TABLE IF EXISTS users CASCADE;
CREATE TABLE users
(
id integer PRIMARY KEY GENERATED ALWAYS AS IDENTITY,
name text NOT NULL
);
CREATE TABLE orders
(
id integer PRIMARY KEY GENERATED ALWAYS AS IDENTITY,
user_id integer NOT NULL,
number text NOT NULL,
FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE
);
INSERT INTO users (name)
VALUES ('Andrew'),
('Vladimir'),
('Sara');
INSERT INTO orders (user_id, number)
VALUES (1, 'A1'),
(1, 'A2'),
(2, 'V1'),
(2, 'V2'),
(3, 'S3');
ALTER TABLE users
ADD COLUMN deleted boolean NOT NULL DEFAULT false;
ALTER TABLE orders
ADD COLUMN deleted boolean NOT NULL DEFAULT false;
ALTER TABLE users RENAME TO _users;
CREATE VIEW users AS SELECT * FROM _users WHERE NOT deleted;
ALTER TABLE orders RENAME TO _orders;
CREATE VIEW orders AS SELECT * FROM _orders WHERE NOT deleted;
CREATE RULE _soft_deletion AS ON DELETE TO orders DO INSTEAD (
UPDATE _orders
SET deleted = true
WHERE id = old.id
);
CREATE RULE _soft_deletion AS ON DELETE TO users DO INSTEAD (
UPDATE _users
SET deleted = true
WHERE id = old.id
);
CREATE RULE _delete_orders AS ON UPDATE TO _users
WHERE NOT old.deleted AND new.deleted
DO ALSO UPDATE _orders
SET deleted = true
WHERE user_id = old.id;
DELETE
FROM users
WHERE name = 'Andrew';
SELECT *
FROM users;
SELECT *
FROM _users;
SELECT *
FROM orders;
SELECT *
FROM _orders;
In Ecto #
Also, we could handle views vs real tables in Ecto:
{"_orders", Order}
|> from(as: :order)
|> Repo.all()
Further adaptations #
You could also change boolean deleted
column to deleted_at
timestamp column, and add a trigger to set the timestamp when the record is deleted. This way you'd have a history of deletions.
Links #
Soft deletion by José Valim
Soft deletion PostgreSQL + Ruby article
Since you've made it this far, sharing this article on your favorite social media network would be highly appreciated 💖! For feedback, please ping me on Twitter.
Published