代码实现并描述实现方法,flask实现前端点击按钮后端向浏览器发送成功
时间: 2024-10-25 21:09:05 浏览: 14
suno-ai-基于Python-Flask+suno.ai.bark实现的文本转语音Web-UI.zip
在Flask框架中实现前端点击按钮后端向浏览器发送成功的操作,通常涉及HTML模板、JavaScript交互以及Python后端处理。这里是一个简单的例子:
首先,创建一个基本的Flask应用:
```python
from flask import Flask, render_template, jsonify
app = Flask(__name__)
@app.route('/')
def index():
return render_template('index.html')
@app.route('/send_success', methods=['POST'])
def send_success():
# 假设请求数据包含一个键-value对,如"message"
data = request.form.get('message')
response = {'status': 'success', 'message': data}
# 使用jsonify返回一个JSON响应给前端
return jsonify(response), 200
if __name__ == '__main__':
app.run(debug=True)
```
然后,在前端HTML模板`index.html`中,你可以添加一个表单和按钮:
```html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<title>Send Button Example</title>
</head>
<body>
<form id="myForm" action="/send_success" method="post">
<input type="text" name="message" placeholder="Enter a message...">
<button type="submit">Send</button>
</form>
<script>
document.getElementById("myForm").addEventListener("submit", function(event) {
event.preventDefault(); // 阻止表单默认提交行为
var formData = new FormData(this);
fetch('/send_success', {
method: 'POST',
body: formData,
headers: {
'Content-Type': 'multipart/form-data'
}
})
.then(response => response.json())
.then(data => {
console.log(data); // 在开发者工具中查看结果
alert(`Success! Message: ${data.message}`);
});
});
</script>
</body>
</html>
```
在这个例子中,当用户点击“Send”按钮时,表单数据会被发送到`/send_success`后端路由,Flask接收请求并返回一个JSON响应。前端通过JavaScript的fetch API获取响应,并显示消息成功提示。
阅读全文