python TypeError:使用flask_jwt_extended int RESTful API时,类型函数的对象不可JSON序列化

cx6n0qe3  于 2023-06-28  发布在  Python
关注(0)|答案(2)|浏览(222)

我正在使用flask构建REST API。我正在使用postman测试一个路由,该路由在数据库中创建一个新项,但仅当用户登录时。注册和登录的路由运行良好,最后一个使用flask_jwt_extended模块返回令牌。当我发送一个post请求到我的“/API/notes”(在数据库中创建一个新的注解)时,我得到以下错误:
“(...)raise TypeError(f'Object of type {o.class.name} '
TypeError:类型函数的对象不是JSON可序列化的”
对于请求,我正在使用postman的授权选项卡。type:Bearer Token和字段中的my token(尝试使用和不使用引号)
在实现我的一对多关系之前,我今天早上遇到了这个错误,但是我通过在Barear令牌字段中将我的VERY_LONG_TOKEN替换为“VERY_LONG_TOKEN”来使它工作。我认为,因为令牌包括点,它被解释为一个函数。但是在实现了关系之后,我去测试了一下,又得到了这个错误。
我的note.py文件:

from flask import request, Response, jsonify
from app.models import User, Note
from flask_restful import Resource
from flask_jwt_extended import jwt_required, get_jwt_identity

class NotesApi(Resource):
    def get(self):
        notes = Note.objects().to_json()
        return Response(notes, mimetype="application/json", status=200)

    @jwt_required  
    def post(self):  # post method I'm making a request for
        print("fool")  # this doesn't get printed  ->  not reaching 
        user_id = get_jwt_identity()
        data = request.get_json(force=True)
        if data:
            user = User.objects(id=user_id) # logged in user
            note = Note(**data, user_author=user) # creates note with the author
            note.save()
            user.update(push__notes=note) # add this note to users notes
            user.save()
            id = str(note.id)
            return {'id': id}, 200
        else:
            return {'error': 'missing data'}, 400

我的models.py:

from app import db  # using mongodb
from datetime import datetime
from flask_bcrypt import generate_password_hash, check_password_hash

class Note(db.Document):
    title = db.StringField(max_length=120,required=True)
    content = db.StringField(required=True)
    status = db.BooleanField(required=True, default=False)
    date_modified = db.DateTimeField(default=datetime.utcnow)
    user_author = db.ReferenceField('User')
    
class User(db.Document):
    username = db.StringField(max_length=100, required=True, unique=True)
    email = db.StringField(max_length=120, required=True, unique=True)
    password = db.StringField(required=True)
    remember_me = db.BooleanField(default=False)
    notes = db.ListField(db.ReferenceField('Note', reverse_delete_rule=db.PULL)) # one-many relationship

    def hash_password(self):
        self.password = generate_password_hash(self.password).decode('utf8')

    def check_password(self, password):
        return check_password_hash(self.password, password)

User.register_delete_rule(Note, 'user_author', db.CASCADE)

init.py:

from flask import Flask
from config import Config  # my config class to set MONGOBD_HOST and SECRET_CLASS
from flask_mongoengine import MongoEngine
from flask_restful import Api
from flask_bcrypt import Bcrypt
from flask_jwt_extended import JWTManager

app = Flask(__name__)
app.config.from_object(Config)
db = MongoEngine(app)
api = Api(app)
bcrypt = Bcrypt(app)
jwt = JWTManager(app)

from app.resources.routes import initialize_routes
initialize_routes(api)

资源/routes.py:

from .note import NotesApi, NoteApi
from .auth import SignupApi, LoginApi

def initialize_routes(api):
    api.add_resource(NotesApi, '/api/notes')
    api.add_resource(NoteApi, '/api/note/<id>')
    api.add_resource(SignupApi, '/api/auth/signup')
    api.add_resource(LoginApi, '/api/auth/login')

文件夹结构:

app
  |_ resources
      |_ auth.py  # signup working well, login also working, return a token (type = String)
      |_ note.py
      |_ routes.py
  |_ __init__.py
  |_ models.py
config.py
appname.py  #just import app and do a app.run()

我的帖子请求的正文:

{
   "title": "test0",
   "content": "test0"  
}

以前有没有人遇到过,或者知道如何解决?
编辑:添加了更多代码信息

vc9ivgsu

vc9ivgsu1#

看起来flask-jwt-extended在周末发布了一个新版本。作为API更改的一部分,@jwt_required装饰器现在为@jwt_required()
https://flask-jwt-extended.readthedocs.io/en/stable/v4_upgrade_guide.html#api-changes

czfnxgou

czfnxgou2#

只要去掉HTTP状态码,这对我很有效。范例
替换:

return {'id': id}, 200

其中:

return {'id': id}

或:

resp = jsonify({'id': id})

resp.status_code = 200

return resp

相关问题