windmill-api 1.541.1__py3-none-any.whl → 1.542.0__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
Potentially problematic release.
This version of windmill-api might be problematic. Click here for more details.
- windmill_api/api/job/get_queue_position.py +166 -0
- windmill_api/api/job/get_scheduled_for.py +160 -0
- windmill_api/api/workspace/create_workspace_fork.py +96 -0
- windmill_api/models/create_workspace_fork.py +90 -0
- windmill_api/models/create_workspace_fork_json_body.py +90 -0
- windmill_api/models/get_queue_position_response_200.py +58 -0
- windmill_api/models/invite_user_json_body.py +11 -1
- windmill_api/models/list_pending_invites_response_200_item.py +11 -1
- windmill_api/models/list_user_workspaces_response_200_workspaces_item.py +17 -0
- windmill_api/models/list_workspace_invites_response_200_item.py +11 -1
- windmill_api/models/list_workspaces_as_super_admin_response_200_item.py +8 -0
- windmill_api/models/list_workspaces_response_200_item.py +8 -0
- windmill_api/models/user_workspace_list_workspaces_item.py +17 -0
- windmill_api/models/workspace.py +8 -0
- windmill_api/models/workspace_invite.py +11 -1
- {windmill_api-1.541.1.dist-info → windmill_api-1.542.0.dist-info}/METADATA +1 -1
- {windmill_api-1.541.1.dist-info → windmill_api-1.542.0.dist-info}/RECORD +19 -13
- {windmill_api-1.541.1.dist-info → windmill_api-1.542.0.dist-info}/LICENSE +0 -0
- {windmill_api-1.541.1.dist-info → windmill_api-1.542.0.dist-info}/WHEEL +0 -0
|
@@ -0,0 +1,166 @@
|
|
|
1
|
+
from http import HTTPStatus
|
|
2
|
+
from typing import Any, Dict, Optional, Union
|
|
3
|
+
|
|
4
|
+
import httpx
|
|
5
|
+
|
|
6
|
+
from ... import errors
|
|
7
|
+
from ...client import AuthenticatedClient, Client
|
|
8
|
+
from ...models.get_queue_position_response_200 import GetQueuePositionResponse200
|
|
9
|
+
from ...types import Response
|
|
10
|
+
|
|
11
|
+
|
|
12
|
+
def _get_kwargs(
|
|
13
|
+
workspace: str,
|
|
14
|
+
scheduled_for: int,
|
|
15
|
+
) -> Dict[str, Any]:
|
|
16
|
+
pass
|
|
17
|
+
|
|
18
|
+
return {
|
|
19
|
+
"method": "get",
|
|
20
|
+
"url": "/w/{workspace}/jobs/queue/position/{scheduled_for}".format(
|
|
21
|
+
workspace=workspace,
|
|
22
|
+
scheduled_for=scheduled_for,
|
|
23
|
+
),
|
|
24
|
+
}
|
|
25
|
+
|
|
26
|
+
|
|
27
|
+
def _parse_response(
|
|
28
|
+
*, client: Union[AuthenticatedClient, Client], response: httpx.Response
|
|
29
|
+
) -> Optional[GetQueuePositionResponse200]:
|
|
30
|
+
if response.status_code == HTTPStatus.OK:
|
|
31
|
+
response_200 = GetQueuePositionResponse200.from_dict(response.json())
|
|
32
|
+
|
|
33
|
+
return response_200
|
|
34
|
+
if client.raise_on_unexpected_status:
|
|
35
|
+
raise errors.UnexpectedStatus(response.status_code, response.content)
|
|
36
|
+
else:
|
|
37
|
+
return None
|
|
38
|
+
|
|
39
|
+
|
|
40
|
+
def _build_response(
|
|
41
|
+
*, client: Union[AuthenticatedClient, Client], response: httpx.Response
|
|
42
|
+
) -> Response[GetQueuePositionResponse200]:
|
|
43
|
+
return Response(
|
|
44
|
+
status_code=HTTPStatus(response.status_code),
|
|
45
|
+
content=response.content,
|
|
46
|
+
headers=response.headers,
|
|
47
|
+
parsed=_parse_response(client=client, response=response),
|
|
48
|
+
)
|
|
49
|
+
|
|
50
|
+
|
|
51
|
+
def sync_detailed(
|
|
52
|
+
workspace: str,
|
|
53
|
+
scheduled_for: int,
|
|
54
|
+
*,
|
|
55
|
+
client: Union[AuthenticatedClient, Client],
|
|
56
|
+
) -> Response[GetQueuePositionResponse200]:
|
|
57
|
+
"""get queue position for a job
|
|
58
|
+
|
|
59
|
+
Args:
|
|
60
|
+
workspace (str):
|
|
61
|
+
scheduled_for (int): The scheduled for timestamp in milliseconds
|
|
62
|
+
|
|
63
|
+
Raises:
|
|
64
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
65
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
66
|
+
|
|
67
|
+
Returns:
|
|
68
|
+
Response[GetQueuePositionResponse200]
|
|
69
|
+
"""
|
|
70
|
+
|
|
71
|
+
kwargs = _get_kwargs(
|
|
72
|
+
workspace=workspace,
|
|
73
|
+
scheduled_for=scheduled_for,
|
|
74
|
+
)
|
|
75
|
+
|
|
76
|
+
response = client.get_httpx_client().request(
|
|
77
|
+
**kwargs,
|
|
78
|
+
)
|
|
79
|
+
|
|
80
|
+
return _build_response(client=client, response=response)
|
|
81
|
+
|
|
82
|
+
|
|
83
|
+
def sync(
|
|
84
|
+
workspace: str,
|
|
85
|
+
scheduled_for: int,
|
|
86
|
+
*,
|
|
87
|
+
client: Union[AuthenticatedClient, Client],
|
|
88
|
+
) -> Optional[GetQueuePositionResponse200]:
|
|
89
|
+
"""get queue position for a job
|
|
90
|
+
|
|
91
|
+
Args:
|
|
92
|
+
workspace (str):
|
|
93
|
+
scheduled_for (int): The scheduled for timestamp in milliseconds
|
|
94
|
+
|
|
95
|
+
Raises:
|
|
96
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
97
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
98
|
+
|
|
99
|
+
Returns:
|
|
100
|
+
GetQueuePositionResponse200
|
|
101
|
+
"""
|
|
102
|
+
|
|
103
|
+
return sync_detailed(
|
|
104
|
+
workspace=workspace,
|
|
105
|
+
scheduled_for=scheduled_for,
|
|
106
|
+
client=client,
|
|
107
|
+
).parsed
|
|
108
|
+
|
|
109
|
+
|
|
110
|
+
async def asyncio_detailed(
|
|
111
|
+
workspace: str,
|
|
112
|
+
scheduled_for: int,
|
|
113
|
+
*,
|
|
114
|
+
client: Union[AuthenticatedClient, Client],
|
|
115
|
+
) -> Response[GetQueuePositionResponse200]:
|
|
116
|
+
"""get queue position for a job
|
|
117
|
+
|
|
118
|
+
Args:
|
|
119
|
+
workspace (str):
|
|
120
|
+
scheduled_for (int): The scheduled for timestamp in milliseconds
|
|
121
|
+
|
|
122
|
+
Raises:
|
|
123
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
124
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
125
|
+
|
|
126
|
+
Returns:
|
|
127
|
+
Response[GetQueuePositionResponse200]
|
|
128
|
+
"""
|
|
129
|
+
|
|
130
|
+
kwargs = _get_kwargs(
|
|
131
|
+
workspace=workspace,
|
|
132
|
+
scheduled_for=scheduled_for,
|
|
133
|
+
)
|
|
134
|
+
|
|
135
|
+
response = await client.get_async_httpx_client().request(**kwargs)
|
|
136
|
+
|
|
137
|
+
return _build_response(client=client, response=response)
|
|
138
|
+
|
|
139
|
+
|
|
140
|
+
async def asyncio(
|
|
141
|
+
workspace: str,
|
|
142
|
+
scheduled_for: int,
|
|
143
|
+
*,
|
|
144
|
+
client: Union[AuthenticatedClient, Client],
|
|
145
|
+
) -> Optional[GetQueuePositionResponse200]:
|
|
146
|
+
"""get queue position for a job
|
|
147
|
+
|
|
148
|
+
Args:
|
|
149
|
+
workspace (str):
|
|
150
|
+
scheduled_for (int): The scheduled for timestamp in milliseconds
|
|
151
|
+
|
|
152
|
+
Raises:
|
|
153
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
154
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
155
|
+
|
|
156
|
+
Returns:
|
|
157
|
+
GetQueuePositionResponse200
|
|
158
|
+
"""
|
|
159
|
+
|
|
160
|
+
return (
|
|
161
|
+
await asyncio_detailed(
|
|
162
|
+
workspace=workspace,
|
|
163
|
+
scheduled_for=scheduled_for,
|
|
164
|
+
client=client,
|
|
165
|
+
)
|
|
166
|
+
).parsed
|
|
@@ -0,0 +1,160 @@
|
|
|
1
|
+
from http import HTTPStatus
|
|
2
|
+
from typing import Any, Dict, Optional, Union, cast
|
|
3
|
+
|
|
4
|
+
import httpx
|
|
5
|
+
|
|
6
|
+
from ... import errors
|
|
7
|
+
from ...client import AuthenticatedClient, Client
|
|
8
|
+
from ...types import Response
|
|
9
|
+
|
|
10
|
+
|
|
11
|
+
def _get_kwargs(
|
|
12
|
+
workspace: str,
|
|
13
|
+
id: str,
|
|
14
|
+
) -> Dict[str, Any]:
|
|
15
|
+
pass
|
|
16
|
+
|
|
17
|
+
return {
|
|
18
|
+
"method": "get",
|
|
19
|
+
"url": "/w/{workspace}/jobs/queue/scheduled_for/{id}".format(
|
|
20
|
+
workspace=workspace,
|
|
21
|
+
id=id,
|
|
22
|
+
),
|
|
23
|
+
}
|
|
24
|
+
|
|
25
|
+
|
|
26
|
+
def _parse_response(*, client: Union[AuthenticatedClient, Client], response: httpx.Response) -> Optional[int]:
|
|
27
|
+
if response.status_code == HTTPStatus.OK:
|
|
28
|
+
response_200 = cast(int, response.json())
|
|
29
|
+
return response_200
|
|
30
|
+
if client.raise_on_unexpected_status:
|
|
31
|
+
raise errors.UnexpectedStatus(response.status_code, response.content)
|
|
32
|
+
else:
|
|
33
|
+
return None
|
|
34
|
+
|
|
35
|
+
|
|
36
|
+
def _build_response(*, client: Union[AuthenticatedClient, Client], response: httpx.Response) -> Response[int]:
|
|
37
|
+
return Response(
|
|
38
|
+
status_code=HTTPStatus(response.status_code),
|
|
39
|
+
content=response.content,
|
|
40
|
+
headers=response.headers,
|
|
41
|
+
parsed=_parse_response(client=client, response=response),
|
|
42
|
+
)
|
|
43
|
+
|
|
44
|
+
|
|
45
|
+
def sync_detailed(
|
|
46
|
+
workspace: str,
|
|
47
|
+
id: str,
|
|
48
|
+
*,
|
|
49
|
+
client: Union[AuthenticatedClient, Client],
|
|
50
|
+
) -> Response[int]:
|
|
51
|
+
"""get scheduled for timestamp for a job
|
|
52
|
+
|
|
53
|
+
Args:
|
|
54
|
+
workspace (str):
|
|
55
|
+
id (str):
|
|
56
|
+
|
|
57
|
+
Raises:
|
|
58
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
59
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
60
|
+
|
|
61
|
+
Returns:
|
|
62
|
+
Response[int]
|
|
63
|
+
"""
|
|
64
|
+
|
|
65
|
+
kwargs = _get_kwargs(
|
|
66
|
+
workspace=workspace,
|
|
67
|
+
id=id,
|
|
68
|
+
)
|
|
69
|
+
|
|
70
|
+
response = client.get_httpx_client().request(
|
|
71
|
+
**kwargs,
|
|
72
|
+
)
|
|
73
|
+
|
|
74
|
+
return _build_response(client=client, response=response)
|
|
75
|
+
|
|
76
|
+
|
|
77
|
+
def sync(
|
|
78
|
+
workspace: str,
|
|
79
|
+
id: str,
|
|
80
|
+
*,
|
|
81
|
+
client: Union[AuthenticatedClient, Client],
|
|
82
|
+
) -> Optional[int]:
|
|
83
|
+
"""get scheduled for timestamp for a job
|
|
84
|
+
|
|
85
|
+
Args:
|
|
86
|
+
workspace (str):
|
|
87
|
+
id (str):
|
|
88
|
+
|
|
89
|
+
Raises:
|
|
90
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
91
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
92
|
+
|
|
93
|
+
Returns:
|
|
94
|
+
int
|
|
95
|
+
"""
|
|
96
|
+
|
|
97
|
+
return sync_detailed(
|
|
98
|
+
workspace=workspace,
|
|
99
|
+
id=id,
|
|
100
|
+
client=client,
|
|
101
|
+
).parsed
|
|
102
|
+
|
|
103
|
+
|
|
104
|
+
async def asyncio_detailed(
|
|
105
|
+
workspace: str,
|
|
106
|
+
id: str,
|
|
107
|
+
*,
|
|
108
|
+
client: Union[AuthenticatedClient, Client],
|
|
109
|
+
) -> Response[int]:
|
|
110
|
+
"""get scheduled for timestamp for a job
|
|
111
|
+
|
|
112
|
+
Args:
|
|
113
|
+
workspace (str):
|
|
114
|
+
id (str):
|
|
115
|
+
|
|
116
|
+
Raises:
|
|
117
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
118
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
119
|
+
|
|
120
|
+
Returns:
|
|
121
|
+
Response[int]
|
|
122
|
+
"""
|
|
123
|
+
|
|
124
|
+
kwargs = _get_kwargs(
|
|
125
|
+
workspace=workspace,
|
|
126
|
+
id=id,
|
|
127
|
+
)
|
|
128
|
+
|
|
129
|
+
response = await client.get_async_httpx_client().request(**kwargs)
|
|
130
|
+
|
|
131
|
+
return _build_response(client=client, response=response)
|
|
132
|
+
|
|
133
|
+
|
|
134
|
+
async def asyncio(
|
|
135
|
+
workspace: str,
|
|
136
|
+
id: str,
|
|
137
|
+
*,
|
|
138
|
+
client: Union[AuthenticatedClient, Client],
|
|
139
|
+
) -> Optional[int]:
|
|
140
|
+
"""get scheduled for timestamp for a job
|
|
141
|
+
|
|
142
|
+
Args:
|
|
143
|
+
workspace (str):
|
|
144
|
+
id (str):
|
|
145
|
+
|
|
146
|
+
Raises:
|
|
147
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
148
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
149
|
+
|
|
150
|
+
Returns:
|
|
151
|
+
int
|
|
152
|
+
"""
|
|
153
|
+
|
|
154
|
+
return (
|
|
155
|
+
await asyncio_detailed(
|
|
156
|
+
workspace=workspace,
|
|
157
|
+
id=id,
|
|
158
|
+
client=client,
|
|
159
|
+
)
|
|
160
|
+
).parsed
|
|
@@ -0,0 +1,96 @@
|
|
|
1
|
+
from http import HTTPStatus
|
|
2
|
+
from typing import Any, Dict, Optional, Union
|
|
3
|
+
|
|
4
|
+
import httpx
|
|
5
|
+
|
|
6
|
+
from ... import errors
|
|
7
|
+
from ...client import AuthenticatedClient, Client
|
|
8
|
+
from ...models.create_workspace_fork_json_body import CreateWorkspaceForkJsonBody
|
|
9
|
+
from ...types import Response
|
|
10
|
+
|
|
11
|
+
|
|
12
|
+
def _get_kwargs(
|
|
13
|
+
*,
|
|
14
|
+
json_body: CreateWorkspaceForkJsonBody,
|
|
15
|
+
) -> Dict[str, Any]:
|
|
16
|
+
pass
|
|
17
|
+
|
|
18
|
+
json_json_body = json_body.to_dict()
|
|
19
|
+
|
|
20
|
+
return {
|
|
21
|
+
"method": "post",
|
|
22
|
+
"url": "/workspaces/create_fork",
|
|
23
|
+
"json": json_json_body,
|
|
24
|
+
}
|
|
25
|
+
|
|
26
|
+
|
|
27
|
+
def _parse_response(*, client: Union[AuthenticatedClient, Client], response: httpx.Response) -> Optional[Any]:
|
|
28
|
+
if client.raise_on_unexpected_status:
|
|
29
|
+
raise errors.UnexpectedStatus(response.status_code, response.content)
|
|
30
|
+
else:
|
|
31
|
+
return None
|
|
32
|
+
|
|
33
|
+
|
|
34
|
+
def _build_response(*, client: Union[AuthenticatedClient, Client], response: httpx.Response) -> Response[Any]:
|
|
35
|
+
return Response(
|
|
36
|
+
status_code=HTTPStatus(response.status_code),
|
|
37
|
+
content=response.content,
|
|
38
|
+
headers=response.headers,
|
|
39
|
+
parsed=_parse_response(client=client, response=response),
|
|
40
|
+
)
|
|
41
|
+
|
|
42
|
+
|
|
43
|
+
def sync_detailed(
|
|
44
|
+
*,
|
|
45
|
+
client: Union[AuthenticatedClient, Client],
|
|
46
|
+
json_body: CreateWorkspaceForkJsonBody,
|
|
47
|
+
) -> Response[Any]:
|
|
48
|
+
"""create forked workspace
|
|
49
|
+
|
|
50
|
+
Args:
|
|
51
|
+
json_body (CreateWorkspaceForkJsonBody):
|
|
52
|
+
|
|
53
|
+
Raises:
|
|
54
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
55
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
56
|
+
|
|
57
|
+
Returns:
|
|
58
|
+
Response[Any]
|
|
59
|
+
"""
|
|
60
|
+
|
|
61
|
+
kwargs = _get_kwargs(
|
|
62
|
+
json_body=json_body,
|
|
63
|
+
)
|
|
64
|
+
|
|
65
|
+
response = client.get_httpx_client().request(
|
|
66
|
+
**kwargs,
|
|
67
|
+
)
|
|
68
|
+
|
|
69
|
+
return _build_response(client=client, response=response)
|
|
70
|
+
|
|
71
|
+
|
|
72
|
+
async def asyncio_detailed(
|
|
73
|
+
*,
|
|
74
|
+
client: Union[AuthenticatedClient, Client],
|
|
75
|
+
json_body: CreateWorkspaceForkJsonBody,
|
|
76
|
+
) -> Response[Any]:
|
|
77
|
+
"""create forked workspace
|
|
78
|
+
|
|
79
|
+
Args:
|
|
80
|
+
json_body (CreateWorkspaceForkJsonBody):
|
|
81
|
+
|
|
82
|
+
Raises:
|
|
83
|
+
errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
|
|
84
|
+
httpx.TimeoutException: If the request takes longer than Client.timeout.
|
|
85
|
+
|
|
86
|
+
Returns:
|
|
87
|
+
Response[Any]
|
|
88
|
+
"""
|
|
89
|
+
|
|
90
|
+
kwargs = _get_kwargs(
|
|
91
|
+
json_body=json_body,
|
|
92
|
+
)
|
|
93
|
+
|
|
94
|
+
response = await client.get_async_httpx_client().request(**kwargs)
|
|
95
|
+
|
|
96
|
+
return _build_response(client=client, response=response)
|
|
@@ -0,0 +1,90 @@
|
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
|
+
|
|
3
|
+
from attrs import define as _attrs_define
|
|
4
|
+
from attrs import field as _attrs_field
|
|
5
|
+
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
8
|
+
T = TypeVar("T", bound="CreateWorkspaceFork")
|
|
9
|
+
|
|
10
|
+
|
|
11
|
+
@_attrs_define
|
|
12
|
+
class CreateWorkspaceFork:
|
|
13
|
+
"""
|
|
14
|
+
Attributes:
|
|
15
|
+
id (str):
|
|
16
|
+
name (str):
|
|
17
|
+
parent_workspace_id (str):
|
|
18
|
+
username (Union[Unset, str]):
|
|
19
|
+
color (Union[Unset, str]):
|
|
20
|
+
"""
|
|
21
|
+
|
|
22
|
+
id: str
|
|
23
|
+
name: str
|
|
24
|
+
parent_workspace_id: str
|
|
25
|
+
username: Union[Unset, str] = UNSET
|
|
26
|
+
color: Union[Unset, str] = UNSET
|
|
27
|
+
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
28
|
+
|
|
29
|
+
def to_dict(self) -> Dict[str, Any]:
|
|
30
|
+
id = self.id
|
|
31
|
+
name = self.name
|
|
32
|
+
parent_workspace_id = self.parent_workspace_id
|
|
33
|
+
username = self.username
|
|
34
|
+
color = self.color
|
|
35
|
+
|
|
36
|
+
field_dict: Dict[str, Any] = {}
|
|
37
|
+
field_dict.update(self.additional_properties)
|
|
38
|
+
field_dict.update(
|
|
39
|
+
{
|
|
40
|
+
"id": id,
|
|
41
|
+
"name": name,
|
|
42
|
+
"parent_workspace_id": parent_workspace_id,
|
|
43
|
+
}
|
|
44
|
+
)
|
|
45
|
+
if username is not UNSET:
|
|
46
|
+
field_dict["username"] = username
|
|
47
|
+
if color is not UNSET:
|
|
48
|
+
field_dict["color"] = color
|
|
49
|
+
|
|
50
|
+
return field_dict
|
|
51
|
+
|
|
52
|
+
@classmethod
|
|
53
|
+
def from_dict(cls: Type[T], src_dict: Dict[str, Any]) -> T:
|
|
54
|
+
d = src_dict.copy()
|
|
55
|
+
id = d.pop("id")
|
|
56
|
+
|
|
57
|
+
name = d.pop("name")
|
|
58
|
+
|
|
59
|
+
parent_workspace_id = d.pop("parent_workspace_id")
|
|
60
|
+
|
|
61
|
+
username = d.pop("username", UNSET)
|
|
62
|
+
|
|
63
|
+
color = d.pop("color", UNSET)
|
|
64
|
+
|
|
65
|
+
create_workspace_fork = cls(
|
|
66
|
+
id=id,
|
|
67
|
+
name=name,
|
|
68
|
+
parent_workspace_id=parent_workspace_id,
|
|
69
|
+
username=username,
|
|
70
|
+
color=color,
|
|
71
|
+
)
|
|
72
|
+
|
|
73
|
+
create_workspace_fork.additional_properties = d
|
|
74
|
+
return create_workspace_fork
|
|
75
|
+
|
|
76
|
+
@property
|
|
77
|
+
def additional_keys(self) -> List[str]:
|
|
78
|
+
return list(self.additional_properties.keys())
|
|
79
|
+
|
|
80
|
+
def __getitem__(self, key: str) -> Any:
|
|
81
|
+
return self.additional_properties[key]
|
|
82
|
+
|
|
83
|
+
def __setitem__(self, key: str, value: Any) -> None:
|
|
84
|
+
self.additional_properties[key] = value
|
|
85
|
+
|
|
86
|
+
def __delitem__(self, key: str) -> None:
|
|
87
|
+
del self.additional_properties[key]
|
|
88
|
+
|
|
89
|
+
def __contains__(self, key: str) -> bool:
|
|
90
|
+
return key in self.additional_properties
|
|
@@ -0,0 +1,90 @@
|
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
|
+
|
|
3
|
+
from attrs import define as _attrs_define
|
|
4
|
+
from attrs import field as _attrs_field
|
|
5
|
+
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
8
|
+
T = TypeVar("T", bound="CreateWorkspaceForkJsonBody")
|
|
9
|
+
|
|
10
|
+
|
|
11
|
+
@_attrs_define
|
|
12
|
+
class CreateWorkspaceForkJsonBody:
|
|
13
|
+
"""
|
|
14
|
+
Attributes:
|
|
15
|
+
id (str):
|
|
16
|
+
name (str):
|
|
17
|
+
parent_workspace_id (str):
|
|
18
|
+
username (Union[Unset, str]):
|
|
19
|
+
color (Union[Unset, str]):
|
|
20
|
+
"""
|
|
21
|
+
|
|
22
|
+
id: str
|
|
23
|
+
name: str
|
|
24
|
+
parent_workspace_id: str
|
|
25
|
+
username: Union[Unset, str] = UNSET
|
|
26
|
+
color: Union[Unset, str] = UNSET
|
|
27
|
+
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
28
|
+
|
|
29
|
+
def to_dict(self) -> Dict[str, Any]:
|
|
30
|
+
id = self.id
|
|
31
|
+
name = self.name
|
|
32
|
+
parent_workspace_id = self.parent_workspace_id
|
|
33
|
+
username = self.username
|
|
34
|
+
color = self.color
|
|
35
|
+
|
|
36
|
+
field_dict: Dict[str, Any] = {}
|
|
37
|
+
field_dict.update(self.additional_properties)
|
|
38
|
+
field_dict.update(
|
|
39
|
+
{
|
|
40
|
+
"id": id,
|
|
41
|
+
"name": name,
|
|
42
|
+
"parent_workspace_id": parent_workspace_id,
|
|
43
|
+
}
|
|
44
|
+
)
|
|
45
|
+
if username is not UNSET:
|
|
46
|
+
field_dict["username"] = username
|
|
47
|
+
if color is not UNSET:
|
|
48
|
+
field_dict["color"] = color
|
|
49
|
+
|
|
50
|
+
return field_dict
|
|
51
|
+
|
|
52
|
+
@classmethod
|
|
53
|
+
def from_dict(cls: Type[T], src_dict: Dict[str, Any]) -> T:
|
|
54
|
+
d = src_dict.copy()
|
|
55
|
+
id = d.pop("id")
|
|
56
|
+
|
|
57
|
+
name = d.pop("name")
|
|
58
|
+
|
|
59
|
+
parent_workspace_id = d.pop("parent_workspace_id")
|
|
60
|
+
|
|
61
|
+
username = d.pop("username", UNSET)
|
|
62
|
+
|
|
63
|
+
color = d.pop("color", UNSET)
|
|
64
|
+
|
|
65
|
+
create_workspace_fork_json_body = cls(
|
|
66
|
+
id=id,
|
|
67
|
+
name=name,
|
|
68
|
+
parent_workspace_id=parent_workspace_id,
|
|
69
|
+
username=username,
|
|
70
|
+
color=color,
|
|
71
|
+
)
|
|
72
|
+
|
|
73
|
+
create_workspace_fork_json_body.additional_properties = d
|
|
74
|
+
return create_workspace_fork_json_body
|
|
75
|
+
|
|
76
|
+
@property
|
|
77
|
+
def additional_keys(self) -> List[str]:
|
|
78
|
+
return list(self.additional_properties.keys())
|
|
79
|
+
|
|
80
|
+
def __getitem__(self, key: str) -> Any:
|
|
81
|
+
return self.additional_properties[key]
|
|
82
|
+
|
|
83
|
+
def __setitem__(self, key: str, value: Any) -> None:
|
|
84
|
+
self.additional_properties[key] = value
|
|
85
|
+
|
|
86
|
+
def __delitem__(self, key: str) -> None:
|
|
87
|
+
del self.additional_properties[key]
|
|
88
|
+
|
|
89
|
+
def __contains__(self, key: str) -> bool:
|
|
90
|
+
return key in self.additional_properties
|
|
@@ -0,0 +1,58 @@
|
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
|
+
|
|
3
|
+
from attrs import define as _attrs_define
|
|
4
|
+
from attrs import field as _attrs_field
|
|
5
|
+
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
8
|
+
T = TypeVar("T", bound="GetQueuePositionResponse200")
|
|
9
|
+
|
|
10
|
+
|
|
11
|
+
@_attrs_define
|
|
12
|
+
class GetQueuePositionResponse200:
|
|
13
|
+
"""
|
|
14
|
+
Attributes:
|
|
15
|
+
position (Union[Unset, int]): The position in queue (1-based), null if not in queue or already running
|
|
16
|
+
"""
|
|
17
|
+
|
|
18
|
+
position: Union[Unset, int] = UNSET
|
|
19
|
+
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
20
|
+
|
|
21
|
+
def to_dict(self) -> Dict[str, Any]:
|
|
22
|
+
position = self.position
|
|
23
|
+
|
|
24
|
+
field_dict: Dict[str, Any] = {}
|
|
25
|
+
field_dict.update(self.additional_properties)
|
|
26
|
+
field_dict.update({})
|
|
27
|
+
if position is not UNSET:
|
|
28
|
+
field_dict["position"] = position
|
|
29
|
+
|
|
30
|
+
return field_dict
|
|
31
|
+
|
|
32
|
+
@classmethod
|
|
33
|
+
def from_dict(cls: Type[T], src_dict: Dict[str, Any]) -> T:
|
|
34
|
+
d = src_dict.copy()
|
|
35
|
+
position = d.pop("position", UNSET)
|
|
36
|
+
|
|
37
|
+
get_queue_position_response_200 = cls(
|
|
38
|
+
position=position,
|
|
39
|
+
)
|
|
40
|
+
|
|
41
|
+
get_queue_position_response_200.additional_properties = d
|
|
42
|
+
return get_queue_position_response_200
|
|
43
|
+
|
|
44
|
+
@property
|
|
45
|
+
def additional_keys(self) -> List[str]:
|
|
46
|
+
return list(self.additional_properties.keys())
|
|
47
|
+
|
|
48
|
+
def __getitem__(self, key: str) -> Any:
|
|
49
|
+
return self.additional_properties[key]
|
|
50
|
+
|
|
51
|
+
def __setitem__(self, key: str, value: Any) -> None:
|
|
52
|
+
self.additional_properties[key] = value
|
|
53
|
+
|
|
54
|
+
def __delitem__(self, key: str) -> None:
|
|
55
|
+
del self.additional_properties[key]
|
|
56
|
+
|
|
57
|
+
def __contains__(self, key: str) -> bool:
|
|
58
|
+
return key in self.additional_properties
|
|
@@ -1,8 +1,10 @@
|
|
|
1
|
-
from typing import Any, Dict, List, Type, TypeVar
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
2
|
|
|
3
3
|
from attrs import define as _attrs_define
|
|
4
4
|
from attrs import field as _attrs_field
|
|
5
5
|
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
6
8
|
T = TypeVar("T", bound="InviteUserJsonBody")
|
|
7
9
|
|
|
8
10
|
|
|
@@ -13,17 +15,20 @@ class InviteUserJsonBody:
|
|
|
13
15
|
email (str):
|
|
14
16
|
is_admin (bool):
|
|
15
17
|
operator (bool):
|
|
18
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
16
19
|
"""
|
|
17
20
|
|
|
18
21
|
email: str
|
|
19
22
|
is_admin: bool
|
|
20
23
|
operator: bool
|
|
24
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
21
25
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
22
26
|
|
|
23
27
|
def to_dict(self) -> Dict[str, Any]:
|
|
24
28
|
email = self.email
|
|
25
29
|
is_admin = self.is_admin
|
|
26
30
|
operator = self.operator
|
|
31
|
+
parent_workspace_id = self.parent_workspace_id
|
|
27
32
|
|
|
28
33
|
field_dict: Dict[str, Any] = {}
|
|
29
34
|
field_dict.update(self.additional_properties)
|
|
@@ -34,6 +39,8 @@ class InviteUserJsonBody:
|
|
|
34
39
|
"operator": operator,
|
|
35
40
|
}
|
|
36
41
|
)
|
|
42
|
+
if parent_workspace_id is not UNSET:
|
|
43
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
37
44
|
|
|
38
45
|
return field_dict
|
|
39
46
|
|
|
@@ -46,10 +53,13 @@ class InviteUserJsonBody:
|
|
|
46
53
|
|
|
47
54
|
operator = d.pop("operator")
|
|
48
55
|
|
|
56
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
57
|
+
|
|
49
58
|
invite_user_json_body = cls(
|
|
50
59
|
email=email,
|
|
51
60
|
is_admin=is_admin,
|
|
52
61
|
operator=operator,
|
|
62
|
+
parent_workspace_id=parent_workspace_id,
|
|
53
63
|
)
|
|
54
64
|
|
|
55
65
|
invite_user_json_body.additional_properties = d
|
|
@@ -1,8 +1,10 @@
|
|
|
1
|
-
from typing import Any, Dict, List, Type, TypeVar
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
2
|
|
|
3
3
|
from attrs import define as _attrs_define
|
|
4
4
|
from attrs import field as _attrs_field
|
|
5
5
|
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
6
8
|
T = TypeVar("T", bound="ListPendingInvitesResponse200Item")
|
|
7
9
|
|
|
8
10
|
|
|
@@ -14,12 +16,14 @@ class ListPendingInvitesResponse200Item:
|
|
|
14
16
|
email (str):
|
|
15
17
|
is_admin (bool):
|
|
16
18
|
operator (bool):
|
|
19
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
17
20
|
"""
|
|
18
21
|
|
|
19
22
|
workspace_id: str
|
|
20
23
|
email: str
|
|
21
24
|
is_admin: bool
|
|
22
25
|
operator: bool
|
|
26
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
23
27
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
24
28
|
|
|
25
29
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -27,6 +31,7 @@ class ListPendingInvitesResponse200Item:
|
|
|
27
31
|
email = self.email
|
|
28
32
|
is_admin = self.is_admin
|
|
29
33
|
operator = self.operator
|
|
34
|
+
parent_workspace_id = self.parent_workspace_id
|
|
30
35
|
|
|
31
36
|
field_dict: Dict[str, Any] = {}
|
|
32
37
|
field_dict.update(self.additional_properties)
|
|
@@ -38,6 +43,8 @@ class ListPendingInvitesResponse200Item:
|
|
|
38
43
|
"operator": operator,
|
|
39
44
|
}
|
|
40
45
|
)
|
|
46
|
+
if parent_workspace_id is not UNSET:
|
|
47
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
41
48
|
|
|
42
49
|
return field_dict
|
|
43
50
|
|
|
@@ -52,11 +59,14 @@ class ListPendingInvitesResponse200Item:
|
|
|
52
59
|
|
|
53
60
|
operator = d.pop("operator")
|
|
54
61
|
|
|
62
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
63
|
+
|
|
55
64
|
list_pending_invites_response_200_item = cls(
|
|
56
65
|
workspace_id=workspace_id,
|
|
57
66
|
email=email,
|
|
58
67
|
is_admin=is_admin,
|
|
59
68
|
operator=operator,
|
|
69
|
+
parent_workspace_id=parent_workspace_id,
|
|
60
70
|
)
|
|
61
71
|
|
|
62
72
|
list_pending_invites_response_200_item.additional_properties = d
|
|
@@ -23,6 +23,8 @@ class ListUserWorkspacesResponse200WorkspacesItem:
|
|
|
23
23
|
username (str):
|
|
24
24
|
color (str):
|
|
25
25
|
operator_settings (Union[Unset, None, ListUserWorkspacesResponse200WorkspacesItemOperatorSettings]):
|
|
26
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
27
|
+
created_by (Union[Unset, None, str]):
|
|
26
28
|
"""
|
|
27
29
|
|
|
28
30
|
id: str
|
|
@@ -30,6 +32,8 @@ class ListUserWorkspacesResponse200WorkspacesItem:
|
|
|
30
32
|
username: str
|
|
31
33
|
color: str
|
|
32
34
|
operator_settings: Union[Unset, None, "ListUserWorkspacesResponse200WorkspacesItemOperatorSettings"] = UNSET
|
|
35
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
36
|
+
created_by: Union[Unset, None, str] = UNSET
|
|
33
37
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
34
38
|
|
|
35
39
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -41,6 +45,9 @@ class ListUserWorkspacesResponse200WorkspacesItem:
|
|
|
41
45
|
if not isinstance(self.operator_settings, Unset):
|
|
42
46
|
operator_settings = self.operator_settings.to_dict() if self.operator_settings else None
|
|
43
47
|
|
|
48
|
+
parent_workspace_id = self.parent_workspace_id
|
|
49
|
+
created_by = self.created_by
|
|
50
|
+
|
|
44
51
|
field_dict: Dict[str, Any] = {}
|
|
45
52
|
field_dict.update(self.additional_properties)
|
|
46
53
|
field_dict.update(
|
|
@@ -53,6 +60,10 @@ class ListUserWorkspacesResponse200WorkspacesItem:
|
|
|
53
60
|
)
|
|
54
61
|
if operator_settings is not UNSET:
|
|
55
62
|
field_dict["operator_settings"] = operator_settings
|
|
63
|
+
if parent_workspace_id is not UNSET:
|
|
64
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
65
|
+
if created_by is not UNSET:
|
|
66
|
+
field_dict["created_by"] = created_by
|
|
56
67
|
|
|
57
68
|
return field_dict
|
|
58
69
|
|
|
@@ -82,12 +93,18 @@ class ListUserWorkspacesResponse200WorkspacesItem:
|
|
|
82
93
|
_operator_settings
|
|
83
94
|
)
|
|
84
95
|
|
|
96
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
97
|
+
|
|
98
|
+
created_by = d.pop("created_by", UNSET)
|
|
99
|
+
|
|
85
100
|
list_user_workspaces_response_200_workspaces_item = cls(
|
|
86
101
|
id=id,
|
|
87
102
|
name=name,
|
|
88
103
|
username=username,
|
|
89
104
|
color=color,
|
|
90
105
|
operator_settings=operator_settings,
|
|
106
|
+
parent_workspace_id=parent_workspace_id,
|
|
107
|
+
created_by=created_by,
|
|
91
108
|
)
|
|
92
109
|
|
|
93
110
|
list_user_workspaces_response_200_workspaces_item.additional_properties = d
|
|
@@ -1,8 +1,10 @@
|
|
|
1
|
-
from typing import Any, Dict, List, Type, TypeVar
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
2
|
|
|
3
3
|
from attrs import define as _attrs_define
|
|
4
4
|
from attrs import field as _attrs_field
|
|
5
5
|
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
6
8
|
T = TypeVar("T", bound="ListWorkspaceInvitesResponse200Item")
|
|
7
9
|
|
|
8
10
|
|
|
@@ -14,12 +16,14 @@ class ListWorkspaceInvitesResponse200Item:
|
|
|
14
16
|
email (str):
|
|
15
17
|
is_admin (bool):
|
|
16
18
|
operator (bool):
|
|
19
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
17
20
|
"""
|
|
18
21
|
|
|
19
22
|
workspace_id: str
|
|
20
23
|
email: str
|
|
21
24
|
is_admin: bool
|
|
22
25
|
operator: bool
|
|
26
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
23
27
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
24
28
|
|
|
25
29
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -27,6 +31,7 @@ class ListWorkspaceInvitesResponse200Item:
|
|
|
27
31
|
email = self.email
|
|
28
32
|
is_admin = self.is_admin
|
|
29
33
|
operator = self.operator
|
|
34
|
+
parent_workspace_id = self.parent_workspace_id
|
|
30
35
|
|
|
31
36
|
field_dict: Dict[str, Any] = {}
|
|
32
37
|
field_dict.update(self.additional_properties)
|
|
@@ -38,6 +43,8 @@ class ListWorkspaceInvitesResponse200Item:
|
|
|
38
43
|
"operator": operator,
|
|
39
44
|
}
|
|
40
45
|
)
|
|
46
|
+
if parent_workspace_id is not UNSET:
|
|
47
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
41
48
|
|
|
42
49
|
return field_dict
|
|
43
50
|
|
|
@@ -52,11 +59,14 @@ class ListWorkspaceInvitesResponse200Item:
|
|
|
52
59
|
|
|
53
60
|
operator = d.pop("operator")
|
|
54
61
|
|
|
62
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
63
|
+
|
|
55
64
|
list_workspace_invites_response_200_item = cls(
|
|
56
65
|
workspace_id=workspace_id,
|
|
57
66
|
email=email,
|
|
58
67
|
is_admin=is_admin,
|
|
59
68
|
operator=operator,
|
|
69
|
+
parent_workspace_id=parent_workspace_id,
|
|
60
70
|
)
|
|
61
71
|
|
|
62
72
|
list_workspace_invites_response_200_item.additional_properties = d
|
|
@@ -17,6 +17,7 @@ class ListWorkspacesAsSuperAdminResponse200Item:
|
|
|
17
17
|
owner (str):
|
|
18
18
|
domain (Union[Unset, str]):
|
|
19
19
|
color (Union[Unset, str]):
|
|
20
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
20
21
|
"""
|
|
21
22
|
|
|
22
23
|
id: str
|
|
@@ -24,6 +25,7 @@ class ListWorkspacesAsSuperAdminResponse200Item:
|
|
|
24
25
|
owner: str
|
|
25
26
|
domain: Union[Unset, str] = UNSET
|
|
26
27
|
color: Union[Unset, str] = UNSET
|
|
28
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
27
29
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
28
30
|
|
|
29
31
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -32,6 +34,7 @@ class ListWorkspacesAsSuperAdminResponse200Item:
|
|
|
32
34
|
owner = self.owner
|
|
33
35
|
domain = self.domain
|
|
34
36
|
color = self.color
|
|
37
|
+
parent_workspace_id = self.parent_workspace_id
|
|
35
38
|
|
|
36
39
|
field_dict: Dict[str, Any] = {}
|
|
37
40
|
field_dict.update(self.additional_properties)
|
|
@@ -46,6 +49,8 @@ class ListWorkspacesAsSuperAdminResponse200Item:
|
|
|
46
49
|
field_dict["domain"] = domain
|
|
47
50
|
if color is not UNSET:
|
|
48
51
|
field_dict["color"] = color
|
|
52
|
+
if parent_workspace_id is not UNSET:
|
|
53
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
49
54
|
|
|
50
55
|
return field_dict
|
|
51
56
|
|
|
@@ -62,12 +67,15 @@ class ListWorkspacesAsSuperAdminResponse200Item:
|
|
|
62
67
|
|
|
63
68
|
color = d.pop("color", UNSET)
|
|
64
69
|
|
|
70
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
71
|
+
|
|
65
72
|
list_workspaces_as_super_admin_response_200_item = cls(
|
|
66
73
|
id=id,
|
|
67
74
|
name=name,
|
|
68
75
|
owner=owner,
|
|
69
76
|
domain=domain,
|
|
70
77
|
color=color,
|
|
78
|
+
parent_workspace_id=parent_workspace_id,
|
|
71
79
|
)
|
|
72
80
|
|
|
73
81
|
list_workspaces_as_super_admin_response_200_item.additional_properties = d
|
|
@@ -17,6 +17,7 @@ class ListWorkspacesResponse200Item:
|
|
|
17
17
|
owner (str):
|
|
18
18
|
domain (Union[Unset, str]):
|
|
19
19
|
color (Union[Unset, str]):
|
|
20
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
20
21
|
"""
|
|
21
22
|
|
|
22
23
|
id: str
|
|
@@ -24,6 +25,7 @@ class ListWorkspacesResponse200Item:
|
|
|
24
25
|
owner: str
|
|
25
26
|
domain: Union[Unset, str] = UNSET
|
|
26
27
|
color: Union[Unset, str] = UNSET
|
|
28
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
27
29
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
28
30
|
|
|
29
31
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -32,6 +34,7 @@ class ListWorkspacesResponse200Item:
|
|
|
32
34
|
owner = self.owner
|
|
33
35
|
domain = self.domain
|
|
34
36
|
color = self.color
|
|
37
|
+
parent_workspace_id = self.parent_workspace_id
|
|
35
38
|
|
|
36
39
|
field_dict: Dict[str, Any] = {}
|
|
37
40
|
field_dict.update(self.additional_properties)
|
|
@@ -46,6 +49,8 @@ class ListWorkspacesResponse200Item:
|
|
|
46
49
|
field_dict["domain"] = domain
|
|
47
50
|
if color is not UNSET:
|
|
48
51
|
field_dict["color"] = color
|
|
52
|
+
if parent_workspace_id is not UNSET:
|
|
53
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
49
54
|
|
|
50
55
|
return field_dict
|
|
51
56
|
|
|
@@ -62,12 +67,15 @@ class ListWorkspacesResponse200Item:
|
|
|
62
67
|
|
|
63
68
|
color = d.pop("color", UNSET)
|
|
64
69
|
|
|
70
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
71
|
+
|
|
65
72
|
list_workspaces_response_200_item = cls(
|
|
66
73
|
id=id,
|
|
67
74
|
name=name,
|
|
68
75
|
owner=owner,
|
|
69
76
|
domain=domain,
|
|
70
77
|
color=color,
|
|
78
|
+
parent_workspace_id=parent_workspace_id,
|
|
71
79
|
)
|
|
72
80
|
|
|
73
81
|
list_workspaces_response_200_item.additional_properties = d
|
|
@@ -23,6 +23,8 @@ class UserWorkspaceListWorkspacesItem:
|
|
|
23
23
|
username (str):
|
|
24
24
|
color (str):
|
|
25
25
|
operator_settings (Union[Unset, None, UserWorkspaceListWorkspacesItemOperatorSettings]):
|
|
26
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
27
|
+
created_by (Union[Unset, None, str]):
|
|
26
28
|
"""
|
|
27
29
|
|
|
28
30
|
id: str
|
|
@@ -30,6 +32,8 @@ class UserWorkspaceListWorkspacesItem:
|
|
|
30
32
|
username: str
|
|
31
33
|
color: str
|
|
32
34
|
operator_settings: Union[Unset, None, "UserWorkspaceListWorkspacesItemOperatorSettings"] = UNSET
|
|
35
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
36
|
+
created_by: Union[Unset, None, str] = UNSET
|
|
33
37
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
34
38
|
|
|
35
39
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -41,6 +45,9 @@ class UserWorkspaceListWorkspacesItem:
|
|
|
41
45
|
if not isinstance(self.operator_settings, Unset):
|
|
42
46
|
operator_settings = self.operator_settings.to_dict() if self.operator_settings else None
|
|
43
47
|
|
|
48
|
+
parent_workspace_id = self.parent_workspace_id
|
|
49
|
+
created_by = self.created_by
|
|
50
|
+
|
|
44
51
|
field_dict: Dict[str, Any] = {}
|
|
45
52
|
field_dict.update(self.additional_properties)
|
|
46
53
|
field_dict.update(
|
|
@@ -53,6 +60,10 @@ class UserWorkspaceListWorkspacesItem:
|
|
|
53
60
|
)
|
|
54
61
|
if operator_settings is not UNSET:
|
|
55
62
|
field_dict["operator_settings"] = operator_settings
|
|
63
|
+
if parent_workspace_id is not UNSET:
|
|
64
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
65
|
+
if created_by is not UNSET:
|
|
66
|
+
field_dict["created_by"] = created_by
|
|
56
67
|
|
|
57
68
|
return field_dict
|
|
58
69
|
|
|
@@ -80,12 +91,18 @@ class UserWorkspaceListWorkspacesItem:
|
|
|
80
91
|
else:
|
|
81
92
|
operator_settings = UserWorkspaceListWorkspacesItemOperatorSettings.from_dict(_operator_settings)
|
|
82
93
|
|
|
94
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
95
|
+
|
|
96
|
+
created_by = d.pop("created_by", UNSET)
|
|
97
|
+
|
|
83
98
|
user_workspace_list_workspaces_item = cls(
|
|
84
99
|
id=id,
|
|
85
100
|
name=name,
|
|
86
101
|
username=username,
|
|
87
102
|
color=color,
|
|
88
103
|
operator_settings=operator_settings,
|
|
104
|
+
parent_workspace_id=parent_workspace_id,
|
|
105
|
+
created_by=created_by,
|
|
89
106
|
)
|
|
90
107
|
|
|
91
108
|
user_workspace_list_workspaces_item.additional_properties = d
|
windmill_api/models/workspace.py
CHANGED
|
@@ -17,6 +17,7 @@ class Workspace:
|
|
|
17
17
|
owner (str):
|
|
18
18
|
domain (Union[Unset, str]):
|
|
19
19
|
color (Union[Unset, str]):
|
|
20
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
20
21
|
"""
|
|
21
22
|
|
|
22
23
|
id: str
|
|
@@ -24,6 +25,7 @@ class Workspace:
|
|
|
24
25
|
owner: str
|
|
25
26
|
domain: Union[Unset, str] = UNSET
|
|
26
27
|
color: Union[Unset, str] = UNSET
|
|
28
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
27
29
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
28
30
|
|
|
29
31
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -32,6 +34,7 @@ class Workspace:
|
|
|
32
34
|
owner = self.owner
|
|
33
35
|
domain = self.domain
|
|
34
36
|
color = self.color
|
|
37
|
+
parent_workspace_id = self.parent_workspace_id
|
|
35
38
|
|
|
36
39
|
field_dict: Dict[str, Any] = {}
|
|
37
40
|
field_dict.update(self.additional_properties)
|
|
@@ -46,6 +49,8 @@ class Workspace:
|
|
|
46
49
|
field_dict["domain"] = domain
|
|
47
50
|
if color is not UNSET:
|
|
48
51
|
field_dict["color"] = color
|
|
52
|
+
if parent_workspace_id is not UNSET:
|
|
53
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
49
54
|
|
|
50
55
|
return field_dict
|
|
51
56
|
|
|
@@ -62,12 +67,15 @@ class Workspace:
|
|
|
62
67
|
|
|
63
68
|
color = d.pop("color", UNSET)
|
|
64
69
|
|
|
70
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
71
|
+
|
|
65
72
|
workspace = cls(
|
|
66
73
|
id=id,
|
|
67
74
|
name=name,
|
|
68
75
|
owner=owner,
|
|
69
76
|
domain=domain,
|
|
70
77
|
color=color,
|
|
78
|
+
parent_workspace_id=parent_workspace_id,
|
|
71
79
|
)
|
|
72
80
|
|
|
73
81
|
workspace.additional_properties = d
|
|
@@ -1,8 +1,10 @@
|
|
|
1
|
-
from typing import Any, Dict, List, Type, TypeVar
|
|
1
|
+
from typing import Any, Dict, List, Type, TypeVar, Union
|
|
2
2
|
|
|
3
3
|
from attrs import define as _attrs_define
|
|
4
4
|
from attrs import field as _attrs_field
|
|
5
5
|
|
|
6
|
+
from ..types import UNSET, Unset
|
|
7
|
+
|
|
6
8
|
T = TypeVar("T", bound="WorkspaceInvite")
|
|
7
9
|
|
|
8
10
|
|
|
@@ -14,12 +16,14 @@ class WorkspaceInvite:
|
|
|
14
16
|
email (str):
|
|
15
17
|
is_admin (bool):
|
|
16
18
|
operator (bool):
|
|
19
|
+
parent_workspace_id (Union[Unset, None, str]):
|
|
17
20
|
"""
|
|
18
21
|
|
|
19
22
|
workspace_id: str
|
|
20
23
|
email: str
|
|
21
24
|
is_admin: bool
|
|
22
25
|
operator: bool
|
|
26
|
+
parent_workspace_id: Union[Unset, None, str] = UNSET
|
|
23
27
|
additional_properties: Dict[str, Any] = _attrs_field(init=False, factory=dict)
|
|
24
28
|
|
|
25
29
|
def to_dict(self) -> Dict[str, Any]:
|
|
@@ -27,6 +31,7 @@ class WorkspaceInvite:
|
|
|
27
31
|
email = self.email
|
|
28
32
|
is_admin = self.is_admin
|
|
29
33
|
operator = self.operator
|
|
34
|
+
parent_workspace_id = self.parent_workspace_id
|
|
30
35
|
|
|
31
36
|
field_dict: Dict[str, Any] = {}
|
|
32
37
|
field_dict.update(self.additional_properties)
|
|
@@ -38,6 +43,8 @@ class WorkspaceInvite:
|
|
|
38
43
|
"operator": operator,
|
|
39
44
|
}
|
|
40
45
|
)
|
|
46
|
+
if parent_workspace_id is not UNSET:
|
|
47
|
+
field_dict["parent_workspace_id"] = parent_workspace_id
|
|
41
48
|
|
|
42
49
|
return field_dict
|
|
43
50
|
|
|
@@ -52,11 +59,14 @@ class WorkspaceInvite:
|
|
|
52
59
|
|
|
53
60
|
operator = d.pop("operator")
|
|
54
61
|
|
|
62
|
+
parent_workspace_id = d.pop("parent_workspace_id", UNSET)
|
|
63
|
+
|
|
55
64
|
workspace_invite = cls(
|
|
56
65
|
workspace_id=workspace_id,
|
|
57
66
|
email=email,
|
|
58
67
|
is_admin=is_admin,
|
|
59
68
|
operator=operator,
|
|
69
|
+
parent_workspace_id=parent_workspace_id,
|
|
60
70
|
)
|
|
61
71
|
|
|
62
72
|
workspace_invite.additional_properties = d
|
|
@@ -217,8 +217,10 @@ windmill_api/api/job/get_job_updates.py,sha256=3b-eFnrSrTnAMFsWCch7ms60evzSgUTsR
|
|
|
217
217
|
windmill_api/api/job/get_job_updates_sse.py,sha256=CjR4EZ3H3iQ68RP2LzzfZWyDxmZkpHvw2do8u36FUaU,4690
|
|
218
218
|
windmill_api/api/job/get_log_file_from_store.py,sha256=sOpxKqaWBm8oMtz-SxWrIAewTL5DCXHGr6BphHyOy5U,2474
|
|
219
219
|
windmill_api/api/job/get_queue_count.py,sha256=7g9kGGli__ipJVqAYwYWtjZMIm2tu0tO2u6TpjR4sZU,4658
|
|
220
|
+
windmill_api/api/job/get_queue_position.py,sha256=jOoeG_xpVnt4JHn8gEF3Ivk2QA-HrYLOS2CfRfbM5_0,4529
|
|
220
221
|
windmill_api/api/job/get_resume_urls.py,sha256=Eg8zgcjmDmJi0CWfwIiIU4j8MfHPU7KgQwtsYrXdWBM,5345
|
|
221
222
|
windmill_api/api/job/get_root_job_id.py,sha256=LZMq-95eOA0y3UAcEfS9gj0zTI35KwNvSwDdn8JZhRM,3727
|
|
223
|
+
windmill_api/api/job/get_scheduled_for.py,sha256=xPGqaZ-98NgGDnsoxyN1Ayx5DR12oplKO4Yez3Od8j8,3817
|
|
222
224
|
windmill_api/api/job/get_slack_approval_payload.py,sha256=edDFLOOMc2ZBBNJAnH1He_KH5rF9cyInQDHhp20Wa1E,4964
|
|
223
225
|
windmill_api/api/job/get_suspended_job_flow.py,sha256=1ujITk_TDUgnZ-uWPRfBfb58qFtfGrEJF9TndIcHhok,5652
|
|
224
226
|
windmill_api/api/job/get_teams_approval_payload.py,sha256=t68Eiee-4Jrg3rgDqfLAtW3HHlRutUP4L7q1H3MmZDI,4876
|
|
@@ -513,6 +515,7 @@ windmill_api/api/workspace/change_workspace_id.py,sha256=WfQ8Xg7XlFYrfylFL2yOZoF
|
|
|
513
515
|
windmill_api/api/workspace/change_workspace_name.py,sha256=Hn6tLyBBENBWwAaiel6ZQwcxoFUyqk4KzNCEDhuGWWk,2768
|
|
514
516
|
windmill_api/api/workspace/connect_teams.py,sha256=UyR9wjEspS0SrSsqLKyAEKQv3i3qDxxfG059yNmUoyE,2694
|
|
515
517
|
windmill_api/api/workspace/create_workspace.py,sha256=Ykhaqdsp0a5C6pkyNUYW8Js9LtCKgdi156KQf6tzElo,2481
|
|
518
|
+
windmill_api/api/workspace/create_workspace_fork.py,sha256=QlTYKD51DnPIGd4YWUzZNms8lAm-I-cYodP0S_TaR5A,2529
|
|
516
519
|
windmill_api/api/workspace/delete_git_sync_repository.py,sha256=vTT0_IH4qHzLmqVcEsIrwSMKj_SAyPP1NtqVVdcCWD0,2902
|
|
517
520
|
windmill_api/api/workspace/delete_invite.py,sha256=PfwTA5svQKFrbl_aiDc4NkL4POvd9uDxHQFApD7OYRg,2704
|
|
518
521
|
windmill_api/api/workspace/delete_workspace.py,sha256=Ih8AA7J_MWllJwJ5vhM-At8rJsdk50lJxeqvjlv6HNQ,2336
|
|
@@ -1046,6 +1049,8 @@ windmill_api/models/create_websocket_trigger_json_body_retry_exponential.py,sha2
|
|
|
1046
1049
|
windmill_api/models/create_websocket_trigger_json_body_retry_retry_if.py,sha256=Qen6ynuO-c40BRFEPHj8f97znCD0rh4BGVCa7qRyGQk,1590
|
|
1047
1050
|
windmill_api/models/create_websocket_trigger_json_body_url_runnable_args.py,sha256=Jr2AIUWbfHyEmonEA0Y67pXlRi_bvv3GTOYhgFGyBt4,1440
|
|
1048
1051
|
windmill_api/models/create_workspace.py,sha256=fUa2zDGqCbEuq5d8gA3DXZEEJMJItvIKhTMk-rru0-M,2101
|
|
1052
|
+
windmill_api/models/create_workspace_fork.py,sha256=R4ELEYB5NYIR6b65gY8ADje52LmYxYQED_aWgr5mkqs,2416
|
|
1053
|
+
windmill_api/models/create_workspace_fork_json_body.py,sha256=UTQoYHbuQ0kh9KENLJ72mJQgwQoy8FUoBIvSYOWqqkI,2462
|
|
1049
1054
|
windmill_api/models/create_workspace_json_body.py,sha256=GgbEd80YEihMoHT0mw_eZR1UhkfS732YtrmOiIztAQc,2147
|
|
1050
1055
|
windmill_api/models/critical_alert.py,sha256=hOEwvjlC0C_rl3CRrei8BFFZQFvR_iTQ9eBfE8tCUyo,3635
|
|
1051
1056
|
windmill_api/models/decline_invite_json_body.py,sha256=APY6WrYS2XvpWr0TefDZUSgNN-1gICXnmDHmit9MI88,1553
|
|
@@ -2877,6 +2882,7 @@ windmill_api/models/get_public_app_by_secret_response_200_value.py,sha256=ZZ0TJw
|
|
|
2877
2882
|
windmill_api/models/get_queue_count_response_200.py,sha256=u5VUZM166RkUXaHfDRGNqukeFZt8v4bfBH0yQjYmnLM,1920
|
|
2878
2883
|
windmill_api/models/get_queue_metrics_response_200_item.py,sha256=utefQGQh6rmwCgYi-4QJL5haGf3YM8mZJuuqcwYsws8,2350
|
|
2879
2884
|
windmill_api/models/get_queue_metrics_response_200_item_values_item.py,sha256=hYFf0j7yKNm67pPydF-hIElnPCVebT5Tzv5ArPy9ZJc,1796
|
|
2885
|
+
windmill_api/models/get_queue_position_response_200.py,sha256=UfCPWegpheBHA_k4mxM5D5sDPkhnIKSeG-BJo5WL5a4,1710
|
|
2880
2886
|
windmill_api/models/get_resource_response_200.py,sha256=dwTaD2TIn-ayKYJNVOLUWnciGrlgbaPBZDJexv1Ezmg,4681
|
|
2881
2887
|
windmill_api/models/get_resource_response_200_extra_perms.py,sha256=Jz3HpCWYu66OfRFQsB1T5bRWUCHDZEXW7gBaUYdce7k,1330
|
|
2882
2888
|
windmill_api/models/get_resource_type_response_200.py,sha256=l1sB7JyUt_kBIvhp4mS7secuxXTBHPC8h8ykocdTGbw,3696
|
|
@@ -3265,7 +3271,7 @@ windmill_api/models/install_from_workspace_json_body.py,sha256=rl2Kk859SCLt2biCz
|
|
|
3265
3271
|
windmill_api/models/instance_group.py,sha256=-dgUB-gIx7v399uf-FPz_pFkmp3p3ffOsnWR5s7nQDQ,2103
|
|
3266
3272
|
windmill_api/models/instance_group_with_workspaces.py,sha256=aZxrnXe6JWzOSNO2tus3JgAgEVgTYF_VyFyq8SFt8lU,3340
|
|
3267
3273
|
windmill_api/models/instance_group_with_workspaces_workspaces_item.py,sha256=ZMR-V7mvb-DrbB6VvlaoyxWRC0XNCmDYqvhN5h7u7IQ,2310
|
|
3268
|
-
windmill_api/models/invite_user_json_body.py,sha256=
|
|
3274
|
+
windmill_api/models/invite_user_json_body.py,sha256=jAoESPpzsprSDa4giVjcVbAGxmExoMzS2vyjHtJ7g_8,2277
|
|
3269
3275
|
windmill_api/models/javascript_transform.py,sha256=idgRvtsmj06JSAOF5pRl5YXSbFqy894nPIpImzcAAAE,1742
|
|
3270
3276
|
windmill_api/models/javascript_transform_type.py,sha256=8z88GrNRsTDWMMy0SPruxenaJ3d2LFcAu-f-r4N3qys,158
|
|
3271
3277
|
windmill_api/models/job_search_hit.py,sha256=wBMrb2h-swkHF1z3pRb5lbCtpAwFK-2mQjEQn7KFglg,1534
|
|
@@ -4159,7 +4165,7 @@ windmill_api/models/list_nats_triggers_response_200_item_retry_exponential.py,sh
|
|
|
4159
4165
|
windmill_api/models/list_nats_triggers_response_200_item_retry_retry_if.py,sha256=7PzztEb8ZRXpkqTIpkL6dtIZJIbnkGgzkCHBiAVEn6c,1598
|
|
4160
4166
|
windmill_api/models/list_o_auth_logins_response_200.py,sha256=2SSYSAAi5QIraPY5e_-2aXnJzSMvc5ZlNUGtRJqwEgg,2416
|
|
4161
4167
|
windmill_api/models/list_o_auth_logins_response_200_oauth_item.py,sha256=8VYiDnoZF1kaFGCfMNKZcZSNxb4jiYjhEDsQx2eHXh0,1907
|
|
4162
|
-
windmill_api/models/list_pending_invites_response_200_item.py,sha256=
|
|
4168
|
+
windmill_api/models/list_pending_invites_response_200_item.py,sha256=1TYeRU_ioqA4w8MsdPTfGqB_j0s_Sr-mgYQEBIq_Ghs,2580
|
|
4163
4169
|
windmill_api/models/list_postgres_replication_slot_response_200_item.py,sha256=ZZr4nBzjEqceLMl1NqQwkR5hKhzvH0SQd_2Jn__OfNg,1976
|
|
4164
4170
|
windmill_api/models/list_postgres_triggers_response_200_item.py,sha256=kF-lmH2n6FDJbWoDa70OrIZjB2-kkI2UF6Muua5pvqM,8405
|
|
4165
4171
|
windmill_api/models/list_postgres_triggers_response_200_item_error_handler_args.py,sha256=iEV4JHlSvgA2LZbFdBgD5d8o14z106KXBOp_e_9SrCU,1473
|
|
@@ -4331,7 +4337,7 @@ windmill_api/models/list_tokens_of_flow_response_200_item.py,sha256=5C--MnFumkyM
|
|
|
4331
4337
|
windmill_api/models/list_tokens_of_script_response_200_item.py,sha256=GDIIhjLdBZ_6y8WriimWTwJuLsjaPZbCEFPstrfr3A8,3709
|
|
4332
4338
|
windmill_api/models/list_tokens_response_200_item.py,sha256=5ve1lELULC7h0H7J8sLtR82BzSQpBqagwYhtmTCFgw8,3663
|
|
4333
4339
|
windmill_api/models/list_user_workspaces_response_200.py,sha256=BAnO9piWEGR53SaMdvy3EipJauC7VwRg3wxOrO2fJ6M,2504
|
|
4334
|
-
windmill_api/models/list_user_workspaces_response_200_workspaces_item.py,sha256=
|
|
4340
|
+
windmill_api/models/list_user_workspaces_response_200_workspaces_item.py,sha256=nk6D1r5c8AigkV9FPT8tIvgvH8sKzBSLlxRmyYgdxRo,4289
|
|
4335
4341
|
windmill_api/models/list_user_workspaces_response_200_workspaces_item_operator_settings.py,sha256=U1OLjDz2oJTTFonNDWxaAWHFOPgL4mWBfQoOtDZtGdg,3696
|
|
4336
4342
|
windmill_api/models/list_users_as_super_admin_response_200_item.py,sha256=4u3fB3qr3kMpGeCOhLNq0VwkEkMFZu-yMaenZCNRXWU,3797
|
|
4337
4343
|
windmill_api/models/list_users_as_super_admin_response_200_item_login_type.py,sha256=GqFojYh0I3SpWAhKpt5iup-ck8kMDmSapmBLjZ0XX8U,198
|
|
@@ -4356,9 +4362,9 @@ windmill_api/models/list_websocket_triggers_response_200_item_retry_retry_if.py,
|
|
|
4356
4362
|
windmill_api/models/list_websocket_triggers_response_200_item_url_runnable_args.py,sha256=cFGOF_CKu3g_jus86u6j6rKC0EhIlQXILcaP_caeeKM,1473
|
|
4357
4363
|
windmill_api/models/list_worker_groups_response_200_item.py,sha256=w_PZKDxTlz3OBBTitMFwj0N040mfkd7HFsEuvhThTgQ,1691
|
|
4358
4364
|
windmill_api/models/list_workers_response_200_item.py,sha256=UMwiyS89d7Y8sfKplbFAAHeaSE0UQ4KWgpyIrwNXZbM,6954
|
|
4359
|
-
windmill_api/models/list_workspace_invites_response_200_item.py,sha256=
|
|
4360
|
-
windmill_api/models/list_workspaces_as_super_admin_response_200_item.py,sha256=
|
|
4361
|
-
windmill_api/models/list_workspaces_response_200_item.py,sha256=
|
|
4365
|
+
windmill_api/models/list_workspace_invites_response_200_item.py,sha256=VFawQwo5Tmu0FEWAiggulkUAJk2M8VUkfQgM7x6_VNc,2590
|
|
4366
|
+
windmill_api/models/list_workspaces_as_super_admin_response_200_item.py,sha256=CdatAMNo1xTpO_VkJQUFQPu5Zr_4fXvy73vzTGxEMvo,2779
|
|
4367
|
+
windmill_api/models/list_workspaces_response_200_item.py,sha256=HiULOOLbdGQWRs99t18AniyLhvnw_rHd75GkN4CBk40,2710
|
|
4362
4368
|
windmill_api/models/listable_app.py,sha256=H3zvrjriIfe2q9w_fzDAmDTdPorRAfwlIHnOgKt9SqQ,3827
|
|
4363
4369
|
windmill_api/models/listable_app_execution_mode.py,sha256=Fll87uemkeNqcq2ert1MnuXS7NgCdyph5nGN_VA4bbY,207
|
|
4364
4370
|
windmill_api/models/listable_app_extra_perms.py,sha256=kVa8fCTmGBhfRUbvEIdZi6kSo8p6cDLK0_cH0x4Aos4,1269
|
|
@@ -5316,7 +5322,7 @@ windmill_api/models/user_source.py,sha256=GDXk4JGTqx4pYOYM8C17owox7nBQgQ2_HOJ7T_
|
|
|
5316
5322
|
windmill_api/models/user_source_source.py,sha256=yNYUtOgRXPzBQu0zbF8E5rbqkjrkTCHD2OWAg2KTVrA,203
|
|
5317
5323
|
windmill_api/models/user_usage.py,sha256=3ePY0rntlxIaDIe7iKA7U-taV3OIsR90QWH71zOW6FY,1798
|
|
5318
5324
|
windmill_api/models/user_workspace_list.py,sha256=5xDEkP2JoQEzVmY444NGT-wIeColo4aespbGBFZYGnQ,2325
|
|
5319
|
-
windmill_api/models/user_workspace_list_workspaces_item.py,sha256=
|
|
5325
|
+
windmill_api/models/user_workspace_list_workspaces_item.py,sha256=lqz_6NvyIwTNdVdnR9yNJQOPtsaDJ0TynCmIAMBNoko,4093
|
|
5320
5326
|
windmill_api/models/user_workspace_list_workspaces_item_operator_settings.py,sha256=QkB5dYPV8DPxQDWpr0SQCPu5CM_0EQ7S-D8dY90-ecw,3630
|
|
5321
5327
|
windmill_api/models/webhook_filters.py,sha256=VyJ6SBtlFltHm50FfT9EFM-Lg-PopqN1biHY91teJf0,2673
|
|
5322
5328
|
windmill_api/models/webhook_filters_runnable_kind.py,sha256=Mr6lwWDXKNB-k3F98xHQc1TrL23I11jgBGCMAe93KvI,171
|
|
@@ -5378,7 +5384,7 @@ windmill_api/models/workflow_status_record.py,sha256=G80ixgFYomKT1Yp0mmDXHYvIBE1
|
|
|
5378
5384
|
windmill_api/models/workflow_status_record_additional_property.py,sha256=pM8siiUXW262BfOHWJQLa6l4AR3ievw4SpjS5fzXkmk,3297
|
|
5379
5385
|
windmill_api/models/workflow_task.py,sha256=_Ti05nVzIZUaedi2mw_tTYPbjWM6Kwni6YF8PArUu24,1694
|
|
5380
5386
|
windmill_api/models/workflow_task_args.py,sha256=fvdj91DDVxTkKTC6pF7ab_q-GrOMHdYk607SPvxG5xs,1280
|
|
5381
|
-
windmill_api/models/workspace.py,sha256=
|
|
5387
|
+
windmill_api/models/workspace.py,sha256=KoBM2o_fhs7zGSmu2zLouv7eynMFwKA5OtLkmFeIkjU,2598
|
|
5382
5388
|
windmill_api/models/workspace_default_scripts.py,sha256=TAOqlGzBp4x1g8fOcTThWpqpjxTDcJZ1yE0s-_yOsnc,2506
|
|
5383
5389
|
windmill_api/models/workspace_deploy_ui_settings.py,sha256=TGzzRl609jiVEVW4VwqeB98R8s-IyyEelRXGh7M3io4,2834
|
|
5384
5390
|
windmill_api/models/workspace_deploy_ui_settings_include_type_item.py,sha256=O1mvUwqzld2z9TuFnA13i_ghk_5-lqmAH1IYa5Iezvw,461
|
|
@@ -5391,11 +5397,11 @@ windmill_api/models/workspace_git_sync_settings_repositories_item_settings.py,sh
|
|
|
5391
5397
|
windmill_api/models/workspace_git_sync_settings_repositories_item_settings_include_type_item.py,sha256=lubjjNkSHXEP28MEkyM8LYf2TEz4bhdsO7Kya3v8Etc,484
|
|
5392
5398
|
windmill_api/models/workspace_github_installation.py,sha256=Vqwewx9pTGHUp_NzRIKQw9zhOiTWojR8qG9LHGycG90,1816
|
|
5393
5399
|
windmill_api/models/workspace_info.py,sha256=aX9gE8MpkcGRyFk0dPI8oT_PtBs_Q34S2fv8cb2xxYc,2158
|
|
5394
|
-
windmill_api/models/workspace_invite.py,sha256=
|
|
5400
|
+
windmill_api/models/workspace_invite.py,sha256=wp-J-VJLkXsfQzw1PdNPGQhETsFCFXh1e2TRvdWs1es,2478
|
|
5395
5401
|
windmill_api/models/workspace_mute_critical_alerts_ui_json_body.py,sha256=y8ZwkWEZgavVc-FgLuZZ4z8YPCLxjPcMfdGdKjGM6VQ,1883
|
|
5396
5402
|
windmill_api/py.typed,sha256=8ZJUsxZiuOy1oJeVhsTWQhTG_6pTVHVXk5hJL79ebTk,25
|
|
5397
5403
|
windmill_api/types.py,sha256=GoYub3t4hQP2Yn5tsvShsBfIY3vHUmblU0MXszDx_V0,968
|
|
5398
|
-
windmill_api-1.
|
|
5399
|
-
windmill_api-1.
|
|
5400
|
-
windmill_api-1.
|
|
5401
|
-
windmill_api-1.
|
|
5404
|
+
windmill_api-1.542.0.dist-info/LICENSE,sha256=qJVFNTaOevCeSY6NoXeUG1SPOwQ1K-PxVQ2iEWJzX-A,11348
|
|
5405
|
+
windmill_api-1.542.0.dist-info/METADATA,sha256=lZGNTFTgp3QRgHK5froiKVkHifmSdoOHroJWa_szhg4,5023
|
|
5406
|
+
windmill_api-1.542.0.dist-info/WHEEL,sha256=d2fvjOD7sXsVzChCqf0Ty0JbHKBaLYwDbGQDwQTnJ50,88
|
|
5407
|
+
windmill_api-1.542.0.dist-info/RECORD,,
|
|
File without changes
|
|
File without changes
|