@ -3,6 +3,9 @@ checks:
|
|||||||
method-complexity:
|
method-complexity:
|
||||||
config:
|
config:
|
||||||
threshold: 8
|
threshold: 8
|
||||||
|
file-lines:
|
||||||
|
config:
|
||||||
|
threshold: 500
|
||||||
engines:
|
engines:
|
||||||
bandit:
|
bandit:
|
||||||
enabled: true
|
enabled: true
|
||||||
|
|||||||
6
.github/workflows/deploy-docs.yml
vendored
6
.github/workflows/deploy-docs.yml
vendored
@ -16,7 +16,11 @@ jobs:
|
|||||||
- name: Install dependencies
|
- name: Install dependencies
|
||||||
run: |
|
run: |
|
||||||
python -m pip install --upgrade pip
|
python -m pip install --upgrade pip
|
||||||
pip install mkdocs-material
|
pip install mkdocs-material pydoc-markdown
|
||||||
|
- name: Build Api docs
|
||||||
|
run: pydoc-markdown -- build --site-dir=api
|
||||||
|
- name: Copy APi docs
|
||||||
|
run: cp -Tavr ./build/docs/content/ ./docs/api/
|
||||||
- name: Deploy
|
- name: Deploy
|
||||||
run: |
|
run: |
|
||||||
mkdocs gh-deploy --force
|
mkdocs gh-deploy --force
|
||||||
|
|||||||
@ -145,6 +145,49 @@ Sample:
|
|||||||
|
|
||||||
When loaded it's always python UUID so you can compare it and compare two formats values between each other.
|
When loaded it's always python UUID so you can compare it and compare two formats values between each other.
|
||||||
|
|
||||||
|
### Enum
|
||||||
|
|
||||||
|
Although there is no dedicated field type for Enums in `ormar` you can change any
|
||||||
|
field into `Enum` like field by passing a `choices` list that is accepted by all Field types.
|
||||||
|
|
||||||
|
It will add both: validation in `pydantic` model and will display available options in schema,
|
||||||
|
therefore it will be available in docs of `fastapi`.
|
||||||
|
|
||||||
|
If you still want to use `Enum` in your application you can do this by passing a `Enum` into choices
|
||||||
|
and later pass value of given option to a given field (note tha Enum is not JsonSerializable).
|
||||||
|
|
||||||
|
```python
|
||||||
|
# not that imports and endpoints declaration
|
||||||
|
# is skipped here for brevity
|
||||||
|
from enum import Enum
|
||||||
|
class TestEnum(Enum):
|
||||||
|
val1 = 'Val1'
|
||||||
|
val2 = 'Val2'
|
||||||
|
|
||||||
|
class TestModel(ormar.Model):
|
||||||
|
class Meta:
|
||||||
|
tablename = "org"
|
||||||
|
metadata = metadata
|
||||||
|
database = database
|
||||||
|
|
||||||
|
id: int = ormar.Integer(primary_key=True)
|
||||||
|
# pass list(Enum) to choices
|
||||||
|
enum_string: str = ormar.String(max_length=100, choices=list(TestEnum))
|
||||||
|
|
||||||
|
# sample payload coming to fastapi
|
||||||
|
response = client.post(
|
||||||
|
"/test_models/",
|
||||||
|
json={
|
||||||
|
"id": 1,
|
||||||
|
# you need to refer to the value of the `Enum` option
|
||||||
|
# if called like this, alternatively just use value
|
||||||
|
# string "Val1" in this case
|
||||||
|
"enum_string": TestEnum.val1.value
|
||||||
|
},
|
||||||
|
)
|
||||||
|
|
||||||
|
```
|
||||||
|
|
||||||
[relations]: ../relations/index.md
|
[relations]: ../relations/index.md
|
||||||
[queries]: ../queries.md
|
[queries]: ../queries.md
|
||||||
[pydantic]: https://pydantic-docs.helpmanual.io/usage/types/#constrained-types
|
[pydantic]: https://pydantic-docs.helpmanual.io/usage/types/#constrained-types
|
||||||
|
|||||||
@ -187,6 +187,7 @@ Available Model Fields (with required args - optional ones in docs):
|
|||||||
* `BigInteger()`
|
* `BigInteger()`
|
||||||
* `Decimal(scale, precision)`
|
* `Decimal(scale, precision)`
|
||||||
* `UUID()`
|
* `UUID()`
|
||||||
|
* `EnumField` - by passing `choices` to any other Field type
|
||||||
* `ForeignKey(to)`
|
* `ForeignKey(to)`
|
||||||
* `ManyToMany(to, through)`
|
* `ManyToMany(to, through)`
|
||||||
|
|
||||||
|
|||||||
@ -1,3 +1,11 @@
|
|||||||
|
# 0.9.1
|
||||||
|
|
||||||
|
## Features
|
||||||
|
* Add choices values to `OpenAPI` specs, so it looks like native `Enum` field in the result schema.
|
||||||
|
|
||||||
|
## Fixes
|
||||||
|
* Fix `choices` behavior with `fastapi` usage when special fields can be not initialized yet but passed as strings etc.
|
||||||
|
|
||||||
# 0.9.0
|
# 0.9.0
|
||||||
|
|
||||||
## Important
|
## Important
|
||||||
|
|||||||
@ -65,7 +65,7 @@ class UndefinedType: # pragma no cover
|
|||||||
|
|
||||||
Undefined = UndefinedType()
|
Undefined = UndefinedType()
|
||||||
|
|
||||||
__version__ = "0.9.0"
|
__version__ = "0.9.1"
|
||||||
__all__ = [
|
__all__ = [
|
||||||
"Integer",
|
"Integer",
|
||||||
"BigInteger",
|
"BigInteger",
|
||||||
|
|||||||
@ -1,3 +1,7 @@
|
|||||||
|
import datetime
|
||||||
|
import decimal
|
||||||
|
import uuid
|
||||||
|
from enum import Enum
|
||||||
from typing import (
|
from typing import (
|
||||||
Any,
|
Any,
|
||||||
Dict,
|
Dict,
|
||||||
@ -14,6 +18,7 @@ from typing import (
|
|||||||
import databases
|
import databases
|
||||||
import pydantic
|
import pydantic
|
||||||
import sqlalchemy
|
import sqlalchemy
|
||||||
|
from pydantic.main import SchemaExtraCallable
|
||||||
from sqlalchemy.sql.schema import ColumnCollectionConstraint
|
from sqlalchemy.sql.schema import ColumnCollectionConstraint
|
||||||
|
|
||||||
import ormar # noqa I100
|
import ormar # noqa I100
|
||||||
@ -84,6 +89,47 @@ def check_if_field_has_choices(field: Type[BaseField]) -> bool:
|
|||||||
return hasattr(field, "choices") and bool(field.choices)
|
return hasattr(field, "choices") and bool(field.choices)
|
||||||
|
|
||||||
|
|
||||||
|
def convert_choices_if_needed( # noqa: CCR001
|
||||||
|
field: Type["BaseField"], values: Dict
|
||||||
|
) -> Tuple[Any, List]:
|
||||||
|
"""
|
||||||
|
Converts dates to isoformat as fastapi can check this condition in routes
|
||||||
|
and the fields are not yet parsed.
|
||||||
|
|
||||||
|
Converts enums to list of it's values.
|
||||||
|
|
||||||
|
Converts uuids to strings.
|
||||||
|
|
||||||
|
Converts decimal to float with given scale.
|
||||||
|
|
||||||
|
:param field: ormar field to check with choices
|
||||||
|
:type field: Type[BaseField]
|
||||||
|
:param values: current values of the model to verify
|
||||||
|
:type values: Dict
|
||||||
|
:return: value, choices list
|
||||||
|
:rtype: Tuple[Any, List]
|
||||||
|
"""
|
||||||
|
value = values.get(field.name, ormar.Undefined)
|
||||||
|
choices = [o.value if isinstance(o, Enum) else o for o in field.choices]
|
||||||
|
|
||||||
|
if field.__type__ in [datetime.datetime, datetime.date, datetime.time]:
|
||||||
|
value = value.isoformat() if not isinstance(value, str) else value
|
||||||
|
choices = [o.isoformat() for o in field.choices]
|
||||||
|
elif field.__type__ == uuid.UUID:
|
||||||
|
value = str(value) if not isinstance(value, str) else value
|
||||||
|
choices = [str(o) for o in field.choices]
|
||||||
|
elif field.__type__ == decimal.Decimal:
|
||||||
|
precision = field.scale # type: ignore
|
||||||
|
value = (
|
||||||
|
round(float(value), precision)
|
||||||
|
if isinstance(value, decimal.Decimal)
|
||||||
|
else value
|
||||||
|
)
|
||||||
|
choices = [round(float(o), precision) for o in choices]
|
||||||
|
|
||||||
|
return value, choices
|
||||||
|
|
||||||
|
|
||||||
def choices_validator(cls: Type["Model"], values: Dict[str, Any]) -> Dict[str, Any]:
|
def choices_validator(cls: Type["Model"], values: Dict[str, Any]) -> Dict[str, Any]:
|
||||||
"""
|
"""
|
||||||
Validator that is attached to pydantic model pre root validators.
|
Validator that is attached to pydantic model pre root validators.
|
||||||
@ -99,16 +145,26 @@ def choices_validator(cls: Type["Model"], values: Dict[str, Any]) -> Dict[str, A
|
|||||||
"""
|
"""
|
||||||
for field_name, field in cls.Meta.model_fields.items():
|
for field_name, field in cls.Meta.model_fields.items():
|
||||||
if check_if_field_has_choices(field):
|
if check_if_field_has_choices(field):
|
||||||
value = values.get(field_name, ormar.Undefined)
|
value, choices = convert_choices_if_needed(field=field, values=values)
|
||||||
if value is not ormar.Undefined and value not in field.choices:
|
if value is not ormar.Undefined and value not in choices:
|
||||||
raise ValueError(
|
raise ValueError(
|
||||||
f"{field_name}: '{values.get(field_name)}' "
|
f"{field_name}: '{values.get(field_name)}' "
|
||||||
f"not in allowed choices set:"
|
f"not in allowed choices set:"
|
||||||
f" {field.choices}"
|
f" {choices}"
|
||||||
)
|
)
|
||||||
return values
|
return values
|
||||||
|
|
||||||
|
|
||||||
|
def construct_modify_schema_function(fields_with_choices: List) -> SchemaExtraCallable:
|
||||||
|
def schema_extra(schema: Dict[str, Any], model: Type["Model"]) -> None:
|
||||||
|
for field_id, prop in schema.get("properties", {}).items():
|
||||||
|
if field_id in fields_with_choices:
|
||||||
|
prop["enum"] = list(model.Meta.model_fields[field_id].choices)
|
||||||
|
prop["description"] = prop.get("description", "") + "An enumeration."
|
||||||
|
|
||||||
|
return staticmethod(schema_extra) # type: ignore
|
||||||
|
|
||||||
|
|
||||||
def populate_choices_validators(model: Type["Model"]) -> None: # noqa CCR001
|
def populate_choices_validators(model: Type["Model"]) -> None: # noqa CCR001
|
||||||
"""
|
"""
|
||||||
Checks if Model has any fields with choices set.
|
Checks if Model has any fields with choices set.
|
||||||
@ -117,14 +173,21 @@ def populate_choices_validators(model: Type["Model"]) -> None: # noqa CCR001
|
|||||||
:param model: newly constructed Model
|
:param model: newly constructed Model
|
||||||
:type model: Model class
|
:type model: Model class
|
||||||
"""
|
"""
|
||||||
|
fields_with_choices = []
|
||||||
if not meta_field_not_set(model=model, field_name="model_fields"):
|
if not meta_field_not_set(model=model, field_name="model_fields"):
|
||||||
for _, field in model.Meta.model_fields.items():
|
for name, field in model.Meta.model_fields.items():
|
||||||
if check_if_field_has_choices(field):
|
if check_if_field_has_choices(field):
|
||||||
|
fields_with_choices.append(name)
|
||||||
validators = getattr(model, "__pre_root_validators__", [])
|
validators = getattr(model, "__pre_root_validators__", [])
|
||||||
if choices_validator not in validators:
|
if choices_validator not in validators:
|
||||||
validators.append(choices_validator)
|
validators.append(choices_validator)
|
||||||
model.__pre_root_validators__ = validators
|
model.__pre_root_validators__ = validators
|
||||||
|
|
||||||
|
if fields_with_choices:
|
||||||
|
model.Config.schema_extra = construct_modify_schema_function(
|
||||||
|
fields_with_choices=fields_with_choices
|
||||||
|
)
|
||||||
|
|
||||||
|
|
||||||
def add_cached_properties(new_model: Type["Model"]) -> None:
|
def add_cached_properties(new_model: Type["Model"]) -> None:
|
||||||
"""
|
"""
|
||||||
|
|||||||
142
tests/test_choices_schema.py
Normal file
142
tests/test_choices_schema.py
Normal file
@ -0,0 +1,142 @@
|
|||||||
|
import datetime
|
||||||
|
import decimal
|
||||||
|
import uuid
|
||||||
|
from enum import Enum
|
||||||
|
|
||||||
|
import databases
|
||||||
|
import pydantic
|
||||||
|
import pytest
|
||||||
|
import sqlalchemy
|
||||||
|
from fastapi import FastAPI
|
||||||
|
from starlette.testclient import TestClient
|
||||||
|
|
||||||
|
import ormar
|
||||||
|
from tests.settings import DATABASE_URL
|
||||||
|
|
||||||
|
app = FastAPI()
|
||||||
|
database = databases.Database(DATABASE_URL, force_rollback=True)
|
||||||
|
metadata = sqlalchemy.MetaData()
|
||||||
|
app.state.database = database
|
||||||
|
|
||||||
|
uuid1 = uuid.uuid4()
|
||||||
|
uuid2 = uuid.uuid4()
|
||||||
|
|
||||||
|
|
||||||
|
class TestEnum(Enum):
|
||||||
|
val1 = "Val1"
|
||||||
|
val2 = "Val2"
|
||||||
|
|
||||||
|
|
||||||
|
class Organisation(ormar.Model):
|
||||||
|
class Meta:
|
||||||
|
tablename = "org"
|
||||||
|
metadata = metadata
|
||||||
|
database = database
|
||||||
|
|
||||||
|
id: int = ormar.Integer(primary_key=True)
|
||||||
|
ident: str = ormar.String(max_length=100, choices=["ACME Ltd", "Other ltd"])
|
||||||
|
priority: int = ormar.Integer(choices=[1, 2, 3, 4, 5])
|
||||||
|
priority2: int = ormar.BigInteger(choices=[1, 2, 3, 4, 5])
|
||||||
|
expire_date: datetime.date = ormar.Date(
|
||||||
|
choices=[datetime.date(2021, 1, 1), datetime.date(2022, 5, 1)]
|
||||||
|
)
|
||||||
|
expire_time: datetime.time = ormar.Time(
|
||||||
|
choices=[datetime.time(10, 0, 0), datetime.time(12, 30)]
|
||||||
|
)
|
||||||
|
|
||||||
|
expire_datetime: datetime.datetime = ormar.DateTime(
|
||||||
|
choices=[
|
||||||
|
datetime.datetime(2021, 1, 1, 10, 0, 0),
|
||||||
|
datetime.datetime(2022, 5, 1, 12, 30),
|
||||||
|
]
|
||||||
|
)
|
||||||
|
random_val: float = ormar.Float(choices=[2.0, 3.5])
|
||||||
|
random_decimal: decimal.Decimal = ormar.Decimal(
|
||||||
|
scale=2, precision=4, choices=[decimal.Decimal(12.4), decimal.Decimal(58.2)]
|
||||||
|
)
|
||||||
|
random_json: pydantic.Json = ormar.JSON(choices=["aa", '{"aa":"bb"}'])
|
||||||
|
random_uuid: uuid.UUID = ormar.UUID(choices=[uuid1, uuid2])
|
||||||
|
enum_string: str = ormar.String(max_length=100, choices=list(TestEnum))
|
||||||
|
|
||||||
|
|
||||||
|
@app.on_event("startup")
|
||||||
|
async def startup() -> None:
|
||||||
|
database_ = app.state.database
|
||||||
|
if not database_.is_connected:
|
||||||
|
await database_.connect()
|
||||||
|
|
||||||
|
|
||||||
|
@app.on_event("shutdown")
|
||||||
|
async def shutdown() -> None:
|
||||||
|
database_ = app.state.database
|
||||||
|
if database_.is_connected:
|
||||||
|
await database_.disconnect()
|
||||||
|
|
||||||
|
|
||||||
|
@pytest.fixture(autouse=True, scope="module")
|
||||||
|
def create_test_database():
|
||||||
|
engine = sqlalchemy.create_engine(DATABASE_URL)
|
||||||
|
metadata.create_all(engine)
|
||||||
|
yield
|
||||||
|
metadata.drop_all(engine)
|
||||||
|
|
||||||
|
|
||||||
|
@app.post("/items/", response_model=Organisation)
|
||||||
|
async def create_item(item: Organisation):
|
||||||
|
await item.save()
|
||||||
|
return item
|
||||||
|
|
||||||
|
|
||||||
|
def test_all_endpoints():
|
||||||
|
client = TestClient(app)
|
||||||
|
with client as client:
|
||||||
|
response = client.post(
|
||||||
|
"/items/",
|
||||||
|
json={"id": 1, "ident": "", "priority": 4, "expire_date": "2022-05-01"},
|
||||||
|
)
|
||||||
|
|
||||||
|
assert response.status_code == 422
|
||||||
|
response = client.post(
|
||||||
|
"/items/",
|
||||||
|
json={
|
||||||
|
"id": 1,
|
||||||
|
"ident": "ACME Ltd",
|
||||||
|
"priority": 4,
|
||||||
|
"priority2": 2,
|
||||||
|
"expire_date": "2022-05-01",
|
||||||
|
"expire_time": "10:00:00",
|
||||||
|
"expire_datetime": "2022-05-01T12:30:00",
|
||||||
|
"random_val": 3.5,
|
||||||
|
"random_decimal": 12.4,
|
||||||
|
"random_json": '{"aa":"bb"}',
|
||||||
|
"random_uuid": str(uuid1),
|
||||||
|
"enum_string": TestEnum.val1.value,
|
||||||
|
},
|
||||||
|
)
|
||||||
|
|
||||||
|
assert response.status_code == 200
|
||||||
|
item = Organisation(**response.json())
|
||||||
|
assert item.pk is not None
|
||||||
|
response = client.get("/docs/")
|
||||||
|
assert response.status_code == 200
|
||||||
|
assert b"<title>FastAPI - Swagger UI</title>" in response.content
|
||||||
|
|
||||||
|
|
||||||
|
def test_schema_modification():
|
||||||
|
schema = Organisation.schema()
|
||||||
|
for field in ["ident", "priority", "expire_date"]:
|
||||||
|
assert field in schema["properties"]
|
||||||
|
assert schema["properties"].get(field).get("enum") == list(
|
||||||
|
Organisation.Meta.model_fields.get(field).choices
|
||||||
|
)
|
||||||
|
assert "An enumeration." in schema["properties"].get(field).get("description")
|
||||||
|
|
||||||
|
|
||||||
|
def test_schema_gen():
|
||||||
|
schema = app.openapi()
|
||||||
|
assert "Organisation" in schema["components"]["schemas"]
|
||||||
|
props = schema["components"]["schemas"]["Organisation"]["properties"]
|
||||||
|
for field in [k for k in Organisation.Meta.model_fields.keys() if k != "id"]:
|
||||||
|
assert "enum" in props.get(field)
|
||||||
|
assert "description" in props.get(field)
|
||||||
|
assert "An enumeration." in props.get(field).get("description")
|
||||||
@ -1,4 +1,4 @@
|
|||||||
from typing import List, Union, Optional
|
from typing import List
|
||||||
|
|
||||||
import databases
|
import databases
|
||||||
import pytest
|
import pytest
|
||||||
|
|||||||
Reference in New Issue
Block a user