85 lines
2.2 KiB
Python
85 lines
2.2 KiB
Python
from collections.abc import Mapping
|
|
from typing import Any, TypeVar
|
|
|
|
from attrs import define as _attrs_define
|
|
from attrs import field as _attrs_field
|
|
|
|
T = TypeVar("T", bound="NodeLimitUsage")
|
|
|
|
|
|
@_attrs_define
|
|
class NodeLimitUsage:
|
|
"""Serializer for node used on node stock endpoints.
|
|
|
|
Attributes:
|
|
label (str): Label of related limit.
|
|
count_reserved (int): Number of times this limit has been taken.
|
|
maximum (int): Maximum of times this limit can be taken.
|
|
remaining (int): Number of times left.
|
|
"""
|
|
|
|
label: str
|
|
count_reserved: int
|
|
maximum: int
|
|
remaining: int
|
|
additional_properties: dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
|
|
def to_dict(self) -> dict[str, Any]:
|
|
label = self.label
|
|
|
|
count_reserved = self.count_reserved
|
|
|
|
maximum = self.maximum
|
|
|
|
remaining = self.remaining
|
|
|
|
field_dict: dict[str, Any] = {}
|
|
field_dict.update(self.additional_properties)
|
|
field_dict.update(
|
|
{
|
|
"label": label,
|
|
"count_reserved": count_reserved,
|
|
"maximum": maximum,
|
|
"remaining": remaining,
|
|
}
|
|
)
|
|
|
|
return field_dict
|
|
|
|
@classmethod
|
|
def from_dict(cls: type[T], src_dict: Mapping[str, Any]) -> T:
|
|
d = dict(src_dict)
|
|
label = d.pop("label")
|
|
|
|
count_reserved = d.pop("count_reserved")
|
|
|
|
maximum = d.pop("maximum")
|
|
|
|
remaining = d.pop("remaining")
|
|
|
|
node_limit_usage = cls(
|
|
label=label,
|
|
count_reserved=count_reserved,
|
|
maximum=maximum,
|
|
remaining=remaining,
|
|
)
|
|
|
|
node_limit_usage.additional_properties = d
|
|
return node_limit_usage
|
|
|
|
@property
|
|
def additional_keys(self) -> list[str]:
|
|
return list(self.additional_properties.keys())
|
|
|
|
def __getitem__(self, key: str) -> Any:
|
|
return self.additional_properties[key]
|
|
|
|
def __setitem__(self, key: str, value: Any) -> None:
|
|
self.additional_properties[key] = value
|
|
|
|
def __delitem__(self, key: str) -> None:
|
|
del self.additional_properties[key]
|
|
|
|
def __contains__(self, key: str) -> bool:
|
|
return key in self.additional_properties
|