1

私はFlaskの初心者で、flask と sqlite3 をデータベース エンジンとして使用して投票アプリを構築したいと考えています。

私の質問は、「質問」と「選択肢」の 2 つのテーブルを作成して、各質問にいくつかの選択肢があるようにする方法です (固定数ではない場合があります。

私の元のアプローチはかなり単純でした。

drop table if exists entries;
create table question (
    ques_id integer primary key autoincrement,
    ques string not null,
    choice1 string not null,
    choice2 string not null,
    choice3 string not null,
    choice4 string not null,
    pub_date integer
); 
4

1 に答える 1

1

以下は、より正規化されたアプローチです。これは、すべての質問に共通する個別の選択肢のセットを保存するのに適しています。

CREATE TABLE choices (
    choice_id integer primary key autoincrement,
    choice string not null
);

CREATE TABLE questions (
    ques_id integer primary key autoincrement,
    ques string not null,
    choice_id integer,
    FOREIGN KEY(choice_id) REFERENCES choice(choice_id)
);

通訳セッションの例:

>>> import sqlite3
>>> conn = sqlite3.connect(':memory:')
>>> c = conn.cursor()
>>> c.execute("""CREATE TABLE choices (
...     choice_id integer primary key autoincrement,
...     choice string not null
... );""")
<sqlite3.Cursor object at 0x7f29f60b8ce8>
>>> c.execute("""CREATE TABLE questions (
...     ques_id integer primary key autoincrement,
...     ques string not null,
...     choice_id integer,
...     pub_date integer,
...     FOREIGN KEY(choice_id) REFERENCES choice(choice_id)
... );""")
<sqlite3.Cursor object at 0x7f29f60b8ce8>
>>> c.execute("INSERT INTO choices (choice) VALUES ('yes')")
<sqlite3.Cursor object at 0x7f29f60b8ce8>
>>> c.execute("""INSERT INTO questions (ques,choice_id) 
                 VALUES ('do you like sqlite?',1)""")
<sqlite3.Cursor object at 0x7f29f60b8ce8>
>>> c.execute("""SELECT ques, choice 
                   FROM questions q 
                        JOIN choices c ON c.choice_id = q.choice_id;""")
>>> c.fetchall()
[(u'do you like sqlite?', u'yes')]
于 2011-04-06T06:05:25.940 に答える