我正在学习烧瓶,我有一点问题。 我制作了一个索引模板,博客文章标题在哪里。
{% for title in titles %}
<!-- Main Content -->
<div class="container">
<div class="row">
<div class="col-lg-8 col-lg-offset-2 col-md-10 col-md-offset-1">
<div class="post-preview">
<a href="{{ url_for('post')}}">
<h2 class="post-title">
{{ title[0] }}
</h2>
</a>
<p class="post-meta">Posted by <a href="#">{{ author }}</a></p>
</div>
</div>
</div>
</div>
{% endfor %}
以下是我的post.html模板的一部分。
<div class="container">
<div class="row">
<div class="col-lg-8 col-lg-offset-2 col-md-10 col-md-offset-1">
<p>{{ post_text1 | safe }}</p>
<hr>
<div class="alert alert-info" role="alert">Posted by
<a href="#" class="alert-link">{{ author }}</a>
</div>
</div>
</div>
</div>
我正在使用sqlite3。目前,每个标题都会导致相同的post.html,这是第一篇文章中的第一个文本。 如何将每个标题直接发布到他们的帖子文本?我的意思是,如果我点击第一个标题它应该调出post.html,应该有第一个文本。第二个标题应显示第二个文本。 我应该编写程序,为每个帖子创建新的html还是有其他方式吗?
@app.route('/')
def index():
db = connect_db()
titles = db.execute('select title from entries')
titles = titles.fetchall()
author = db.execute('select author from entries order by id desc')
author = author.fetchone()
return render_template('index.html', titles=titles[:], author=author[0])
@app.route('/post/')
def post():
db = connect_db()
post_text1 = db.execute('select post_text from entries')
post_text1 = post_text1.fetchone()
author = db.execute('select author from entries where id=2')
author = author.fetchone()
return render_template('post.html', post_text1=post_text1[0], author=author[0])
答案 0 :(得分:3)
问题来自<a href="{{ url_for('post')}}">
。
这告诉Flask要为帖子制作一个网址,这是您在视图中定义为def post(argument)
的内容,但您没有提供参数。因此,如果您正在根据ID发布帖子,那么您的视图会在网址中请求/<int:post_id>/
,而post_id
将作为参数传递,您可以根据该参数找到特定帖子并将其传递给模板。
您的url_for
应该反映这一点,您应该{{ url_for('post', post_id=title[1]) }}
或存储相应的post_id(也许是您的标题)。
编辑:
根据您的编辑,您的问题是您没有告诉Flask要获取哪个帖子。您需要ID或slug,或者需要在网址中输入的内容,并告诉您要查找的帖子。您的功能现在是静态的,并始终提取数据库中的第一个条目。所需的更改是:
@app.route('/')
def index():
db = connect_db()
titles = db.execute('select title, id from entries')
titles = titles.fetchall()
author = db.execute('select author from entries order by id desc')
author = author.fetchone()
return render_template('index.html', titles=titles, author=author[0])
@app.route('/post/<int:post_id>/')
def post(post_id):
db = connect_db()
post_text = db.execute('select post_text from entries where id = ?', post_id)
post_text = post_text1.fetchone()
author = db.execute('select author from entries where id=2')
author = author.fetchone()
return render_template('post.html', post_text1=post_text, author=author)
<a href="{{ url_for('post', post_id=title[1])}}">
你的作者抓取也很奇怪,你应该在条目旁边存储它们(至少它们的ID)。然后我会推荐一些命名更改等。很难回答问题而不是为你编写代码,因为这是一个回答特定问题的网站,而不是按需编写代码:)尝试理解我在这里写的东西,再多玩一遍等完全无法解决。
tl; dr:帖子必须得到一个参数,然后获取该参数标识的帖子,程序无法神奇地告诉你点击了哪个帖子。