- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在尝试在 SQLAlchemy、Marshmallow 和 Flask-restplus 的帮助下使用单个表构建简单的 REST API。但它给出了 LookupError。
在应用程序使用过程中出现以下错误:
File "/home/ec2-user/.local/lib/python2.7/site-packages/sqlalchemy/dialects/mysql/enumerated.py", line 147, in _object_value_for_elem
return super(ENUM, self)._object_value_for_elem(elem)
File "/home/ec2-user/.local/lib/python2.7/site-packages/sqlalchemy/sql/sqltypes.py", line 1483, in _object_value_for_elem
'"%s" is not among the defined enum values' % elem
LookupError: "DIVERSE" is not among the defined enum values
96.57.148.186 - - [27/Feb/2019 09:16:23] "GET /employee/114425 HTTP/1.1" 500 -
我正在尝试将枚举与 Marshmallow 和 SQLAlchemy 一起使用。我应该放弃枚举并简单地使用数据库中的字符串字段并仅对 Marshmallow 进行验证吗?
service.py 文件是:
from flask import Flask, request, jsonify
from flask_sqlalchemy import SQLAlchemy
from flask_marshmallow import Marshmallow
from flask_restplus import Api, Resource, fields
import enum
import json
app = Flask(__name__)
# for mysql replace the following with link to database:
# mysql://scott:tiger@localhost/mydatabase
app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:////home/maverick/Desktop/service/test.db'
db = SQLAlchemy(app)
api = Api(app)
ma = Marshmallow(app)
model = api.model('Employee', {
'employee_id': fields.String,
'country': fields.String,
'gender': fields.String(enum=['male', 'female']),
'job_title': fields.String,
'job_family': fields.String,
'job_function': fields.String,
'job_band': fields.String,
'dept_code': fields.String,
'dept_name': fields.String,
'birth_date': fields.DateTime(),
'service_date': fields.DateTime(),
'tenure': fields.String,
'ethnicity': fields.String,
'diverse': fields.String(enum=['diverse', 'non_diverse']),
'flsa_status': fields.String(enum=['exempt', 'non_exempt']),
'employee_type': fields.String,
'contingent': fields.String(enum=['yes', 'no']),
'fte': fields.Integer,
'local_salary': fields.Integer,
'shift_and_position_allowance': fields.Integer,
'overtime': fields.Integer,
'on_call': fields.Integer,
'bonus': fields.Integer,
'indemnity_payment': fields.Integer,
'adjustment': fields.Integer,
'total_payroll': fields.Integer,
'company_social_security': fields.Integer,
'monthly_base_salary': fields.Integer,
'annual_base_salary': fields.Integer,
'total_rem': fields.Integer,
'bonus_mbo': fields.Integer,
'union_christmas_local_bonus': fields.Integer,
'annual_total_rem': fields.Integer
})
@api.route('/')
class EmployeeRoot(Resource):
"""Employee API"""
def get(self):
return jsonify({"description": "Employee API"})
@api.route('/employee')
class Employee(Resource):
"""create new employee"""
@api.marshal_with(model)
def post(self, **kwargs):
employee_schema = EmployeeModelSchema()
data = request.json()
loaded_data = employee_schema.load(data).data
new_employee = EmployeeModel(loaded_data)
db.session.add(new_employee)
db.session.commit()
return employee_schema.dumps(new_employee), 201
@api.route('/employee/list')
class EmployeeList(Resource):
""""Returns all employees data"""
def get(self):
employees_schema = EmployeeModelSchema(many=True)
all_employees = EmployeeModel.query.all()
result = employees_schema.dumps(all_employees)
return jsonify(result.data)
@api.route('/employee/<int:employee_id>')
class EmployeeByID(Resource):
""""This API returns single employees details by it's ID"""
@api.marshal_with(model)
def get(self, employee_id):
employee = EmployeeModel.query.get(employee_id)
if not employee:
return jsonify({"error": "employee not found"}), 404
employee_schema = EmployeeModelSchema()
result = employee_schema.dumps(employee)
return jsonify(result.data)
@api.route('/empoloyee/update')
class EmployeeUpdate(Resource):
"""Updates single employee data"""
@api.marshal_with(model)
def put(self):
data = request.get_json()
employee_schema = EmployeeModelSchema()
employee_data = employee_schema.load(employee_schema).data
employee = EmployeeModel.query.get(employee_data.employee_id)
if employee:
for key, val in employee:
if val is not None:
employee.key = val
db.session.commit()
result = employee_schema.dumps(employee_data)
return jsonify(result.data)
return {"error": "Employee Not Found"}
class GenderEnum(enum.Enum):
male = "MALE"
female = "FEMALE"
class DiversityEnum(enum.Enum):
diverse = "DIVERSE"
non_diverse = "NON-DIVERSE"
class FlsaStatusEnum(enum.Enum):
exempt = "EXEMPT"
non_exempt = "NON-EXEMPT"
class ContingencyEnum(enum.Enum):
yes = "YES"
no = "NO"
class EmployeeModel(db.Model):
""""Model Class for Database table of employee"""
__tablename__ = 'employees'
employee_id = db.Column(db.Integer, primary_key=True, unique=True)
country = db.Column(db.String)
gender = db.Column(db.Enum(GenderEnum)) #male or female
job_title = db.Column(db.String)
job_family = db.Column(db.String)
job_function = db.Column(db.String)
job_band = db.Column(db.String)
dept_code = db.Column(db.String)
dept_name = db.Column(db.String)
birth_date = db.Column(db.DateTime)
service_date = db.Column(db.DateTime)
tenure = db.Column(db.String)
ethnicity = db.Column(db.String)
diverse = db.Column(db.Enum(DiversityEnum))
flsa_status = db.Column(db.Enum(FlsaStatusEnum))
employee_type = db.Column(db.String)
contingent = db.Column(db.Enum(ContingencyEnum))
fte = db.Column(db.Integer)
local_salary = db.Column(db.Integer)
shift_and_position_allowance = db.Column(db.Integer)
overtime = db.Column(db.Integer)
on_call = db.Column(db.Integer)
bonus = db.Column(db.Integer)
indemnity_payment = db.Column(db.Integer)
adjustment = db.Column(db.Integer)
total_payroll = db.Column(db.Integer)
company_social_security = db.Column(db.Integer)
total_company_payment = db.Column(db.Integer)
monthly_base_salary = db.Column(db.Integer)
annual_base_salary = db.Column(db.Integer)
total_rem = db.Column(db.Integer)
bonus_mbo = db.Column(db.Integer)
union_christmas_local_bonus = db.Column(db.Integer)
annual_total_rem = db.Column(db.Integer)
class EmployeeModelSchema(ma.ModelSchema):
class Meta:
model = EmployeeModel
if __name__ == '__main__':
app.run(debug=True)
有什么想法吗?
最佳答案
SQLAlchemy 使用枚举类型中元素的字符串名称。 1 它不关心名称映射到的值。SQLAlchemy 对枚举类型的期望是它实现 __members__
方法
当检查 DiversityEnum
的 __members__
字段时,您会发现一个映射代理,其键为 'diverse'
和 'non_diverse'
.
In [1]: DiversityEnum.__members__
Out[1]:
mappingproxy({'diverse': <DiversityEnum.diverse: 'DIVERSE'>,
'non_diverse': <DiversityEnum.non_diverse: 'NON-DIVERSE'>})
在 SQLAlchemy 中引发 LookupError
,因为 “DIVERSE”
不是“成员”。
向 API 端点发出请求时,为 diverse
字段传递正确的值应该可以解决此错误。
您还应该考虑处理此错误并返回 HTTP 422 以及有用的错误消息。
关于python - SQLAlchemy 查找错误 : "DIVERSE" is not among the defined enum values,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/54921055/
我不明白为什么这甚至可以编译。我尝试过不同的格式,它们似乎都有效。 为什么有一个 enum of enum of enum of.. 是合法的? interface I { enum E im
我有大型数据库(数百万行),我正在尝试为 2 个字段的数据类型做出最佳选择。我制作的大部分内容都是 varchar 或 INT。但是,我想知道 Enum 是否是最好的方法的 2 个字段。 字段 1第一
我是 C++ 新手,我想知道是否有人可以帮助我理解原因 enum difficulty { NOVICE, EASY, NORMAL, HARD, UNBEATABLE }; difficulty m
从 native 代码强制转换(在 C++/CLI 中)的正确方法是什么 enum到托管代码enum其中包含相同的 enum值(value)观?与使用 C# 的强制转换方式有什么区别,例如 (int)
我有以下枚举 [Flags] public enum WeekDays { Monday = 1, Tuesday = 2, Wednesday = 4, Thursd
我刚刚学习 Java 中的枚举。当我运行下面的代码时,我收到一个错误,我也在下面重现该错误。基本上,我的问题是:当我在枚举中定义一个方法,并且在该方法中我想检查枚举的值以便我可以根据该值执行某些操作时
我想要一些语法糖来打开 Enum .当然,一个if else块按预期工作: @enum Fruit apple=1 orange=2 kiwi=3 function talk1(fruit::Frui
我试图在 Enum.each 的函数内为变量设置一个值,但在循环结束时,变量为空,我不知道为什么会出现这种行为。 代码: base = "master" candidates = ["stream",
This question already has answers here: Is there a way to use existing structs as enum variants? (2个
我想让 Java 中的枚举器具有其他枚举作为属性。 public enum Direction { Up(Down), Down(Up), Left(Right), R
我有一个包含两种不同可能“类型”的枚举和一个可以返回其中任何一种的函数,封装在 Option 中: enum Possibilities { First(i32), Second(St
我刚刚注意到 pyhton 中 Enum+defaultdict 的一个非常奇怪的行为。我定义了一个这样的枚举,它收集了一些默认词典: from enum import Enum from colle
我想在运行时从配置文件生成一些类型。为简单起见,假设我已经将数据加载为 Python 字典: color_values = dict(RED = 1, YELLOW = 2, GREEN = 3) 我
我想创建一个方法,在传入参数的任何枚举类上实现 valueOf(并包装一些专门的错误/缺失名称代码)。所以基本上,我有几个枚举,例如: enum Enum1{ A, B, C } enum Enum2
我有一个user数据库表: CREATE TABLE IF NOT EXISTS `user` ( `user_id` INT UNSIGNED NOT NULL AUTO_INCREMENT,
这是我的 JPA @Repository,在这里我们可以得到 list与 findByFullNameContaining(String query) - 通过在查询中提供 fullName 的子字符
(也在这里打开了一个问题:https://github.com/square/moshi/issues/768 但被要求打开一个stackoverflow问题)我正在编写一个通用适配器来转换带有枚举值
请帮助找到以下情况的最佳方法: 有一个表,大约有 20 列。 每列都有自己的短名称、全名称和类型(数字或字符串)。 每个列类型都可以有自己的运算符 - 例如,字符串 - 包含、等于;数字 - 更多、更
如果我在 python 中按功能创建了 enum.Enum(本例中为 3.7),如何从中检索类的名称? import enum def print_the_enum_class_name(some_e
我正在编写一个与第 3 方程序交互的程序。这个第 3 方程序允许用户制作可以运行在第 3 方程序中进行的步骤记录的按钮。 但! 这些按钮还可以运行用户定义的批处理文件。因此,我使用此功能通过创建文件并
我是一名优秀的程序员,十分优秀!