計算機科学のブログ

SQL - SQLite - Python - ALTER文 - 過去の書き換え - テーブル大改造

Head First SQL ―頭とからだで覚えるSQLの基本Lynn Beighley(著)、 佐藤 直生(監訳)、 松永 多苗子(翻訳)、 オライリージャパンの 5章(ALTER文 - 過去の書き換え)、p.217(エクササイズ)の解答を求めてみる。

schema6.sql

drop table if exists hooptie;
create table hooptie(
    color text,
    year integer,
    make text,
    mo text,
    howmuch real
);
insert into hooptie values
('シルバー', 1998, 'ポルシェ', 'ポクスター', 17992.540),
(null, 2000, 'ジャガー', 'XJ', 15995),
('赤', 2002, 'キャデラック', 'エスカレード', 40215.9);

schema6_0.sql

drop table if exists car_table;
create table car_table(
    car_id integer primary key autoincrement,
    VIN text,
    make text,
    model text,
    color text,
    year integer,
    price real
);
insert into car_table (
    make,
    model,
    color,
    year,
    price
) select make, mo, color, year, howmuch from hooptie;

drop table hooptie;

update car_table
set VIN = 'RNKLK66N33G213481'
where car_id = 1;
update car_table
set VIN = 'SAEDA44B175B04113'
where car_id = 2;
update car_table
set VIN = '3GYEK63NTT2G230668'
where car_id = 3;

コード

sample6.py

#! /usr/bin/env python3
import sqlite3

con = sqlite3.connect('sample.db')
cur = con.cursor()


def p(cur: sqlite3.Cursor, table: str):
    cur.execute(
        f"""
select * from {table}
"""
    )
    if (d := cur.description) is not None:
        print([t[0] for t in d])
    for row in cur.fetchall():
        print(row)


with open('schema6.sql') as f:
    cur.executescript(f.read())
con.commit()
p(cur, 'hooptie')

with open('schema6_0.sql') as f:
    cur.executescript(f.read())
con.commit()

p(cur, 'car_table')

cur.close()
con.close()

入出力結果(Terminal, Zsh)

% ./sample6.py
['color', 'year', 'make', 'mo', 'howmuch']
('シルバー', 1998, 'ポルシェ', 'ポクスター', 17992.54)
(None, 2000, 'ジャガー', 'XJ', 15995.0)
('赤', 2002, 'キャデラック', 'エスカレード', 40215.9)
['car_id', 'VIN', 'make', 'model', 'color', 'year', 'price']
(1, 'RNKLK66N33G213481', 'ポルシェ', 'ポクスター', 'シルバー', 1998, 17992.54)
(2, 'SAEDA44B175B04113', 'ジャガー', 'XJ', None, 2000, 15995.0)
(3, '3GYEK63NTT2G230668', 'キャデラック', 'エスカレード', '赤', 2002, 40215.9)
%