109 lines
2.6 KiB
Python
109 lines
2.6 KiB
Python
from __future__ import annotations
|
|
|
|
from collections.abc import Mapping
|
|
from typing import Any, TypeVar, BinaryIO, TextIO, TYPE_CHECKING, Generator
|
|
|
|
from attrs import define as _attrs_define
|
|
from attrs import field as _attrs_field
|
|
|
|
from ..types import UNSET, Unset
|
|
|
|
from ..types import UNSET, Unset
|
|
from typing import cast
|
|
|
|
|
|
|
|
|
|
|
|
|
|
T = TypeVar("T", bound="CurrentUserResponse")
|
|
|
|
|
|
|
|
@_attrs_define
|
|
class CurrentUserResponse:
|
|
""" Current user response
|
|
|
|
Attributes:
|
|
id (int): Identity ID Example: 1.
|
|
login (str): Identity login Example: admin.
|
|
display_name (None | str | Unset): Display name Example: Administrator.
|
|
"""
|
|
|
|
id: int
|
|
login: str
|
|
display_name: None | str | Unset = UNSET
|
|
additional_properties: dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
|
|
|
|
|
|
|
|
|
|
def to_dict(self) -> dict[str, Any]:
|
|
id = self.id
|
|
|
|
login = self.login
|
|
|
|
display_name: None | str | Unset
|
|
if isinstance(self.display_name, Unset):
|
|
display_name = UNSET
|
|
else:
|
|
display_name = self.display_name
|
|
|
|
|
|
field_dict: dict[str, Any] = {}
|
|
field_dict.update(self.additional_properties)
|
|
field_dict.update({
|
|
"id": id,
|
|
"login": login,
|
|
})
|
|
if display_name is not UNSET:
|
|
field_dict["display_name"] = display_name
|
|
|
|
return field_dict
|
|
|
|
|
|
|
|
@classmethod
|
|
def from_dict(cls: type[T], src_dict: Mapping[str, Any]) -> T:
|
|
d = dict(src_dict)
|
|
id = d.pop("id")
|
|
|
|
login = d.pop("login")
|
|
|
|
def _parse_display_name(data: object) -> None | str | Unset:
|
|
if data is None:
|
|
return data
|
|
if isinstance(data, Unset):
|
|
return data
|
|
return cast(None | str | Unset, data)
|
|
|
|
display_name = _parse_display_name(d.pop("display_name", UNSET))
|
|
|
|
|
|
current_user_response = cls(
|
|
id=id,
|
|
login=login,
|
|
display_name=display_name,
|
|
)
|
|
|
|
|
|
current_user_response.additional_properties = d
|
|
return current_user_response
|
|
|
|
@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
|