我正在制作一个烧瓶 restful api,我遇到的问题是 marshmallow-sqlalchemy 和 webargs
简而言之,这是我的 sqlalchemy 模型:
class User(Model):
id = Column(String, primary_key=True)
name = Column(String(64), nullable=False)
email = Column(String(120), nullable=False)
password = Column(String(128))
creation_date = Column(DateTime, default=datetime.utcnow)
这是我的架构
class UserSchema(ModelSchema):
class Meta:
model = User
strict = True
sqla_session = db.session
user_schema = UserSchema()
以及我使用 flask-classful 和 webargs 的路线示例:
class UserView(FlaskView):
trailing_slash = False
model = User
schema = user_schema
@use_kwargs(schema.fields)
def post(self, **kwargs):
try:
entity = self.model()
for d in kwargs:
if kwargs[d] is not missing:
entity.__setattr__(d, kwargs[d])
db.session.add(entity)
db.session.commit()
o = self.schema.dump(entity).data
return jsonify({'{}'.format(self.model.__table__.name): o})
except IntegrityError:
return jsonify({'message': '{} exist in the database. choose another id'
.format(self.model.__table__.name)}), 409
@use_kwargs(schema.fields)
def put(self, id, **kwargs):
entity = self.model.query.filter_by(id=id).first_or_404()
for d in kwargs:
if kwargs[d] is not missing:
entity.__setattr__(d, kwargs[d])
db.session.commit()
o = self.schema.dump(entity).data
return jsonify({'{}'.format(self.model.__table__.name): o})
UserView.register(app)
问题:
正如您在我的 sqlalchemy 模型中看到的,某些字段不可为空,因此我的 marshmallow schemda 将它们标记为必需。我get
的index
,delete
和post
方法都可以完美运行。但我将帖子包括在内有一个原因:
例如,当我尝试发布一个没有姓名的新用户时,会引发一个 422 http 代码,因为name
该字段是必需的,这是我想要的,并且做得很完美。
但是当使用请求编辑字段时put
,我希望我的架构中的所有内容都成为可选的.. 现在如果我想更新用户,我不仅必须提供 id.. 而且默认情况下需要的所有其他信息,即使我没有改变他们在所有。
简而言之,当方法为“put”时,如何将所有字段标记为“可选”?
编辑:就像@Mekicha 提供的解决方案一样,我做了以下更改:
更改架构以使我的模型中的必填字段接受值无。像这样:
class UserSchema(ModelSchema):
class Meta:
model = User
...
name = fields.Str(missing=None, required=True)
email = fields.Email(missing=None, required=True)
...
从此更改我的 put 和 post 方法条件:
if kwargs[d] is not missing:
对此:
if kwargs[d] is not missing and kwargs[d] is not None: