My context
Any node has a support....but this support can be a wall or a pylon (actually there are about 7 different types of support)
Important: the column type_support
is saying which table to tackle (wall or pylon). You can see it as a parameter for "parametred polymorphism".
- The
id_wall
starts from 0 till n walls. - The
id_pylon
starts from 0 till n pylons.
Database structure:
+-------------+
| wall |
+-------------+ PK +-------------+
| node | |--------|id_wall | Legend:
+-------------+ | +-------------+ PK means primary key
|id_node | | FK means foreign key
|type_support | FK | +-------------+
|id_support |------| | Pylon |
+-------------+ | PK +-------------+
|--------|id_pylon |
+-------------+
The code (the code between stars (*) is naive/stupid):
CREATE TABLE node
(
id_node INTEGER NOT NULL PRIMARY KEY,
type_support INTEGER NOT NULL,
id_support INTEGER NOT NULL,
FOREIGN KEY (id_support) REFERENCES *The_right_support_table(id_the_right_support)*;
How to do that ?
Edit: I currently use SQLite - later it will be PostgreSQL.
Conclusion (thanks to detailed @Schwern answer):
In my case, the solution i keep is :
"You can have a support table and then specialized tables."
You have several options.
You can do what you've done, have an ID column and a type column. This is how Rails does polymorphism.
A downside is the lack of referential integrity. Instead of using foreign keys, you can enforce this with triggers.
Another downside is common support data must be duplicated across all support tables. For example, supports might all have a "height" so every "support" table must have a height column. Querying these common attributes becomes difficult. You can make up for this with a view.
Demonstration.
If your database supports it, you can use table inheritance.
You can easily query all supports, or only walls, or only pylons.
Table inheritance has caveats, and it is Postgres-specific.
The biggest caveat is that if you try
support_id integer references support(id)
that does not work for walls or pylons. So you're back to enforcing referential integrity via trigger.Demonstration.
You can make a join table for each type of support.
The downsides are...
You can create a view to query a node and its "support".
Demonstration.
You can have a
support
table and then specialized tables.Now
node
can referencesupport
. Queries for generic support information are easy.The downsides are:
You can have one support table with every possible column.
The advantage is one table.
A disadvantage is if there are a lot of supports and a lot of extra columns you can waste a lot of space. This can be mitigated by using a single jsonb column for the extra data, but now you've added the complexity of jsonb.
Another disadvantage is if any support-specific column is mandatory, you cannot use
not null
. You must instead write a trigger to, for example, ensure that all pylons have a shape, and to ensure that walls do not have a shape.