刷新网页时如何防止SQLite数据消失

时间:2019-01-12 19:34:54

标签: html flask sqlite http-status-code-404

我第一次使用phyton和SQLite数据库,但遇到了问题。 在我的app.py文件中,我与数据库建立了连接,然后检索了数据并将其存储在游标obj中。我想在网页上显示数据库数据,所以我用

进行了传输
render_template('home.html', data=cursor)

它将在我的网页上显示我想要的数据,但是当我刷新页面时会得到

GET http://127.0.0.1:5000/static/css/template.css net::ERR_ABORTED 404 (NOT FOUND)     

并且我的数据不再显示。

我试图寻找解决方案,但没有找到能解决我问题的方法。 在下面可以找到我的app.py代码:

from flask import Flask, render_template
import sqlite3
import os.path

app = Flask(__name__)
BASE_DIR = os.path.dirname(os.path.abspath(__file__))
db_path = os.path.join(BASE_DIR, "movies.db")
with sqlite3.connect(db_path, check_same_thread=False) as db:
#I used check_same_thread=False to solve a same thread error 
     cursor = db.cursor()
     cursor.execute("SELECT * FROM data")



@app.route("/")
def home():

   return render_template('home.html', data=cursor)


if __name__== "__main__":
    app.run(debug=True)

我的home.html的一部分:

<body>
    {% extends "template.html" %}
    {% block content %}
    {% for item in data %}
    <tr>
        <td><a>{{item[1]}}</a></td>
    </tr>
    {% endfor %}
    {% endblock %}
  </body>

我希望我的网页在刷新页面时显示想要的数据而不会消失。我真的很想知道我做错了什么。

2 个答案:

答案 0 :(得分:0)

请尝试在请求处理程序函数(home())中移动与连接和发出请求有关的所有代码。另外,official documentation可能会提示您适当的实现方式。

答案 1 :(得分:0)

根据@Fian建议的官方文档,您需要按需打开数据库连接,并在上下文消失时关闭它们。

app.py的更新代码:

import os
import sqlite3
from flask import Flask, render_template, g

app = Flask(__name__)
BASE_DIR = os.path.dirname(os.path.abspath(__file__))
DATABASE = os.path.join(BASE_DIR, "movies.db")

def get_db():
    db = getattr(g, '_database', None)
    if db is None:
        db = g._database = sqlite3.connect(DATABASE)
    return db

@app.teardown_appcontext
def close_connection(exception):
    db = getattr(g, '_dattabase', None)
    if db is not None:
        db.close()

@app.route('/')
def index():
    cur = get_db().cursor()
    cur.execute('SELECT * FROM data')
    rows = cur.fetchall()
    return render_template('index.html', rows = rows)

if __name__ == '__main__':
    app.run(debug = True)

index.html

<html>
    <head>
        <title>SQLite in Flask</title>
    </head>
    <body>
        <h1>Movies</h1>
        {% if rows %}
            <ul>                
            {% for row in rows %}
                <li>{{ row[0] }}</li>
            {% endfor %}
            </ul>
        {% endif %}
    </body>
</html>

输出:

output of flask sqlite select query

参考: