💾 Archived View for sdf.org › rsdoiel › blog › 2021 › 04 › 16 › Updating-Schema-in-SQLite3.gmi captured on 2023-09-08 at 16:53:39. Gemini links have been rewritten to link to archived content
⬅️ Previous capture (2023-01-29)
-=-=-=-=-=-=-
By R. S. Doiel, 2020-04-16
SQLite3[1] is a handy little database as single file tool. You can interact with the file through largely standard SQL commands and embed it easily into applications via the C libraries that the project supports. It is also available from various popular scripting languages like Python, PHP, and Lua. One of the things I occasionally need to do and always seems to forget it how to is modify a table schema where I need to remove a column[^1]. So here are some of the basics do I can quickly find them later and avoid reading various articles tutorials because the search engines doesn't return the page in the SQLite documentation.
1: https://sqlite.org/docs.html
[^1]: The SQL ALTER TABLE table_name DROP COLUMN column_name does not work in SQLite3
In the next sections I'll be modeling a simple person object with a id, uname, display_name, role and updated fields.
CREATE TABLE IF NOT EXISTS "person" ("id" INTEGER NOT NULL PRIMARY KEY, "uname" VARCHAR(255) NOT NULL, "role" VARCHAR(255) NOT NULL, "display_name" VARCHAR(255) NOT NULL, "updated" INTEGER NOT NULL);
We will create a junk column which we will remove later.
.schema person ALTER TABLE person ADD COLUMN junk VARCHAR(255) NOT NULL; .schema person
To drop a column in SQLite you need to actually create a new table, migrate the data into it then drop the old table and finally rename it. It is best to wrap this in a transaction.
BEGIN TRANSACTION; CREATE TABLE IF NOT EXISTS "person_new" ("id" INTEGER NOT NULL PRIMARY KEY, "uname" VARCHAR(255) NOT NULL, "role" VARCHAR(255) NOT NULL, "display_name" VARCHAR(255) NOT NULL, "updated" INTEGER NOT NULL); INSERT INTO person_new SELECT id, uname, role, display_name, updated FROM person; DROP TABLE person; ALTER TABLE person_new RENAME TO person; COMMIT;