-
Notifications
You must be signed in to change notification settings - Fork 56
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
✨ Support Pendulum Datetime to pydantic-extra-types (#110)
* [#112] add pendulum dt support * [#112] Add pendulum to testing requirements * ♻️ update requirements * 📝 fix documentation * 🐛 add test case for JSON schema --------- Co-authored-by: Yasser Tahiri <[email protected]>
- Loading branch information
1 parent
2c16086
commit 4f89f75
Showing
7 changed files
with
139 additions
and
6 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,74 @@ | ||
""" | ||
Native Pendulum DateTime object implementation. This is a copy of the Pendulum DateTime object, but with a Pydantic | ||
CoreSchema implementation. This allows Pydantic to validate the DateTime object. | ||
""" | ||
|
||
try: | ||
from pendulum import DateTime as _DateTime | ||
from pendulum import parse | ||
except ModuleNotFoundError: # pragma: no cover | ||
raise RuntimeError( | ||
'The `pendulum_dt` module requires "pendulum" to be installed. You can install it with "pip install pendulum".' | ||
) | ||
from typing import Any, List, Type | ||
|
||
from pydantic import GetCoreSchemaHandler | ||
from pydantic_core import PydanticCustomError, core_schema | ||
|
||
|
||
class DateTime(_DateTime): | ||
""" | ||
A `pendulum.DateTime` object. At runtime, this type decomposes into pendulum.DateTime automatically. | ||
This type exists because Pydantic throws a fit on unknown types. | ||
```python | ||
from pydantic import BaseModel | ||
from pydantic_extra_types.pendulum_dt import DateTime | ||
class test_model(BaseModel): | ||
dt: DateTime | ||
print(test_model(dt='2021-01-01T00:00:00+00:00')) | ||
#> test_model(dt=DateTime(2021, 1, 1, 0, 0, 0, tzinfo=FixedTimezone(0, name="+00:00"))) | ||
``` | ||
""" | ||
|
||
__slots__: List[str] = [] | ||
|
||
@classmethod | ||
def __get_pydantic_core_schema__(cls, source: Type[Any], handler: GetCoreSchemaHandler) -> core_schema.CoreSchema: | ||
""" | ||
Return a Pydantic CoreSchema with the Datetime validation | ||
Args: | ||
source: The source type to be converted. | ||
handler: The handler to get the CoreSchema. | ||
Returns: | ||
A Pydantic CoreSchema with the Datetime validation. | ||
""" | ||
return core_schema.no_info_wrap_validator_function(cls._validate, core_schema.datetime_schema()) | ||
|
||
@classmethod | ||
def _validate(cls, value: Any, handler: core_schema.ValidatorFunctionWrapHandler) -> Any: | ||
""" | ||
Validate the datetime object and return it. | ||
Args: | ||
value: The value to validate. | ||
handler: The handler to get the CoreSchema. | ||
Returns: | ||
The validated value or raises a PydanticCustomError. | ||
""" | ||
# if we are passed an existing instance, pass it straight through. | ||
if isinstance(value, _DateTime): | ||
return handler(value) | ||
|
||
# otherwise, parse it. | ||
try: | ||
data = parse(value) | ||
except Exception as exc: | ||
raise PydanticCustomError('value_error', 'value is not a valid timestamp') from exc | ||
return handler(data) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,39 @@ | ||
import pendulum | ||
import pytest | ||
from pydantic import BaseModel, ValidationError | ||
|
||
from pydantic_extra_types.pendulum_dt import DateTime | ||
|
||
|
||
class Model(BaseModel): | ||
dt: DateTime | ||
|
||
|
||
def test_pendulum_dt_existing_instance(): | ||
""" | ||
Verifies that constructing a model with an existing pendulum dt doesn't throw. | ||
""" | ||
now = pendulum.now() | ||
model = Model(dt=now) | ||
assert model.dt == now | ||
|
||
|
||
@pytest.mark.parametrize( | ||
'dt', [pendulum.now().to_iso8601_string(), pendulum.now().to_w3c_string(), pendulum.now().to_iso8601_string()] | ||
) | ||
def test_pendulum_dt_from_serialized(dt): | ||
""" | ||
Verifies that building an instance from serialized, well-formed strings decode properly. | ||
""" | ||
dt_actual = pendulum.parse(dt) | ||
model = Model(dt=dt) | ||
assert model.dt == dt_actual | ||
|
||
|
||
@pytest.mark.parametrize('dt', [None, 'malformed', pendulum.now().to_iso8601_string()[:5], 42]) | ||
def test_pendulum_dt_malformed(dt): | ||
""" | ||
Verifies that the instance fails to validate if malformed dt are passed. | ||
""" | ||
with pytest.raises(ValidationError): | ||
Model(dt=dt) |