Here we are creating connected data in a relationship where one team could have many heroes. So it is commonly called a one-to-many or many-to-one relationship.
The many-to-one part can be seen if we start from the heroes, many heroes could be part of one team.
This is probably the most popular type of relationship, so we'll start with that. But there's also many-to-many and one-to-one relationships.
The column will be named team_id. It will be an integer, and it could be NULL in the database (or None in Python), because there could be some heroes that don't belong to any team.
We add a default of None to the Field() so we don't have to explicitly pass team_id=None when creating a hero.
Now, here's the new part:
In Field() we pass the argument foreign_key="team.id". This tells the database that this column team_id is a foreign key to the table team. A "foreign key" just means that this column will have the key to identify a row in a foreign table.
The value in this column team_id will be the same integer that is in some row in the id column on the team table. That is what connects the two tables.
Before running the code, make sure you delete the file database.db to make sure you start from scratch.
If we run the code we have up to now, it will go and create the database file database.db and the tables in it we just defined, team and hero:
fast →python app.py 💬 Automatically start a new transactionINFO Engine BEGIN (implicit)
💬 Check if the tables exist alreadyINFO Engine PRAGMA main.table_info("team") INFO Engine [raw sql] () INFO Engine PRAGMA temp.table_info("team") INFO Engine [raw sql] () INFO Engine PRAGMA main.table_info("hero") INFO Engine [raw sql] () INFO Engine PRAGMA temp.table_info("hero") INFO Engine [raw sql] ()
💬 Create the tablesINFO Engine CREATE TABLE team ( id INTEGER, name VARCHAR NOT NULL, headquarters VARCHAR NOT NULL, PRIMARY KEY (id) )
INFO Engine [no key 0.00010s] () INFO Engine CREATE TABLE hero ( id INTEGER, name VARCHAR NOT NULL, secret_name VARCHAR NOT NULL, age INTEGER, team_id INTEGER, PRIMARY KEY (id), FOREIGN KEY(team_id) REFERENCES team (id) )
INFO Engine [no key 0.00026s] () INFO Engine COMMIT
The only new is the FOREIGN KEY line, and as you can see, it tells the database what column in this table is a foreign key (team_id), which other (foreign) table it references (team) and which column in that table is the key to define which row to connect (id).
Feel free to experiment with it in DB Browser for SQLite.
Using SQLModel, in most of the cases you only need a field (column) with a foreign_key in the Field() with a string pointing to another table and column to connect two tables.
Now that we have the tables created and connected, let's create some rows in the next chapter. 🚀