python-datamodel


Namepython-datamodel JSON
Version 0.6.24 PyPI version JSON
download
home_pagehttps://github.com/phenobarbital/python-datamodel
Summarysimple library based on python +3.8 to use Dataclass-syntaxfor interacting with Data
upload_time2024-03-27 00:38:59
maintainerNone
docs_urlNone
authorJesus Lara
requires_python>=3.9.13
licenseBSD
keywords asyncio dataclass dataclasses data models
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # DataModel
DataModel is a simple library based on python +3.8 to use Dataclass-syntax for interacting with
Data, using the same syntax of Dataclass, users can write Python Objects
and work with Data in the same way (like ORM's), is a reimplementation of python Dataclasses supporting true inheritance (without decorators), true composition and other good features.

The key features are:
* **Easy to use**: No more using decorators, concerns abour re-ordering attributes or common problems with using dataclasses with inheritance.
* **Extensibility**: Can use other dataclasses, Data objects or primitives as data-types.
* **Fast**: DataModel is a replacement 100% full compatible with dataclasses, without any overhead.



## Requirements

Python 3.8+

## Installation

<div class="termy">

```console
$ pip install python-datamodel
---> 100%
Successfully installed datamodel
```


</div>

## Quickstart


```python

from datamodel import Field, BaseModel
from dataclasses import dataclass, fields, is_dataclass


# This pure Dataclass:
@dataclass
class Point:
    x: int = Field(default=0, min=0, max=10)
    y: int = Field(default=0, min=0, max=10)

point = Point(x=10, y=10)
print(point)
print(fields(point))
print('IS a Dataclass?: ', is_dataclass(point))

# Can be represented by BaseModel
class newPoint(BaseModel):
    x: int = Field(default=0, min=0, max=10)
    y: int = Field(default=0, min=0, max=10)

    def get_coordinate(self):
        return (self.x, self.y)

point = newPoint(x=10, y=10)
print(point)
print(fields(point))
print('IS a Dataclass?: ', is_dataclass(point))
print(point.get_coordinate())
```
## Supported types

DataModel support recursive transformation of fields, so you can easily work with nested dataclasses or complex types.

DataModel supports automatic conversion of:

- [datetime](https://docs.python.org/3/library/datetime.html#available-types)
objects. `datetime` objects are encoded to str exactly like orjson conversion, any str typed as datetime is decoded to datetime.
The same behavior is used to decoding time, date and timedelta objects.

- [UUID](https://docs.python.org/3/library/uuid.html#uuid.UUID) objects. They
are encoded as `str` (JSON string) and decoded back to uuid.UUID objects.

- [Decimal](https://docs.python.org/3/library/decimal.html) objects. They are
also encoded as `float` and decoded back to Decimal.

Also, "custom" encoders are supported.

```python

import uuid
from typing import (
    List,
    Optional,
    Union
)
from dataclasses import dataclass, field
from datamodel import BaseModel, Field

@dataclass
class Point:
    x: int = Field(default=0, min=0, max=10)
    y: int = Field(default=0, min=0, max=10)

class coordinate(BaseModel, intSum):
    latitude: float
    longitude: float

    def get_location(self) -> tuple:
        return (self.latitude, self.longitude)

def auto_uid():
    return uuid.uuid4()

def default_rect():
    return [0,0,0,0]

def valid_zipcode(field, value):
    return value > 1000

class Address(BaseModel):
    id: uuid.UUID = field(default_factory=auto_uid)
    street: str = Field(required=True)
    zipcode: int = Field(required=False, default=1010, validator=valid_zipcode)
    location: Optional[coordinate]
    box: List[Optional[Point]]
    rect: List[int] = Field(factory=default_rect)


addr = Address(street="Calle Mayor", location=(18.1, 22.1), zipcode=3021, box=[(2, 10), (4, 8)], rect=[1, 2, 3, 4])
print('IS a Dataclass?: ', is_dataclass(addr))

print(addr.location.get_location())
```
```console
# returns
Address(id=UUID('24b34dd5-8d35-4cfd-8916-7876b28cdae3'), street='Calle Mayor', zipcode=3021, location=coordinate(latitude=18.1, longitude=22.1), box=[Point(x=2, y=10), Point(x=4, y=8)], rect=[1, 2, 3, 4])
```

* Fast and convenience conversion from-to JSON (using orjson):

```python
import orjson

b = addr.json()
print(b)
```
```console
{"id":"24b34dd5-8d35-4cfd-8916-7876b28cdae3","street":"Calle Mayor","zipcode":3021,"location":{"latitude":18.1,"longitude":22.1}, "box":[{"x":2,"y":10},{"x":4,"y":8}],"rect":[1,2,3,4]}
```

```python
# and re-imported from json
new_addr = Address.from_json(b) # load directly from json string
# or using a dictionary decoded by orjson
data = orjson.loads(b)
new_addr = Address(**data)

```

## Inheritance

python-datamodel supports inheritance of classes.

```python
import uuid
from typing import Union, List
from dataclasses import dataclass, field
from datamodel import BaseModel, Column, Field


def auto_uid():
    return uuid.uuid4()

class User(BaseModel):
    id: uuid.UUID = field(default_factory=auto_uid)
    name: str
    first_name: str
    last_name: str


@dataclass
class Address:
    street: str
    city: str
    state: str
    zipcode: str
    country: Optional[str] = 'US'

    def __str__(self) -> str:
        """Provides pretty response of address"""
        lines = [self.street]
        lines.append(f"{self.city}, {self.zipcode} {self.state}")
        lines.append(f"{self.country}")
        return "\n".join(lines)

class Employee(User):
    """
    Base Employee.
    """
    role: str
    address: Address # composition of a dataclass inside of DataModel is possible.

# Supporting multiple inheritance and composition
# Wage Policies
class MonthlySalary(BaseModel):
    salary: Union[float, int]

    def calculate_payroll(self) -> Union[float, int]:
        return self.salary

class HourlySalary(BaseModel):
    salary: Union[float, int] = Field(default=0)
    hours_worked: Union[float, int] = Field(default=0)

    def calculate_payroll(self) -> Union[float, int]:
        return (self.hours_worked * self.salary)

# employee types
class Secretary(Employee, MonthlySalary):
    """Secretary.

    Person with montly salary policy and no commissions.
    """
    role: str = 'Secretary'

class FactoryWorker(Employee, HourlySalary):
    """
    FactoryWorker is an employee with hourly salary policy and no commissions.
    """
    role: str = 'Factory Worker'

class PayrollSystem:
    def calculate_payroll(self, employees: List[dataclass]) -> None:
        print('=== Calculating Payroll === ')
        for employee in employees:
            print(f"Payroll for employee {employee.id} - {employee.name}")
            print(f"- {employee.role} Amount: {employee.calculate_payroll()}")
            if employee.address:
                print('- Sent to:')
                print(employee.address)
            print("")

jane = Secretary(name='Jane Doe', first_name='Jane', last_name='Doe', salary=1500)
bob = FactoryWorker(name='Bob Doyle', first_name='Bob', last_name='Doyle', salary=15, hours_worked=40)
mitch = FactoryWorker(name='Mitch Brian', first_name='Mitch', last_name='Brian', salary=20, hours_worked=35)

payroll = PayrollSystem()
payroll.calculate_payroll([jane, bob, mitch])
```
A sample of output:
```
```console
=== Calculating Payroll ===
Payroll for employee 745a2623-d4d2-4da6-bf0a-1fa691bafd33 - Jane Doe
- Secretary Amount: 1500
- Sent to:
Rodeo Drive, Rd
Los Angeles, 31050 CA
US
```
## Contributing

First of all, thank you for being interested in contributing to this library.
I really appreciate you taking the time to work on this project.

- If you're just interested in getting into the code, a good place to start are
issues tagged as bugs.
- If introducing a new feature, especially one that modifies the public API,
consider submitting an issue for discussion before a PR. Please also take a look
at existing issues / PRs to see what you're proposing has  already been covered
before / exists.
- I like to follow the commit conventions documented [here](https://www.conventionalcommits.org/en/v1.0.0/#summary)

## License

This project is licensed under the terms of the BSD v3. license.

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/phenobarbital/python-datamodel",
    "name": "python-datamodel",
    "maintainer": null,
    "docs_url": null,
    "requires_python": ">=3.9.13",
    "maintainer_email": null,
    "keywords": "asyncio, dataclass, dataclasses, data models",
    "author": "Jesus Lara",
    "author_email": "jesuslarag@gmail.com",
    "download_url": null,
    "platform": "any",
    "description": "# DataModel\nDataModel is a simple library based on python +3.8 to use Dataclass-syntax for interacting with\nData, using the same syntax of Dataclass, users can write Python Objects\nand work with Data in the same way (like ORM's), is a reimplementation of python Dataclasses supporting true inheritance (without decorators), true composition and other good features.\n\nThe key features are:\n* **Easy to use**: No more using decorators, concerns abour re-ordering attributes or common problems with using dataclasses with inheritance.\n* **Extensibility**: Can use other dataclasses, Data objects or primitives as data-types.\n* **Fast**: DataModel is a replacement 100% full compatible with dataclasses, without any overhead.\n\n\n\n## Requirements\n\nPython 3.8+\n\n## Installation\n\n<div class=\"termy\">\n\n```console\n$ pip install python-datamodel\n---> 100%\nSuccessfully installed datamodel\n```\n\n\n</div>\n\n## Quickstart\n\n\n```python\n\nfrom datamodel import Field, BaseModel\nfrom dataclasses import dataclass, fields, is_dataclass\n\n\n# This pure Dataclass:\n@dataclass\nclass Point:\n    x: int = Field(default=0, min=0, max=10)\n    y: int = Field(default=0, min=0, max=10)\n\npoint = Point(x=10, y=10)\nprint(point)\nprint(fields(point))\nprint('IS a Dataclass?: ', is_dataclass(point))\n\n# Can be represented by BaseModel\nclass newPoint(BaseModel):\n    x: int = Field(default=0, min=0, max=10)\n    y: int = Field(default=0, min=0, max=10)\n\n    def get_coordinate(self):\n        return (self.x, self.y)\n\npoint = newPoint(x=10, y=10)\nprint(point)\nprint(fields(point))\nprint('IS a Dataclass?: ', is_dataclass(point))\nprint(point.get_coordinate())\n```\n## Supported types\n\nDataModel support recursive transformation of fields, so you can easily work with nested dataclasses or complex types.\n\nDataModel supports automatic conversion of:\n\n- [datetime](https://docs.python.org/3/library/datetime.html#available-types)\nobjects. `datetime` objects are encoded to str exactly like orjson conversion, any str typed as datetime is decoded to datetime.\nThe same behavior is used to decoding time, date and timedelta objects.\n\n- [UUID](https://docs.python.org/3/library/uuid.html#uuid.UUID) objects. They\nare encoded as `str` (JSON string) and decoded back to uuid.UUID objects.\n\n- [Decimal](https://docs.python.org/3/library/decimal.html) objects. They are\nalso encoded as `float` and decoded back to Decimal.\n\nAlso, \"custom\" encoders are supported.\n\n```python\n\nimport uuid\nfrom typing import (\n    List,\n    Optional,\n    Union\n)\nfrom dataclasses import dataclass, field\nfrom datamodel import BaseModel, Field\n\n@dataclass\nclass Point:\n    x: int = Field(default=0, min=0, max=10)\n    y: int = Field(default=0, min=0, max=10)\n\nclass coordinate(BaseModel, intSum):\n    latitude: float\n    longitude: float\n\n    def get_location(self) -> tuple:\n        return (self.latitude, self.longitude)\n\ndef auto_uid():\n    return uuid.uuid4()\n\ndef default_rect():\n    return [0,0,0,0]\n\ndef valid_zipcode(field, value):\n    return value > 1000\n\nclass Address(BaseModel):\n    id: uuid.UUID = field(default_factory=auto_uid)\n    street: str = Field(required=True)\n    zipcode: int = Field(required=False, default=1010, validator=valid_zipcode)\n    location: Optional[coordinate]\n    box: List[Optional[Point]]\n    rect: List[int] = Field(factory=default_rect)\n\n\naddr = Address(street=\"Calle Mayor\", location=(18.1, 22.1), zipcode=3021, box=[(2, 10), (4, 8)], rect=[1, 2, 3, 4])\nprint('IS a Dataclass?: ', is_dataclass(addr))\n\nprint(addr.location.get_location())\n```\n```console\n# returns\nAddress(id=UUID('24b34dd5-8d35-4cfd-8916-7876b28cdae3'), street='Calle Mayor', zipcode=3021, location=coordinate(latitude=18.1, longitude=22.1), box=[Point(x=2, y=10), Point(x=4, y=8)], rect=[1, 2, 3, 4])\n```\n\n* Fast and convenience conversion from-to JSON (using orjson):\n\n```python\nimport orjson\n\nb = addr.json()\nprint(b)\n```\n```console\n{\"id\":\"24b34dd5-8d35-4cfd-8916-7876b28cdae3\",\"street\":\"Calle Mayor\",\"zipcode\":3021,\"location\":{\"latitude\":18.1,\"longitude\":22.1}, \"box\":[{\"x\":2,\"y\":10},{\"x\":4,\"y\":8}],\"rect\":[1,2,3,4]}\n```\n\n```python\n# and re-imported from json\nnew_addr = Address.from_json(b) # load directly from json string\n# or using a dictionary decoded by orjson\ndata = orjson.loads(b)\nnew_addr = Address(**data)\n\n```\n\n## Inheritance\n\npython-datamodel supports inheritance of classes.\n\n```python\nimport uuid\nfrom typing import Union, List\nfrom dataclasses import dataclass, field\nfrom datamodel import BaseModel, Column, Field\n\n\ndef auto_uid():\n    return uuid.uuid4()\n\nclass User(BaseModel):\n    id: uuid.UUID = field(default_factory=auto_uid)\n    name: str\n    first_name: str\n    last_name: str\n\n\n@dataclass\nclass Address:\n    street: str\n    city: str\n    state: str\n    zipcode: str\n    country: Optional[str] = 'US'\n\n    def __str__(self) -> str:\n        \"\"\"Provides pretty response of address\"\"\"\n        lines = [self.street]\n        lines.append(f\"{self.city}, {self.zipcode} {self.state}\")\n        lines.append(f\"{self.country}\")\n        return \"\\n\".join(lines)\n\nclass Employee(User):\n    \"\"\"\n    Base Employee.\n    \"\"\"\n    role: str\n    address: Address # composition of a dataclass inside of DataModel is possible.\n\n# Supporting multiple inheritance and composition\n# Wage Policies\nclass MonthlySalary(BaseModel):\n    salary: Union[float, int]\n\n    def calculate_payroll(self) -> Union[float, int]:\n        return self.salary\n\nclass HourlySalary(BaseModel):\n    salary: Union[float, int] = Field(default=0)\n    hours_worked: Union[float, int] = Field(default=0)\n\n    def calculate_payroll(self) -> Union[float, int]:\n        return (self.hours_worked * self.salary)\n\n# employee types\nclass Secretary(Employee, MonthlySalary):\n    \"\"\"Secretary.\n\n    Person with montly salary policy and no commissions.\n    \"\"\"\n    role: str = 'Secretary'\n\nclass FactoryWorker(Employee, HourlySalary):\n    \"\"\"\n    FactoryWorker is an employee with hourly salary policy and no commissions.\n    \"\"\"\n    role: str = 'Factory Worker'\n\nclass PayrollSystem:\n    def calculate_payroll(self, employees: List[dataclass]) -> None:\n        print('=== Calculating Payroll === ')\n        for employee in employees:\n            print(f\"Payroll for employee {employee.id} - {employee.name}\")\n            print(f\"- {employee.role} Amount: {employee.calculate_payroll()}\")\n            if employee.address:\n                print('- Sent to:')\n                print(employee.address)\n            print(\"\")\n\njane = Secretary(name='Jane Doe', first_name='Jane', last_name='Doe', salary=1500)\nbob = FactoryWorker(name='Bob Doyle', first_name='Bob', last_name='Doyle', salary=15, hours_worked=40)\nmitch = FactoryWorker(name='Mitch Brian', first_name='Mitch', last_name='Brian', salary=20, hours_worked=35)\n\npayroll = PayrollSystem()\npayroll.calculate_payroll([jane, bob, mitch])\n```\nA sample of output:\n```\n```console\n=== Calculating Payroll ===\nPayroll for employee 745a2623-d4d2-4da6-bf0a-1fa691bafd33 - Jane Doe\n- Secretary Amount: 1500\n- Sent to:\nRodeo Drive, Rd\nLos Angeles, 31050 CA\nUS\n```\n## Contributing\n\nFirst of all, thank you for being interested in contributing to this library.\nI really appreciate you taking the time to work on this project.\n\n- If you're just interested in getting into the code, a good place to start are\nissues tagged as bugs.\n- If introducing a new feature, especially one that modifies the public API,\nconsider submitting an issue for discussion before a PR. Please also take a look\nat existing issues / PRs to see what you're proposing has  already been covered\nbefore / exists.\n- I like to follow the commit conventions documented [here](https://www.conventionalcommits.org/en/v1.0.0/#summary)\n\n## License\n\nThis project is licensed under the terms of the BSD v3. license.\n",
    "bugtrack_url": null,
    "license": "BSD",
    "summary": "simple library based on python +3.8 to use Dataclass-syntaxfor interacting with Data",
    "version": "0.6.24",
    "project_urls": {
        "Funding": "https://paypal.me/phenobarbital",
        "Homepage": "https://github.com/phenobarbital/python-datamodel",
        "Say Thanks!": "https://saythanks.io/to/phenobarbital",
        "Source": "https://github.com/phenobarbital/datamodels"
    },
    "split_keywords": [
        "asyncio",
        " dataclass",
        " dataclasses",
        " data models"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b77586684046e997729fc5a1f279764539b66b9223072df1c4a57177739b4ce8",
                "md5": "7772c59e927a60fcc91dbcd83d78b739",
                "sha256": "970a4a23b7d6e36f0ef228d1c6a97e6de162ea6d514d723d52e62ace7c2d344f"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7772c59e927a60fcc91dbcd83d78b739",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.9.13",
            "size": 2171865,
            "upload_time": "2024-03-27T00:38:59",
            "upload_time_iso_8601": "2024-03-27T00:38:59.813027Z",
            "url": "https://files.pythonhosted.org/packages/b7/75/86684046e997729fc5a1f279764539b66b9223072df1c4a57177739b4ce8/python_datamodel-0.6.24-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "15ef2d397637ff6faafe818ec9a8c77e8fa9940c0eab5477a1461573d0172c60",
                "md5": "d39923d4ae424e18d3bc8f2af64a8775",
                "sha256": "9ed396c69ce37b0b7bd4ad131d7de9d58fde94d674c3fc3f33250e521507817b"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "d39923d4ae424e18d3bc8f2af64a8775",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": ">=3.9.13",
            "size": 880393,
            "upload_time": "2024-03-27T00:39:10",
            "upload_time_iso_8601": "2024-03-27T00:39:10.834970Z",
            "url": "https://files.pythonhosted.org/packages/15/ef/2d397637ff6faafe818ec9a8c77e8fa9940c0eab5477a1461573d0172c60/python_datamodel-0.6.24-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "1434ef82c6c51727bcd728e4b5d06e21c24105a41c9f20e85616bba9bd414ba6",
                "md5": "8c20f05e8762f6765a4a434ee9b6bb68",
                "sha256": "09fbe7f34ab3b0672831ad08c830c6ab423c25987cb515f13ac934e86a58ccec"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "8c20f05e8762f6765a4a434ee9b6bb68",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.9.13",
            "size": 2290672,
            "upload_time": "2024-03-27T00:39:03",
            "upload_time_iso_8601": "2024-03-27T00:39:03.428714Z",
            "url": "https://files.pythonhosted.org/packages/14/34/ef82c6c51727bcd728e4b5d06e21c24105a41c9f20e85616bba9bd414ba6/python_datamodel-0.6.24-cp311-cp311-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "7aa57dd1943055679c6501bea4d05e1dc4994a6ca1e31a8f2430283660f33482",
                "md5": "3bc5693f2ba98f7247edc084a1601f0d",
                "sha256": "084c3643bb2393eba07ff0dd76b6735bdfca68d57a63df9d2495fae018490143"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp311-cp311-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "3bc5693f2ba98f7247edc084a1601f0d",
            "packagetype": "bdist_wheel",
            "python_version": "cp311",
            "requires_python": ">=3.9.13",
            "size": 881998,
            "upload_time": "2024-03-27T00:39:13",
            "upload_time_iso_8601": "2024-03-27T00:39:13.090756Z",
            "url": "https://files.pythonhosted.org/packages/7a/a5/7dd1943055679c6501bea4d05e1dc4994a6ca1e31a8f2430283660f33482/python_datamodel-0.6.24-cp311-cp311-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "3b123955f31b40d57d33cc21bd9bb99fe4506c84ee01113be1291c572548ab4e",
                "md5": "272e5a0c5cf18ac1dfa619e408380f3f",
                "sha256": "149747c543ac0d3c925c58de73b8570cbd35026190bed149a6622c955c6a5a35"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "272e5a0c5cf18ac1dfa619e408380f3f",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.9.13",
            "size": 2441801,
            "upload_time": "2024-03-27T00:39:05",
            "upload_time_iso_8601": "2024-03-27T00:39:05.841275Z",
            "url": "https://files.pythonhosted.org/packages/3b/12/3955f31b40d57d33cc21bd9bb99fe4506c84ee01113be1291c572548ab4e/python_datamodel-0.6.24-cp312-cp312-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "26b3fbdff6c61326a9eba4d975d153a8c790d5682d2db580842f6073a0d43738",
                "md5": "89afdf370598b77fe6e3f5c21c9eb35d",
                "sha256": "1c367dc9f9043039d8c8e67315ad6cb4a94ae6118e1e2deeb1796a3db2c2d810"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp312-cp312-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "89afdf370598b77fe6e3f5c21c9eb35d",
            "packagetype": "bdist_wheel",
            "python_version": "cp312",
            "requires_python": ">=3.9.13",
            "size": 876078,
            "upload_time": "2024-03-27T00:39:14",
            "upload_time_iso_8601": "2024-03-27T00:39:14.646793Z",
            "url": "https://files.pythonhosted.org/packages/26/b3/fbdff6c61326a9eba4d975d153a8c790d5682d2db580842f6073a0d43738/python_datamodel-0.6.24-cp312-cp312-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "9207c78196af7b7bcbb0b78fa1f5d0ad2d4203ff3345dd67dbd607092ca09e49",
                "md5": "5fab062658ae1fa2b0f6da2bda5cf91d",
                "sha256": "cd9f64de3d2fb5112ad85861a2d20c448bed4015115b7e297d601e47d9f79bf9"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "5fab062658ae1fa2b0f6da2bda5cf91d",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.9.13",
            "size": 2175668,
            "upload_time": "2024-03-27T00:39:08",
            "upload_time_iso_8601": "2024-03-27T00:39:08.135876Z",
            "url": "https://files.pythonhosted.org/packages/92/07/c78196af7b7bcbb0b78fa1f5d0ad2d4203ff3345dd67dbd607092ca09e49/python_datamodel-0.6.24-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "1c6edfdac7176137b63f32e1de3e309c484ff15985ca3acb0de3f9c163d52f47",
                "md5": "f98eccdb43847621053d66ceb0dd3910",
                "sha256": "5d4ce86d549690f94ea3b6534c954a5821559b7d0a273b7099b4c1ef10b82d45"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "f98eccdb43847621053d66ceb0dd3910",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": ">=3.9.13",
            "size": 882046,
            "upload_time": "2024-03-27T00:39:16",
            "upload_time_iso_8601": "2024-03-27T00:39:16.262378Z",
            "url": "https://files.pythonhosted.org/packages/1c/6e/dfdac7176137b63f32e1de3e309c484ff15985ca3acb0de3f9c163d52f47/python_datamodel-0.6.24-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "fd294d8bc449dbe38b4f43574b596a82e172ed5f53bd54305d5fcca4ee1230df",
                "md5": "9afe742e6c7997fe48ea4e858cef99bd",
                "sha256": "540fae363d5efb1c033bd2c7582e732c806ead09943795eba1234ab4c7c49dda"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-pp310-pypy310_pp73-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "9afe742e6c7997fe48ea4e858cef99bd",
            "packagetype": "bdist_wheel",
            "python_version": "pp310",
            "requires_python": ">=3.9.13",
            "size": 831632,
            "upload_time": "2024-03-27T00:39:17",
            "upload_time_iso_8601": "2024-03-27T00:39:17.826030Z",
            "url": "https://files.pythonhosted.org/packages/fd/29/4d8bc449dbe38b4f43574b596a82e172ed5f53bd54305d5fcca4ee1230df/python_datamodel-0.6.24-pp310-pypy310_pp73-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "b979f3efcea886603194c0e2a69e57187a89a95bf7d92cfb823cc139ba388f01",
                "md5": "0f1722a8811b75c063497a52c5b157e0",
                "sha256": "c6e0c9443a4c1b576918efb65c657bed8f6f07eb6d2424f5c1170853327a427d"
            },
            "downloads": -1,
            "filename": "python_datamodel-0.6.24-pp39-pypy39_pp73-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "0f1722a8811b75c063497a52c5b157e0",
            "packagetype": "bdist_wheel",
            "python_version": "pp39",
            "requires_python": ">=3.9.13",
            "size": 831367,
            "upload_time": "2024-03-27T00:39:19",
            "upload_time_iso_8601": "2024-03-27T00:39:19.532351Z",
            "url": "https://files.pythonhosted.org/packages/b9/79/f3efcea886603194c0e2a69e57187a89a95bf7d92cfb823cc139ba388f01/python_datamodel-0.6.24-pp39-pypy39_pp73-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2024-03-27 00:38:59",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "phenobarbital",
    "github_project": "python-datamodel",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "tox": true,
    "lcname": "python-datamodel"
}
        
Elapsed time: 0.23151s