注册时Method Not Allowed The method is not allowed for the requested URL.修复问题,给完整代码

时间: 2024-11-27 19:12:56 浏览: 8
从提供的代码来看,`register`路由已经支持了 `GET` 和 `POST` 方法。如果出现 "Method Not Allowed" 错误,通常是因为请求方法与路由定义的方法不匹配。以下是一些可能的原因和解决方案: 1. **检查表单提交方式**:确保前端表单的提交方法是 `POST`,而不是 `GET`。 2. **检查URL路径**:确保访问的URL路径正确,并且没有拼写错误。 以下是完整的代码,确保所有部分都正确无误: ```python from flask import Flask, render_template, request, redirect, url_for, flash, session import mysql.connector import bcrypt import logging app = Flask(__name__) app.secret_key = 'your_secret_key' # 配置日志 logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s') # 数据库连接 def connect_db(): conn = mysql.connector.connect( host='localhost', port=3306, user='root', password='123456', database='pet_weight_management' ) return conn # 初始化数据库 def init_db(): conn = connect_db() cursor = conn.cursor() cursor.execute(''' CREATE TABLE IF NOT EXISTS users ( id INT AUTO_INCREMENT PRIMARY KEY, username VARCHAR(255) UNIQUE NOT NULL, password VARCHAR(255) NOT NULL ) ''') cursor.execute(''' CREATE TABLE IF NOT EXISTS pets ( id INT AUTO_INCREMENT PRIMARY KEY, user_id INT NOT NULL, pet_name VARCHAR(255) NOT NULL, FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE ) ''') cursor.execute(''' CREATE TABLE IF NOT EXISTS pet_weights ( id INT AUTO_INCREMENT PRIMARY KEY, pet_id INT NOT NULL, weight DECIMAL(10, 2) NOT NULL, recorded_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP, FOREIGN KEY (pet_id) REFERENCES pets (id) ON DELETE CASCADE ) ''') conn.commit() conn.close() @app.route('/') def index(): return render_template('index.html') @app.route('/register', methods=['GET', 'POST']) def register(): if request.method == 'POST': username = request.form['username'] password = request.form['password'] conn = connect_db() cursor = conn.cursor() hashed_password = bcrypt.hashpw(password.encode('utf-8'), bcrypt.gensalt()) try: cursor.execute('INSERT INTO users (username, password) VALUES (%s, %s)', (username, hashed_password)) conn.commit() flash("注册成功!", 'success') logging.info("用户 %s 注册成功!", username) return redirect(url_for('login')) except mysql.connector.IntegrityError: flash("用户名已存在!", 'warning') logging.warning("用户名 %s 已存在!", username) finally: conn.close() return render_template('register.html') @app.route('/login', methods=['GET', 'POST']) def login(): if request.method == 'POST': username = request.form['username'] password = request.form['password'] conn = connect_db() cursor = conn.cursor() cursor.execute('SELECT id, password FROM users WHERE username = %s', (username,)) result = cursor.fetchone() if result and bcrypt.checkpw(password.encode('utf-8'), result[1]): session['user_id'] = result[0] flash("登录成功!", 'success') logging.info("用户 %s 登录成功!", username) return redirect(url_for('dashboard')) else: flash("用户名或密码错误!", 'danger') logging.warning("用户名或密码错误!") conn.close() return render_template('login.html') @app.route('/logout') def logout(): session.pop('user_id', None) flash("已退出登录。", 'info') logging.info("已退出登录。") return redirect(url_for('index')) @app.route('/dashboard') def dashboard(): if 'user_id' not in session: return redirect(url_for('login')) user_id = session['user_id'] conn = connect_db() cursor = conn.cursor() cursor.execute('SELECT id, pet_name FROM pets WHERE user_id = %s', (user_id,)) pets = cursor.fetchall() conn.close() return render_template('dashboard.html', pets=pets) @app.route('/add_pet', methods=['GET', 'POST']) def add_pet(): if 'user_id' not in session: return redirect(url_for('login')) if request.method == 'POST': user_id = session['user_id'] pet_name = request.form['pet_name'] weight = float(request.form['weight']) conn = connect_db() cursor = conn.cursor() cursor.execute('INSERT INTO pets (user_id, pet_name) VALUES (%s, %s)', (user_id, pet_name)) pet_id = cursor.lastrowid cursor.execute('INSERT INTO pet_weights (pet_id, weight) VALUES (%s, %s)', (pet_id, weight)) conn.commit() flash("宠物添加成功,初始体重为 %.2f kg" % weight, 'success') logging.info("宠物 %s 添加成功,初始体重为 %.2f kg", pet_name, weight) conn.close() return redirect(url_for('dashboard')) return render_template('add_pet.html') @app.route('/view_pet/<int:pet_id>') def view_pet(pet_id): if 'user_id' not in session: return redirect(url_for('login')) conn = connect_db() cursor = conn.cursor() cursor.execute('SELECT pet_name FROM pets WHERE id = %s', (pet_id,)) pet = cursor.fetchone() if not pet: flash("宠物不存在!", 'warning') logging.warning("宠物不存在!") return redirect(url_for('dashboard')) cursor.execute('SELECT weight, recorded_at FROM pet_weights WHERE pet_id = %s ORDER BY recorded_at', (pet_id,)) weights = cursor.fetchall() conn.close() return render_template('view_pet.html', pet=pet, weights=weights) @app.route('/update_pet_weight/<int:pet_id>', methods=['GET', 'POST']) def update_pet_weight(pet_id): if 'user_id' not in session: return redirect(url_for('login')) conn = connect_db() cursor = conn.cursor() # 获取当前宠物的所有体重记录 cursor.execute('SELECT weight, recorded_at FROM pet_weights WHERE pet_id = %s ORDER BY recorded_at DESC', (pet_id,)) weights = cursor.fetchall() if request.method == 'POST': weight = float(request.form['weight']) cursor.execute('INSERT INTO pet_weights (pet_id, weight) VALUES (%s, %s)', (pet_id, weight)) conn.commit() flash("宠物体重更新成功!", 'success') logging.info("宠物体重更新成功!") conn.close() return redirect(url_for('view_pet', pet_id=pet_id)) conn.close() return render_template('update_pet_weight.html', pet_id=pet_id, weights=weights) @app.route('/delete_account', methods=['GET', 'POST']) def delete_account(): if 'user_id' not in session: return redirect(url_for('login')) if request.method == 'POST': user_id = session['user_id'] conn = connect_db() cursor = conn.cursor() try: # 删除宠物的体重记录 cursor.execute('DELETE FROM pet_weights WHERE pet_id IN (SELECT id FROM pets WHERE user_id = %s)', (user_id,)) # 删除宠物信息 cursor.execute('DELETE FROM pets WHERE user_id = %s', (user_id,)) # 删除用户信息 cursor.execute('DELETE FROM users WHERE id = %s', (user_id,)) conn.commit() session.pop('user_id', None) flash("账号已注销。", 'success') logging.info("用户 %s 账号已注销。", user_id) except Exception as e: flash("注销账号失败: %s" % str(e), 'danger') logging.error("注销账号失败: %s", str(e)) finally: conn.close() return redirect(url_for('index')) return render_template('delete_account.html') if __name__ == '__main__': init_db() app.run(debug=True) ``` ### 前端模板示例 (`register.html`) 确保前端表单使用 `POST` 方法提交: ```html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>注册</title> </head> <body> <h1>注册</h1> <form action="{{ url_for('register') }}" method="post"> <label for="username">用户名:</label> <input type="text" id="username" name="username" required><br><br> <label for="password">密码:</label> <input type="password" id="password" name="password" required><br><br> <button type="submit">注册</button> </form> </body> </html> ``` 通过以上步骤,可以确保注册功能正常工作,避免 "Method Not Allowed" 错误。
阅读全文

相关推荐

package com.bolt.gateway.config; import com.bolt.gateway.handler.HystrixFallbackHandler; import com.bolt.gateway.props.AuthProperties; import com.bolt.gateway.props.RouteProperties; import lombok.AllArgsConstructor; import lombok.extern.slf4j.Slf4j; import org.springframework.boot.context.properties.EnableConfigurationProperties; import org.springframework.context.annotation.Bean; import org.springframework.context.annotation.Configuration; import org.springframework.http.HttpHeaders; import org.springframework.http.HttpMethod; import org.springframework.http.HttpStatus; import org.springframework.http.MediaType; import org.springframework.http.server.reactive.ServerHttpRequest; import org.springframework.http.server.reactive.ServerHttpResponse; import org.springframework.web.cors.reactive.CorsUtils; import org.springframework.web.filter.reactive.HiddenHttpMethodFilter; import org.springframework.web.reactive.function.server.RequestPredicates; import org.springframework.web.reactive.function.server.RouterFunction; import org.springframework.web.reactive.function.server.RouterFunctions; import org.springframework.web.server.ServerWebExchange; import org.springframework.web.server.WebFilter; import org.springframework.web.server.WebFilterChain; import reactor.core.publisher.Mono; /** * 路由配置信息 * * @author arch_group */ @Slf4j @Configuration @AllArgsConstructor @EnableConfigurationProperties({RouteProperties.class, AuthProperties.class}) public class RouterFunctionConfiguration { /** * 这里为支持的请求头,如果有自定义的header字段请自己添加 */ private static final String ALLOWED_HEADERS = "x-requested-with, zkpt-ks-auth, Content-Type, Authorization, credential, X-XSRF-TOKEN, token, username, client"; private static final String ALLOWED_METHODS = "*"; private static final String ALLOWED_ORIGIN = "*"; private static final String ALLOWED_EXPOSE = "*"; private static final String MAX_AGE = "18000L"; private final HystrixFallbackHandler hystrixFallbackHandler; @Bean public WebFilter corsFilter() { return (ServerWebExchange ctx, WebFilterChain chain) -> { ServerHttpRequest request = ctx.getRequest(); if (CorsUtils.isCorsRequest(request)) { ServerHttpResponse response = ctx.getResponse(); HttpHeaders headers = response.getHeaders(); headers.add("Access-Control-Allow-Headers", ALLOWED_HEADERS); headers.add("Access-Control-Allow-Methods", ALLOWED_METHODS); headers.add("Access-Control-Allow-Origin", ALLOWED_ORIGIN); headers.add("Access-Control-Expose-Headers", ALLOWED_EXPOSE); headers.add("Access-Control-Max-Age", MAX_AGE); headers.add("Access-Control-Allow-Credentials", "true"); if (request.getMethod() == HttpMethod.OPTIONS) { response.setStatusCode(HttpStatus.OK); return Mono.empty(); } } return chain.filter(ctx); }; } @Bean public RouterFunction routerFunction() { return RouterFunctions.route( RequestPredicates.path("/fallback") .and(RequestPredicates.accept(MediaType.TEXT_PLAIN)), hystrixFallbackHandler); } /** * 解决springboot2.0.5版本出现的 Only one connection receive subscriber allowed. * 参考:https://github.com/spring-cloud/spring-cloud-gateway/issues/541 */ @Bean public HiddenHttpMethodFilter hiddenHttpMethodFilter() { return new HiddenHttpMethodFilter() { @Override public Mono<Void> filter(ServerWebExchange exchange, WebFilterChain chain) { return chain.filter(exchange); } }; } }

最新推荐

recommend-type

已解决:No &#39;Access-Control-Allow-Origin&#39;跨域问题

&lt;param-value&gt;Access-Control-Allow-Origin,Content-Type,X-Requested-With,accept,Origin,Access-Control-Request-Method,Access-Control-Request-Headers &lt;async-supported&gt;true &lt;filter-name&gt;CorsFilter ...
recommend-type

Nginx静态文件响应POST请求 提示405错误的解决方法

The requested method POST is not allowed for the URL /index.html.&lt;P&gt; &lt;ADDRESS&gt;Apache/1.3.37 Server at www.jb51.net Port 80&lt;/ADDRESS&gt; ``` Nginx服务器: ``` &lt;head&gt;&lt;title&gt;405 Not Allowed...
recommend-type

vue解决使用$http获取数据时报错的问题

在上述问题中,错误提示"Request header field Content-Type is not allowed by Access-Control-Allow-Headers in preflight response."表明服务器未在响应头`Access-Control-Allow-Headers`中包含`Content-Type`,...
recommend-type

Nginx配置跨域请求Access-Control-Allow-Origin * 详解

Nginx配置跨域请求Access-Control-Allow-Origin * 是解决现代Web应用中常见问题的一个关键步骤。在Web开发中,由于浏览器的同源策略限制,不同源的网站之间不能直接进行AJAX请求,除非服务器允许这样的跨域行为。...
recommend-type

若依管理存在任何文件读取漏洞检测系统,渗透测试.zip

若依管理存在任何文件读取漏洞检测系统,渗透测试若一管理系统发生任意文件读取若依管理系统存在任何文件读取免责声明使用本程序请自觉遵守当地法律法规,出现一切后果均与作者无关。本工具旨在帮助企业快速定位漏洞修复漏洞,仅限安全授权测试使用!严格遵守《中华人民共和国网络安全法》,禁止未授权非法攻击站点!由于作者用户欺骗造成的一切后果与关联。毒品用于非法一切用途,非法使用造成的后果由自己承担,与作者无关。食用方法python3 若依管理系统存在任意文件读取.py -u http://xx.xx.xx.xxpython3 若依管理系统存在任意文件读取.py -f url.txt
recommend-type

C语言数组操作:高度检查器编程实践

资源摘要信息: "C语言编程题之数组操作高度检查器" C语言是一种广泛使用的编程语言,它以其强大的功能和对低级操作的控制而闻名。数组是C语言中一种基本的数据结构,用于存储相同类型数据的集合。数组操作包括创建、初始化、访问和修改元素以及数组的其他高级操作,如排序、搜索和删除。本资源名为“c语言编程题之数组操作高度检查器.zip”,它很可能是一个围绕数组操作的编程实践,具体而言是设计一个程序来检查数组中元素的高度。在这个上下文中,“高度”可能是对数组中元素值的一个比喻,或者特定于某个应用场景下的一个术语。 知识点1:C语言基础 C语言编程题之数组操作高度检查器涉及到了C语言的基础知识点。它要求学习者对C语言的数据类型、变量声明、表达式、控制结构(如if、else、switch、循环控制等)有清晰的理解。此外,还需要掌握C语言的标准库函数使用,这些函数是处理数组和其他数据结构不可或缺的部分。 知识点2:数组的基本概念 数组是C语言中用于存储多个相同类型数据的结构。它提供了通过索引来访问和修改各个元素的方式。数组的大小在声明时固定,之后不可更改。理解数组的这些基本特性对于编写有效的数组操作程序至关重要。 知识点3:数组的创建与初始化 在C语言中,创建数组时需要指定数组的类型和大小。例如,创建一个整型数组可以使用int arr[10];语句。数组初始化可以在声明时进行,也可以在之后使用循环或单独的赋值语句进行。初始化对于定义检查器程序的初始状态非常重要。 知识点4:数组元素的访问与修改 通过使用数组索引(下标),可以访问数组中特定位置的元素。在C语言中,数组索引从0开始。修改数组元素则涉及到了将新值赋给特定索引位置的操作。在编写数组操作程序时,需要频繁地使用这些操作来实现功能。 知识点5:数组高级操作 除了基本的访问和修改之外,数组的高级操作包括排序、搜索和删除。这些操作在很多实际应用中都有广泛用途。例如,检查器程序可能需要对数组中的元素进行排序,以便于进行高度检查。搜索功能用于查找特定值的元素,而删除操作则用于移除数组中的元素。 知识点6:编程实践与问题解决 标题中提到的“高度检查器”暗示了一个具体的应用场景,可能涉及到对数组中元素的某种度量或标准进行判断。编写这样的程序不仅需要对数组操作有深入的理解,还需要将这些操作应用于解决实际问题。这要求编程者具备良好的逻辑思维能力和问题分析能力。 总结:本资源"c语言编程题之数组操作高度检查器.zip"是一个关于C语言数组操作的实际应用示例,它结合了编程实践和问题解决的综合知识点。通过实现一个针对数组元素“高度”检查的程序,学习者可以加深对数组基础、数组操作以及C语言编程技巧的理解。这种类型的编程题目对于提高编程能力和逻辑思维能力都有显著的帮助。
recommend-type

管理建模和仿真的文件

管理Boualem Benatallah引用此版本:布阿利姆·贝纳塔拉。管理建模和仿真。约瑟夫-傅立叶大学-格勒诺布尔第一大学,1996年。法语。NNT:电话:00345357HAL ID:电话:00345357https://theses.hal.science/tel-003453572008年12月9日提交HAL是一个多学科的开放存取档案馆,用于存放和传播科学研究论文,无论它们是否被公开。论文可以来自法国或国外的教学和研究机构,也可以来自公共或私人研究中心。L’archive ouverte pluridisciplinaire
recommend-type

【KUKA系统变量进阶】:揭秘从理论到实践的5大关键技巧

![【KUKA系统变量进阶】:揭秘从理论到实践的5大关键技巧](https://giecdn.blob.core.windows.net/fileuploads/image/2022/11/17/kuka-visual-robot-guide.jpg) 参考资源链接:[KUKA机器人系统变量手册(KSS 8.6 中文版):深入解析与应用](https://wenku.csdn.net/doc/p36po06uv7?spm=1055.2635.3001.10343) # 1. KUKA系统变量的理论基础 ## 理解系统变量的基本概念 KUKA系统变量是机器人控制系统中的一个核心概念,它允许
recommend-type

如何使用Python编程语言创建一个具有动态爱心图案作为背景并添加文字'天天开心(高级版)'的图形界面?

要在Python中创建一个带动态爱心图案和文字的图形界面,可以结合使用Tkinter库(用于窗口和基本GUI元素)以及PIL(Python Imaging Library)处理图像。这里是一个简化的例子,假设你已经安装了这两个库: 首先,安装必要的库: ```bash pip install tk pip install pillow ``` 然后,你可以尝试这个高级版的Python代码: ```python import tkinter as tk from PIL import Image, ImageTk def draw_heart(canvas): heart = I
recommend-type

基于Swift开发的嘉定单车LBS iOS应用项目解析

资源摘要信息:"嘉定单车汇(IOS app).zip" 从标题和描述中,我们可以得知这个压缩包文件包含的是一套基于iOS平台的移动应用程序的开发成果。这个应用是由一群来自同济大学软件工程专业的学生完成的,其核心功能是利用位置服务(LBS)技术,面向iOS用户开发的单车共享服务应用。接下来将详细介绍所涉及的关键知识点。 首先,提到的iOS平台意味着应用是为苹果公司的移动设备如iPhone、iPad等设计和开发的。iOS是苹果公司专有的操作系统,与之相对应的是Android系统,另一个主要的移动操作系统平台。iOS应用通常是用Swift语言或Objective-C(OC)编写的,这在标签中也得到了印证。 Swift是苹果公司在2014年推出的一种新的编程语言,用于开发iOS和macOS应用程序。Swift的设计目标是与Objective-C并存,并最终取代后者。Swift语言拥有现代编程语言的特性,包括类型安全、内存安全、简化的语法和强大的表达能力。因此,如果一个项目是使用Swift开发的,那么它应该会利用到这些特性。 Objective-C是苹果公司早前主要的编程语言,用于开发iOS和macOS应用程序。尽管Swift现在是主要的开发语言,但仍然有许多现存项目和开发者在使用Objective-C。Objective-C语言集成了C语言与Smalltalk风格的消息传递机制,因此它通常被认为是一种面向对象的编程语言。 LBS(Location-Based Services,位置服务)是基于位置信息的服务。LBS可以用来为用户提供地理定位相关的信息服务,例如导航、社交网络签到、交通信息、天气预报等。本项目中的LBS功能可能包括定位用户位置、查找附近的单车、计算骑行路线等功能。 从文件名称列表来看,包含的三个文件分别是: 1. ios期末项目文档.docx:这份文档可能是对整个iOS项目的设计思路、开发过程、实现的功能以及遇到的问题和解决方案等进行的详细描述。对于理解项目的背景、目标和实施细节至关重要。 2. 移动应用开发项目期末答辩.pptx:这份PPT文件应该是为项目答辩准备的演示文稿,里面可能包括项目的概览、核心功能演示、项目亮点以及团队成员介绍等。这可以作为了解项目的一个快速入门方式,尤其是对项目的核心价值和技术难点有直观的认识。 3. LBS-ofo期末项目源码.zip:这是项目的源代码压缩包,包含了完成单车汇项目所需的全部Swift或Objective-C代码。源码对于理解项目背后的逻辑和实现细节至关重要,同时也是评估项目质量、学习最佳实践、复用或扩展功能的基础。 综合上述信息,"嘉定单车汇(IOS app).zip"不仅仅是一个应用程序的压缩包,它还代表了一个团队在软件工程项目中的完整工作流程,包含了项目文档、演示材料和实际编码,为学习和评估提供了一个很好的案例。