我正在尝试编写一个简单的脚本,该脚本将通过表单接受用户的更改,然后将这些更改写入文件中当前的内容。然后,使用最新的最新数据直接在表单下方调用此文件。这基本上就是我目前正在写的内容。我想要一个可以放入文本的文本框,然后该文本将覆盖该文件中当前的所有文本。
以前,这些功能(例如request.form)在我修改过的其他示例中都很好用,但是似乎当我将所有这些组合在一起以应对自己的挑战时,没有什么比它应该有的效果更好。
from flask import Flask, render_template, request
import html
app = Flask(__name__)
@app.route('/', methods=['POST'])
def home():
with open('text.html') as contents:
data = contents.read()
return render_template('test_form.html',
the_title = 'Test Form',
the_contents = data)
@app.route('/update', methods=['POST', 'GET'])
def update():
contents = request.form['letters']
with open('text.html', 'w') as file:
print(contents, file=file)
return render_template('test_form.html',
the_title = 'Update complete!',
the_contents = contents,)
app.run()
这是test_form.html文件:
{% extends 'base.html' %}
{% block body %}
<h2>{{ the_title }}</h2>
<form method='POST' action='update'>
<table>
<p>Use this form to edit the below text:</p>
<tr>
<td><input name='letters' type='TEXTAREA' value='{{ the_contents }}'></td>
</tr>
<tr>
<td>{{ the_contents }}</td>
</tr>
</table>
<p>When you're ready, click this button:</p>
<p><input value='Do it!' type='SUBMIT'></p>
</form>
{% endblock %}
最终发生的事情是,该页面将很好地加载text.html中的数据,并在预期的两个位置显示。更改并提交表单后,数据将被覆盖(即删除),但不会被替换。我怀疑与im在更新函数中调用表单数据的方式有关,但是我不知道。我几个星期前才刚买到这个东西,我没有很多时间去修补。不过,我已经为这个问题困扰了整整一天。
请帮助!
答案 0 :(得分:0)
您的应用程序出现的问题似乎是update
路由允许获取请求,因此,如果您在未提交表单的情况下访问该URL /update
,则内容将为空,并且文件将被重置。您应该从该方法列表中删除GET
方法
这是我重新创建的应用程序的最低版本。它会在表单提交时更新text.html
,并使用会话向用户发送消息。
https://flask.palletsprojects.com/en/1.0.x/patterns/flashing/#message-flashing-pattern
from flask import Flask, render_template_string, request, redirect, url_for, flash
app = Flask(__name__)
# https://flask.palletsprojects.com/en/1.0.x/patterns/flashing/#message-flashing-pattern
app.secret_key = 'SECRET KEY CHANGE THIS'
def read_contents():
try:
with open('text.html') as f:
return f.read()
except FileNotFoundError:
return ''
def save_contents(contents: str):
with open('text.html', 'w') as f:
f.write(contents)
@app.route('/', methods=['GET'])
def home():
html = '''
{% for m in get_flashed_messages() %}
<p>{{ m }}</p>
{% endfor %}
<form action="/update" method="POST">
<textarea name="letters" rows="10">{{ contents }}</textarea>
<button>Submit</button>
</form>
{% if contents %}
<h2>Contents</h2>
<pre>{{ contents }}</pre>
{% endif %}
'''
contents = read_contents()
return render_template_string(html, contents=contents)
@app.route('/update', methods=['POST'])
def update():
contents = request.form['letters']
save_contents(contents)
flash('Update complete')
return redirect(url_for('home'))
if __name__ == '__main__':
app.run()
运行该应用程序后,您将获得如下页面:
提交一些内容后,它会将您重定向到首页,并显示一条消息,并显示包含以下内容的页面: