Pydantic,允许解析属性或将属性传递给构造函数,但要使其不可变

2024-06-07 19:11:26 发布

您现在位置:Python中文网/ 问答频道 /正文

我试图建立一个Pydantic模型,它在很大程度上是可变的,但我希望有一个成员是不可变的

型号

# Built In
from datetime import datetime

# 3rd Party
from pydantic import BaseModel
from pydantic import Field # https://pydantic-docs.helpmanual.io/usage/schema/#field-customisation

class Processor(BaseModel):
    """ Pydantic model for a Processor object within the database. """
    class Config:
        """
        Model Configuration: https://pydantic-docs.helpmanual.io/usage/model_config/
        """
        extra = 'forbid'
        allow_mutation = True # This allows mutation, cool
        validate_assignment = True
        underscore_attrs_are_private = True
    model: str
    created_at: str = Field(default_factory=datetime.utcnow().isoformat) # I want to make sure that this can be passed but not assignable
    updated_at: str
    version: int = 0
    expires: Optional[int] = None

我的目标是允许从对象(或默认对象)解析created_at,但防止在创建模型后分配它

示例

example_object = {
    "model": "foobar_model",
    "created_at": "2020-12-22T15:35:06.262454+00:00",
    "updated_at": "2020-12-22T15:35:06.262454+00:00",
    "version": 2,
    "expires": None
}
processor = Processor.parse_obj(example_object)
processor.version = 3 # This should be allowed
processor.created_at = datetime.utcnow().isoformat() # This I want to fail

相关但不是我要找的-GitHub:Is there a way to have a single field be static and immutable with pydantic


我最终通过以下问题的答案解决了这个问题: https://github.com/samuelcolvin/pydantic/issues/2217


Tags: tofromhttpsimporttruedatetimemodelobject
1条回答
网友
1楼 · 发布于 2024-06-07 19:11:26

以下操作不起作用:

可以将私有属性与属性装饰器结合使用。“模型”字段中不包括“私有”属性,但可以通过属性访问该属性

from pydantic import BaseModel, PrivateAttr


class Processor(BaseModel):
    """ Pydantic model for a Processor object within the database. """
    class Config:
        """
        Model Configuration: https://pydantic-docs.helpmanual.io/usage/model_config/
        """
        extra = 'forbid'
        allow_mutation = True # This allows mutation, cool
        validate_assignment = True
        underscore_attrs_are_private = True
    model: str
    _created_at: str = PrivateAttr(default_factory=datetime.utcnow().isoformat)
    _is_date_set: bool = PrivateAttr(default_factory=lambda: False)
    updated_at: str
    version: int = 0
    expires: Optional[int] = None

    @property
    def created_at(self):
        return self._created_at

    @create_at.setter
    def created_at(self, val):
        if self._is_date_set:
            raise AttributeError('The created_at attribute has already been set')
        self._is_date_set = True
        self._created_at = x

相关问题 更多 >

    热门问题