我正在尝试通过单击“下一步”按钮来使Flask应用程序按顺序显示标题和存储在数据库中的文章内容,但是我不知道我应该在要提取的第一个“ if”语句下方执行什么操作数据库中只有一条记录。我当前的解决方案导致错误:sqlalchemy.orm.exc.MultipleResultsFound: Multiple rows were found for one()
这是我的代码:
flask import Flask, render_template, url_for, request
from flask_sqlalchemy import SQLAlchemy
app = Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:////PATH/TO/DATABASE/KORPUS/Database.db'
app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = False
db = SQLAlchemy(app)
class Polityka(db.Model):
__tablename__ = 'polityka_articles'
id = db.Column('id', db.Integer, primary_key=True)
title = db.Column('article_title', db.Unicode)
content = db.Column('article_content', db.Unicode)
@app.route('/', methods=['GET', 'POST'])
def index():
next_item = request.form.get('next_item')
data = Database.query.filter_by(column = 'Nauka').first()
if next_item is not None:
data = Polityka.query.filter_by(column = 'Nauka').one()
return render_template('home.html', item_title = data.title, item_content = data.content)
if __name__ == '__main__':
app.run(debug=True)
这是home.html
文件:
<!DOCTYPE html>
<html>
<head>
<!-- Required meta tag and CSS -->
<title>Site</title>
</head>
<body>
<div class='container'>
<h1>{{ item_title }}</h1>
<p>{{ item_content }}</p>
</div>
<form method="POST" action="/">
<button type="submit" name="next_item" class="btn btn-success">Next</button>
</form>
</body>
</html>
任何提示我都会很高兴。
答案 0 :(得分:0)
one()
期望仅返回一条记录,否则将引发异常。
first()
将返回可用的第一行,否则将返回None
all()
将返回您查询的所有内容
替换one()
-> first()
或all()[0]
答案 1 :(得分:0)
您将需要将索引传递给表单,然后将该索引用于offset
。您可能还需要添加一个orderby
,但是我没有在此处添加。像这样:
def index():
next_item = request.form.get('next_item')
next_item_index = int(request.form.get('next_item_index', 0))
data = db.query(column='Nauka').offset(next_item_index).limit(1).all()[0]
return render_template('home.html',
data=data,
next_item_index=next_item_index + 1)
在您的HTML中:
<div class="container">
<h1>{{ data.title }}</h1>
<p>{{ data.content }}</p>
</div>
<form method="POST" action="/">
<input type="hidden" name="next_item_index" value="{{ next_item_index }}">
<button type="submit" name="next_item" class="btn btn-success">Next</button>
</form>
您还需要处理没有下一个结果的情况,因为它几乎肯定会在此代码中导致异常。