2

次のように、Flask を使用して作成している投票アプリのデータベース スキーマを作成しました。

CREATE TABLE questions (
    question_id integer primary key autoincrement,
    questiontext string not null
);

CREATE TABLE choices (
    choice_id integer primary key autoincrement,
    choicetext string not null,
    question_id integer,
    FOREIGN KEY(question_id) REFERENCES questions(question_id)
);

しかし、どのように (HTML テンプレートで) 質問し、選択肢をデータベースに挿入するかを理解できませんでした。私の「show_polls」と「add_polls」は以下です

    @app.route('/')
def show_polls():
    cur = g.db.execute('SELECT questiontext, choicetext FROM questions q JOIN choices c ON c.question_id = q.question_id') 
    polls = [dict(question=row[0], choices=(c for c in row[1:])) for row in cur.fetchall()] 
    return render_template('show_polls.html', polls=polls)

@app.route('/add', methods=['POST'])
def add_poll():
    if not session.get('logged_in'):
        abort(401)
    g.db.execute('insert into questions (questiontext) values (?)', 
            [request.form['questiontext']])

    for i in range(4): #4 choices
        g.db.execute('insert into choices (choicetext, question_id) values(?, ?)',
                [request.form['choicetext'], 4])
    g.db.commit()
    return redirect(url_for('show_polls'))

しかし、これはうまくいきません。ビューが間違っているのか、HTML レイアウト部分が間違っているのかわかりません。誰でもこれで私を助けてくれますか?

投票を追加する HTML 部分は次のとおりです。

{% for i in range(4) %}
            <dt>Choices:
            <dd><input type=text name=choicetext>
        {% endfor %}
4

1 に答える 1

2

完全なテンプレートまたは HTML がなければ、HTML<form>は有効であると想定します。そこに問題があると思われる場合は、HTML フォームと入力を参照してください。

フォームの値が add_poll() 関数に到達していることを確認するには、Flask デバッグ モード(つまり、app.debug = Trueの前に設定app.run()) を使用してみてください。デバッガーの呼び出しを強制するには、add_poll() 関数にエラーを挿入し、ブラウザーからフォームを再度送信します。トレースバックのコピーが表示されます。トレースバック (add_poll() 内で作成したエラー) の最後の行にある「コンソール」アイコンをクリックし、request.form オブジェクトのインタラクティブな検査を開始します。

[console ready]
>>> request.form
werkzeug.datastructures.ImmutableMultiDict({'choicetext': u''})
>>> str(request.form)
"ImmutableMultiDict([('choicetext', u'choice1'), ('choicetext', u'choice2'), ('choicetext', u'choice3'), ('choicetext', u'choice4')])"
>>> dir(request.form)
['KeyError', '__class__', '__cmp__', '__contains__', '__copy__', '__delattr__',    '__delitem__', '__dict__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__getstate__', '__gt__', '__hash__', '__init__', '__iter__', '__le__', '__len__', '__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__setitem__', '__setstate__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'add', 'clear', 'copy', 'fromkeys', 'get', 'getlist', 'has_key', 'items', 'iteritems', 'iterkeys', 'iterlists', 'iterlistvalues', 'itervalues', 'keys', 'lists', 'listvalues', 'pop', 'popitem', 'popitemlist', 'poplist', 'setdefault',         'setlist', 'setlistdefault', 'to_dict', 'update', 'values'  ]
>>> request.form.getlist('choicetext')
[u'choice1', u'choice2', u'choice3', u'choice4']

add_poll() で何を変更する必要があるかが明確になり、今後のアプリのデバッグが簡素化されることを願っています。幸運を!

詳細については、Flask.request.formおよびwerkzeug.datastructures.MultiDictオブジェクトに関するドキュメントを参照してください。Flask 内でフォーム検証を処理する例 (配管が整った後の次のステップ) については、フォーム検証に関するこの Flask パターン ドキュメントを開始するのに適しているかもしれません。

于 2011-04-07T16:19:19.757 に答える