Skip to content

Commit 6186ce4

Browse files
Generate resourcemanager
1 parent 23b3304 commit 6186ce4

File tree

3 files changed

+118
-0
lines changed

3 files changed

+118
-0
lines changed

services/resourcemanager/src/stackit/resourcemanager/__init__.py

Lines changed: 4 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -28,6 +28,7 @@
2828
"ApiKeyError",
2929
"ApiAttributeError",
3030
"ApiException",
31+
"ContainerSearchResult",
3132
"CreateFolderPayload",
3233
"CreateProjectPayload",
3334
"ErrorResponse",
@@ -65,6 +66,9 @@
6566
from stackit.resourcemanager.exceptions import OpenApiException as OpenApiException
6667

6768
# import models into sdk package
69+
from stackit.resourcemanager.models.container_search_result import (
70+
ContainerSearchResult as ContainerSearchResult,
71+
)
6872
from stackit.resourcemanager.models.create_folder_payload import (
6973
CreateFolderPayload as CreateFolderPayload,
7074
)

services/resourcemanager/src/stackit/resourcemanager/models/__init__.py

Lines changed: 1 addition & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@
1414

1515

1616
# import models into model package
17+
from stackit.resourcemanager.models.container_search_result import ContainerSearchResult
1718
from stackit.resourcemanager.models.create_folder_payload import CreateFolderPayload
1819
from stackit.resourcemanager.models.create_project_payload import CreateProjectPayload
1920
from stackit.resourcemanager.models.error_response import ErrorResponse
Lines changed: 113 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,113 @@
1+
# coding: utf-8
2+
3+
"""
4+
Resource Manager API
5+
6+
API v2 to manage resource containers - organizations, folders, projects incl. labels ### Resource Management STACKIT resource management handles the terms _Organization_, _Folder_, _Project_, _Label_, and the hierarchical structure between them. Technically, organizations, folders, and projects are _Resource Containers_ to which a _Label_ can be attached to. The STACKIT _Resource Manager_ provides CRUD endpoints to query and to modify the state. ### Organizations STACKIT organizations are the base element to create and to use cloud-resources. An organization is bound to one customer account. Organizations have a lifecycle. - Organizations are always the root node in resource hierarchy and do not have a parent ### Projects STACKIT projects are needed to use cloud-resources. Projects serve as wrapper for underlying technical structures and processes. Projects have a lifecycle. Projects compared to folders may have different policies. - Projects are optional, but mandatory for cloud-resource usage - A project can be created having either an organization, or a folder as parent - A project must not have a project as parent - Project names under the same parent must not be unique - Root organization cannot be changed ### Label STACKIT labels are key-value pairs including a resource container reference. Labels can be defined and attached freely to resource containers by which resources can be organized and queried. - Policy-based, immutable labels may exists
7+
8+
The version of the OpenAPI document: 2.0
9+
Generated by OpenAPI Generator (https://openapi-generator.tech)
10+
11+
Do not edit the class manually.
12+
""" # noqa: E501
13+
14+
from __future__ import annotations
15+
16+
import json
17+
import pprint
18+
from typing import Any, ClassVar, Dict, List, Optional, Set
19+
20+
from pydantic import BaseModel, ConfigDict, Field, StrictStr, field_validator
21+
from typing_extensions import Self
22+
23+
from stackit.resourcemanager.models.lifecycle_state import LifecycleState
24+
25+
26+
class ContainerSearchResult(BaseModel):
27+
"""
28+
ContainerSearchResult
29+
""" # noqa: E501
30+
31+
container_id: StrictStr = Field(description="Globally unique user-friendly identifier.", alias="containerId")
32+
container_type: StrictStr = Field(description="Resource container type.", alias="containerType")
33+
id: StrictStr = Field(description="Globally unique identifier.")
34+
lifecycle_state: Optional[LifecycleState] = Field(default=None, alias="lifecycleState")
35+
name: StrictStr = Field(description="Resource container name.")
36+
organization_id: Optional[StrictStr] = Field(
37+
default=None, description="Id of the organization the container is in.", alias="organizationId"
38+
)
39+
__properties: ClassVar[List[str]] = [
40+
"containerId",
41+
"containerType",
42+
"id",
43+
"lifecycleState",
44+
"name",
45+
"organizationId",
46+
]
47+
48+
@field_validator("container_type")
49+
def container_type_validate_enum(cls, value):
50+
"""Validates the enum"""
51+
if value not in set(["PROJECT", "FOLDER"]):
52+
raise ValueError("must be one of enum values ('PROJECT', 'FOLDER')")
53+
return value
54+
55+
model_config = ConfigDict(
56+
populate_by_name=True,
57+
validate_assignment=True,
58+
protected_namespaces=(),
59+
)
60+
61+
def to_str(self) -> str:
62+
"""Returns the string representation of the model using alias"""
63+
return pprint.pformat(self.model_dump(by_alias=True))
64+
65+
def to_json(self) -> str:
66+
"""Returns the JSON representation of the model using alias"""
67+
# TODO: pydantic v2: use .model_dump_json(by_alias=True, exclude_unset=True) instead
68+
return json.dumps(self.to_dict())
69+
70+
@classmethod
71+
def from_json(cls, json_str: str) -> Optional[Self]:
72+
"""Create an instance of ContainerSearchResult from a JSON string"""
73+
return cls.from_dict(json.loads(json_str))
74+
75+
def to_dict(self) -> Dict[str, Any]:
76+
"""Return the dictionary representation of the model using alias.
77+
78+
This has the following differences from calling pydantic's
79+
`self.model_dump(by_alias=True)`:
80+
81+
* `None` is only added to the output dict for nullable fields that
82+
were set at model initialization. Other fields with value `None`
83+
are ignored.
84+
"""
85+
excluded_fields: Set[str] = set([])
86+
87+
_dict = self.model_dump(
88+
by_alias=True,
89+
exclude=excluded_fields,
90+
exclude_none=True,
91+
)
92+
return _dict
93+
94+
@classmethod
95+
def from_dict(cls, obj: Optional[Dict[str, Any]]) -> Optional[Self]:
96+
"""Create an instance of ContainerSearchResult from a dict"""
97+
if obj is None:
98+
return None
99+
100+
if not isinstance(obj, dict):
101+
return cls.model_validate(obj)
102+
103+
_obj = cls.model_validate(
104+
{
105+
"containerId": obj.get("containerId"),
106+
"containerType": obj.get("containerType"),
107+
"id": obj.get("id"),
108+
"lifecycleState": obj.get("lifecycleState"),
109+
"name": obj.get("name"),
110+
"organizationId": obj.get("organizationId"),
111+
}
112+
)
113+
return _obj

0 commit comments

Comments
 (0)