dart-tools 0.8.2__py3-none-any.whl → 0.8.4__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.
dart/dart.py CHANGED
@@ -120,7 +120,7 @@ _HELP_TEXT_TO_COMMAND = {
120
120
  _CREATE_DOC_CMD: _get_help_text(api.create_doc.sync_detailed),
121
121
  _UPDATE_DOC_CMD: _get_help_text(api.update_doc.sync_detailed),
122
122
  _DELETE_DOC_CMD: _get_help_text(api.delete_doc.sync_detailed),
123
- _CREATE_COMMENT_CMD: _get_help_text(api.create_comment.sync_detailed),
123
+ _CREATE_COMMENT_CMD: _get_help_text(api.add_task_comment.sync_detailed),
124
124
  }
125
125
 
126
126
  _is_cli = False
@@ -313,7 +313,7 @@ class Dart:
313
313
 
314
314
  @_handle_request_errors
315
315
  def retrieve_task(self, id: str) -> WrappedTask:
316
- response = api.retrieve_task.sync_detailed(id, client=self._public_api)
316
+ response = api.get_task.sync_detailed(id, client=self._public_api)
317
317
  return _get_response_parsed(response, not_found_message=f"Task with ID {id} not found.")
318
318
 
319
319
  @_handle_request_errors
@@ -333,7 +333,7 @@ class Dart:
333
333
 
334
334
  @_handle_request_errors
335
335
  def create_comment(self, body: WrappedCommentCreate) -> WrappedComment:
336
- response = api.create_comment.sync_detailed(client=self._public_api, body=body)
336
+ response = api.add_task_comment.sync_detailed(client=self._public_api, body=body)
337
337
  return _get_response_parsed(response)
338
338
 
339
339
  @_handle_request_errors
@@ -348,7 +348,7 @@ class Dart:
348
348
 
349
349
  @_handle_request_errors
350
350
  def retrieve_doc(self, id: str) -> WrappedDoc:
351
- response = api.retrieve_doc.sync_detailed(id, client=self._public_api)
351
+ response = api.get_doc.sync_detailed(id, client=self._public_api)
352
352
  return _get_response_parsed(response, not_found_message=f"Doc with ID {id} not found.")
353
353
 
354
354
  @_handle_request_errors
@@ -1,11 +1,12 @@
1
1
  """Contains methods for accessing the API"""
2
2
 
3
- from .comment import create_comment, list_comments
3
+ from .attachment import add_task_attachment_from_url
4
+ from .comment import add_task_comment, list_comments
4
5
  from .config import get_config
5
- from .dartboard import retrieve_dartboard
6
- from .doc import create_doc, delete_doc, list_docs, retrieve_doc, update_doc
7
- from .folder import retrieve_folder
6
+ from .dartboard import get_dartboard
7
+ from .doc import create_doc, delete_doc, get_doc, list_docs, update_doc
8
+ from .folder import get_folder
8
9
  from .help_center_article import list_help_center_articles
9
10
  from .skill import retrieve_skill_by_title
10
- from .task import create_task, delete_task, list_tasks, retrieve_task, update_task
11
- from .view import retrieve_view
11
+ from .task import create_task, delete_task, get_task, list_tasks, update_task
12
+ from .view import get_view
@@ -0,0 +1 @@
1
+ """Contains endpoint functions for accessing the API"""
@@ -0,0 +1,190 @@
1
+ from http import HTTPStatus
2
+ from typing import Any, Optional, Union, cast
3
+
4
+ import httpx
5
+
6
+ from ... import errors
7
+ from ...client import AuthenticatedClient, Client
8
+ from ...models.attachment import Attachment
9
+ from ...models.attachment_create_from_url import AttachmentCreateFromUrl
10
+ from ...types import Response
11
+
12
+
13
+ def _get_kwargs(
14
+ id: str,
15
+ *,
16
+ body: AttachmentCreateFromUrl,
17
+ ) -> dict[str, Any]:
18
+ headers: dict[str, Any] = {}
19
+
20
+ _kwargs: dict[str, Any] = {
21
+ "method": "post",
22
+ "url": "/tasks/{id}/attachments/from-url".format(
23
+ id=id,
24
+ ),
25
+ }
26
+
27
+ _body = body.to_dict()
28
+
29
+ _kwargs["json"] = _body
30
+ headers["Content-Type"] = "application/json"
31
+
32
+ _kwargs["headers"] = headers
33
+ return _kwargs
34
+
35
+
36
+ def _parse_response(
37
+ *, client: Union[AuthenticatedClient, Client], response: httpx.Response
38
+ ) -> Optional[Union[Any, Attachment]]:
39
+ if response.status_code == 200:
40
+ response_200 = Attachment.from_dict(response.json())
41
+
42
+ return response_200
43
+ if response.status_code == 400:
44
+ response_400 = cast(Any, None)
45
+ return response_400
46
+ if client.raise_on_unexpected_status:
47
+ raise errors.UnexpectedStatus(response.status_code, response.content)
48
+ else:
49
+ return None
50
+
51
+
52
+ def _build_response(
53
+ *, client: Union[AuthenticatedClient, Client], response: httpx.Response
54
+ ) -> Response[Union[Any, Attachment]]:
55
+ return Response(
56
+ status_code=HTTPStatus(response.status_code),
57
+ content=response.content,
58
+ headers=response.headers,
59
+ parsed=_parse_response(client=client, response=response),
60
+ )
61
+
62
+
63
+ def sync_detailed(
64
+ id: str,
65
+ *,
66
+ client: Union[AuthenticatedClient, Client],
67
+ body: AttachmentCreateFromUrl,
68
+ ) -> Response[Union[Any, Attachment]]:
69
+ """Attach a file from a provided URL to a task
70
+
71
+ Attach a file from a provided URL to a task. The file will be downloaded and attached
72
+ asynchronously. This operation may take a few moments to complete.
73
+
74
+ Args:
75
+ id (str):
76
+ body (AttachmentCreateFromUrl):
77
+
78
+ Raises:
79
+ errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
80
+ httpx.TimeoutException: If the request takes longer than Client.timeout.
81
+
82
+ Returns:
83
+ Response[Union[Any, Attachment]]
84
+ """
85
+
86
+ kwargs = _get_kwargs(
87
+ id=id,
88
+ body=body,
89
+ )
90
+
91
+ response = client.get_httpx_client().request(
92
+ **kwargs,
93
+ )
94
+
95
+ return _build_response(client=client, response=response)
96
+
97
+
98
+ def sync(
99
+ id: str,
100
+ *,
101
+ client: Union[AuthenticatedClient, Client],
102
+ body: AttachmentCreateFromUrl,
103
+ ) -> Optional[Union[Any, Attachment]]:
104
+ """Attach a file from a provided URL to a task
105
+
106
+ Attach a file from a provided URL to a task. The file will be downloaded and attached
107
+ asynchronously. This operation may take a few moments to complete.
108
+
109
+ Args:
110
+ id (str):
111
+ body (AttachmentCreateFromUrl):
112
+
113
+ Raises:
114
+ errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
115
+ httpx.TimeoutException: If the request takes longer than Client.timeout.
116
+
117
+ Returns:
118
+ Union[Any, Attachment]
119
+ """
120
+
121
+ return sync_detailed(
122
+ id=id,
123
+ client=client,
124
+ body=body,
125
+ ).parsed
126
+
127
+
128
+ async def asyncio_detailed(
129
+ id: str,
130
+ *,
131
+ client: Union[AuthenticatedClient, Client],
132
+ body: AttachmentCreateFromUrl,
133
+ ) -> Response[Union[Any, Attachment]]:
134
+ """Attach a file from a provided URL to a task
135
+
136
+ Attach a file from a provided URL to a task. The file will be downloaded and attached
137
+ asynchronously. This operation may take a few moments to complete.
138
+
139
+ Args:
140
+ id (str):
141
+ body (AttachmentCreateFromUrl):
142
+
143
+ Raises:
144
+ errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
145
+ httpx.TimeoutException: If the request takes longer than Client.timeout.
146
+
147
+ Returns:
148
+ Response[Union[Any, Attachment]]
149
+ """
150
+
151
+ kwargs = _get_kwargs(
152
+ id=id,
153
+ body=body,
154
+ )
155
+
156
+ response = await client.get_async_httpx_client().request(**kwargs)
157
+
158
+ return _build_response(client=client, response=response)
159
+
160
+
161
+ async def asyncio(
162
+ id: str,
163
+ *,
164
+ client: Union[AuthenticatedClient, Client],
165
+ body: AttachmentCreateFromUrl,
166
+ ) -> Optional[Union[Any, Attachment]]:
167
+ """Attach a file from a provided URL to a task
168
+
169
+ Attach a file from a provided URL to a task. The file will be downloaded and attached
170
+ asynchronously. This operation may take a few moments to complete.
171
+
172
+ Args:
173
+ id (str):
174
+ body (AttachmentCreateFromUrl):
175
+
176
+ Raises:
177
+ errors.UnexpectedStatus: If the server returns an undocumented status code and Client.raise_on_unexpected_status is True.
178
+ httpx.TimeoutException: If the request takes longer than Client.timeout.
179
+
180
+ Returns:
181
+ Union[Any, Attachment]
182
+ """
183
+
184
+ return (
185
+ await asyncio_detailed(
186
+ id=id,
187
+ client=client,
188
+ body=body,
189
+ )
190
+ ).parsed
@@ -20,6 +20,7 @@ def _get_kwargs(
20
20
  o: Union[Unset, list[ListCommentsOItem]] = UNSET,
21
21
  offset: Union[Unset, int] = UNSET,
22
22
  parent_id: Union[Unset, str] = UNSET,
23
+ published_at: Union[Unset, datetime.datetime] = UNSET,
23
24
  published_at_after: Union[Unset, datetime.datetime] = UNSET,
24
25
  published_at_before: Union[Unset, datetime.datetime] = UNSET,
25
26
  task: Union[Unset, str] = UNSET,
@@ -49,6 +50,11 @@ def _get_kwargs(
49
50
 
50
51
  params["parent_id"] = parent_id
51
52
 
53
+ json_published_at: Union[Unset, str] = UNSET
54
+ if not isinstance(published_at, Unset):
55
+ json_published_at = published_at.isoformat()
56
+ params["published_at"] = json_published_at
57
+
52
58
  json_published_at_after: Union[Unset, str] = UNSET
53
59
  if not isinstance(published_at_after, Unset):
54
60
  json_published_at_after = published_at_after.isoformat()
@@ -110,6 +116,7 @@ def sync_detailed(
110
116
  o: Union[Unset, list[ListCommentsOItem]] = UNSET,
111
117
  offset: Union[Unset, int] = UNSET,
112
118
  parent_id: Union[Unset, str] = UNSET,
119
+ published_at: Union[Unset, datetime.datetime] = UNSET,
113
120
  published_at_after: Union[Unset, datetime.datetime] = UNSET,
114
121
  published_at_before: Union[Unset, datetime.datetime] = UNSET,
115
122
  task: Union[Unset, str] = UNSET,
@@ -127,6 +134,7 @@ def sync_detailed(
127
134
  o (Union[Unset, list[ListCommentsOItem]]):
128
135
  offset (Union[Unset, int]):
129
136
  parent_id (Union[Unset, str]):
137
+ published_at (Union[Unset, datetime.datetime]):
130
138
  published_at_after (Union[Unset, datetime.datetime]):
131
139
  published_at_before (Union[Unset, datetime.datetime]):
132
140
  task (Union[Unset, str]):
@@ -149,6 +157,7 @@ def sync_detailed(
149
157
  o=o,
150
158
  offset=offset,
151
159
  parent_id=parent_id,
160
+ published_at=published_at,
152
161
  published_at_after=published_at_after,
153
162
  published_at_before=published_at_before,
154
163
  task=task,
@@ -173,6 +182,7 @@ def sync(
173
182
  o: Union[Unset, list[ListCommentsOItem]] = UNSET,
174
183
  offset: Union[Unset, int] = UNSET,
175
184
  parent_id: Union[Unset, str] = UNSET,
185
+ published_at: Union[Unset, datetime.datetime] = UNSET,
176
186
  published_at_after: Union[Unset, datetime.datetime] = UNSET,
177
187
  published_at_before: Union[Unset, datetime.datetime] = UNSET,
178
188
  task: Union[Unset, str] = UNSET,
@@ -190,6 +200,7 @@ def sync(
190
200
  o (Union[Unset, list[ListCommentsOItem]]):
191
201
  offset (Union[Unset, int]):
192
202
  parent_id (Union[Unset, str]):
203
+ published_at (Union[Unset, datetime.datetime]):
193
204
  published_at_after (Union[Unset, datetime.datetime]):
194
205
  published_at_before (Union[Unset, datetime.datetime]):
195
206
  task (Union[Unset, str]):
@@ -213,6 +224,7 @@ def sync(
213
224
  o=o,
214
225
  offset=offset,
215
226
  parent_id=parent_id,
227
+ published_at=published_at,
216
228
  published_at_after=published_at_after,
217
229
  published_at_before=published_at_before,
218
230
  task=task,
@@ -231,6 +243,7 @@ async def asyncio_detailed(
231
243
  o: Union[Unset, list[ListCommentsOItem]] = UNSET,
232
244
  offset: Union[Unset, int] = UNSET,
233
245
  parent_id: Union[Unset, str] = UNSET,
246
+ published_at: Union[Unset, datetime.datetime] = UNSET,
234
247
  published_at_after: Union[Unset, datetime.datetime] = UNSET,
235
248
  published_at_before: Union[Unset, datetime.datetime] = UNSET,
236
249
  task: Union[Unset, str] = UNSET,
@@ -248,6 +261,7 @@ async def asyncio_detailed(
248
261
  o (Union[Unset, list[ListCommentsOItem]]):
249
262
  offset (Union[Unset, int]):
250
263
  parent_id (Union[Unset, str]):
264
+ published_at (Union[Unset, datetime.datetime]):
251
265
  published_at_after (Union[Unset, datetime.datetime]):
252
266
  published_at_before (Union[Unset, datetime.datetime]):
253
267
  task (Union[Unset, str]):
@@ -270,6 +284,7 @@ async def asyncio_detailed(
270
284
  o=o,
271
285
  offset=offset,
272
286
  parent_id=parent_id,
287
+ published_at=published_at,
273
288
  published_at_after=published_at_after,
274
289
  published_at_before=published_at_before,
275
290
  task=task,
@@ -292,6 +307,7 @@ async def asyncio(
292
307
  o: Union[Unset, list[ListCommentsOItem]] = UNSET,
293
308
  offset: Union[Unset, int] = UNSET,
294
309
  parent_id: Union[Unset, str] = UNSET,
310
+ published_at: Union[Unset, datetime.datetime] = UNSET,
295
311
  published_at_after: Union[Unset, datetime.datetime] = UNSET,
296
312
  published_at_before: Union[Unset, datetime.datetime] = UNSET,
297
313
  task: Union[Unset, str] = UNSET,
@@ -309,6 +325,7 @@ async def asyncio(
309
325
  o (Union[Unset, list[ListCommentsOItem]]):
310
326
  offset (Union[Unset, int]):
311
327
  parent_id (Union[Unset, str]):
328
+ published_at (Union[Unset, datetime.datetime]):
312
329
  published_at_after (Union[Unset, datetime.datetime]):
313
330
  published_at_before (Union[Unset, datetime.datetime]):
314
331
  task (Union[Unset, str]):
@@ -333,6 +350,7 @@ async def asyncio(
333
350
  o=o,
334
351
  offset=offset,
335
352
  parent_id=parent_id,
353
+ published_at=published_at,
336
354
  published_at_after=published_at_after,
337
355
  published_at_before=published_at_before,
338
356
  task=task,
@@ -17,8 +17,9 @@ def _get_kwargs(
17
17
  dartboard: Union[Unset, str] = UNSET,
18
18
  dartboard_id: Union[Unset, str] = UNSET,
19
19
  description: Union[Unset, str] = UNSET,
20
- due_at_after: Union[Unset, datetime.date] = UNSET,
21
- due_at_before: Union[Unset, datetime.date] = UNSET,
20
+ due_at: Union[Unset, datetime.datetime] = UNSET,
21
+ due_at_after: Union[Unset, datetime.datetime] = UNSET,
22
+ due_at_before: Union[Unset, datetime.datetime] = UNSET,
22
23
  ids: Union[Unset, str] = UNSET,
23
24
  in_trash: Union[Unset, bool] = UNSET,
24
25
  is_completed: Union[Unset, bool] = UNSET,
@@ -27,8 +28,9 @@ def _get_kwargs(
27
28
  parent_id: Union[Unset, str] = UNSET,
28
29
  priority: Union[Unset, str] = UNSET,
29
30
  size: Union[Unset, int] = UNSET,
30
- start_at_after: Union[Unset, datetime.date] = UNSET,
31
- start_at_before: Union[Unset, datetime.date] = UNSET,
31
+ start_at: Union[Unset, datetime.datetime] = UNSET,
32
+ start_at_after: Union[Unset, datetime.datetime] = UNSET,
33
+ start_at_before: Union[Unset, datetime.datetime] = UNSET,
32
34
  status: Union[Unset, str] = UNSET,
33
35
  status_id: Union[Unset, str] = UNSET,
34
36
  tag: Union[Unset, str] = UNSET,
@@ -51,6 +53,11 @@ def _get_kwargs(
51
53
 
52
54
  params["description"] = description
53
55
 
56
+ json_due_at: Union[Unset, str] = UNSET
57
+ if not isinstance(due_at, Unset):
58
+ json_due_at = due_at.isoformat()
59
+ params["due_at"] = json_due_at
60
+
54
61
  json_due_at_after: Union[Unset, str] = UNSET
55
62
  if not isinstance(due_at_after, Unset):
56
63
  json_due_at_after = due_at_after.isoformat()
@@ -77,6 +84,11 @@ def _get_kwargs(
77
84
 
78
85
  params["size"] = size
79
86
 
87
+ json_start_at: Union[Unset, str] = UNSET
88
+ if not isinstance(start_at, Unset):
89
+ json_start_at = start_at.isoformat()
90
+ params["start_at"] = json_start_at
91
+
80
92
  json_start_at_after: Union[Unset, str] = UNSET
81
93
  if not isinstance(start_at_after, Unset):
82
94
  json_start_at_after = start_at_after.isoformat()
@@ -148,8 +160,9 @@ def sync_detailed(
148
160
  dartboard: Union[Unset, str] = UNSET,
149
161
  dartboard_id: Union[Unset, str] = UNSET,
150
162
  description: Union[Unset, str] = UNSET,
151
- due_at_after: Union[Unset, datetime.date] = UNSET,
152
- due_at_before: Union[Unset, datetime.date] = UNSET,
163
+ due_at: Union[Unset, datetime.datetime] = UNSET,
164
+ due_at_after: Union[Unset, datetime.datetime] = UNSET,
165
+ due_at_before: Union[Unset, datetime.datetime] = UNSET,
153
166
  ids: Union[Unset, str] = UNSET,
154
167
  in_trash: Union[Unset, bool] = UNSET,
155
168
  is_completed: Union[Unset, bool] = UNSET,
@@ -158,8 +171,9 @@ def sync_detailed(
158
171
  parent_id: Union[Unset, str] = UNSET,
159
172
  priority: Union[Unset, str] = UNSET,
160
173
  size: Union[Unset, int] = UNSET,
161
- start_at_after: Union[Unset, datetime.date] = UNSET,
162
- start_at_before: Union[Unset, datetime.date] = UNSET,
174
+ start_at: Union[Unset, datetime.datetime] = UNSET,
175
+ start_at_after: Union[Unset, datetime.datetime] = UNSET,
176
+ start_at_before: Union[Unset, datetime.datetime] = UNSET,
163
177
  status: Union[Unset, str] = UNSET,
164
178
  status_id: Union[Unset, str] = UNSET,
165
179
  tag: Union[Unset, str] = UNSET,
@@ -179,8 +193,9 @@ def sync_detailed(
179
193
  dartboard (Union[Unset, str]):
180
194
  dartboard_id (Union[Unset, str]):
181
195
  description (Union[Unset, str]):
182
- due_at_after (Union[Unset, datetime.date]):
183
- due_at_before (Union[Unset, datetime.date]):
196
+ due_at (Union[Unset, datetime.datetime]):
197
+ due_at_after (Union[Unset, datetime.datetime]):
198
+ due_at_before (Union[Unset, datetime.datetime]):
184
199
  ids (Union[Unset, str]):
185
200
  in_trash (Union[Unset, bool]):
186
201
  is_completed (Union[Unset, bool]):
@@ -189,8 +204,9 @@ def sync_detailed(
189
204
  parent_id (Union[Unset, str]):
190
205
  priority (Union[Unset, str]):
191
206
  size (Union[Unset, int]):
192
- start_at_after (Union[Unset, datetime.date]):
193
- start_at_before (Union[Unset, datetime.date]):
207
+ start_at (Union[Unset, datetime.datetime]):
208
+ start_at_after (Union[Unset, datetime.datetime]):
209
+ start_at_before (Union[Unset, datetime.datetime]):
194
210
  status (Union[Unset, str]):
195
211
  status_id (Union[Unset, str]):
196
212
  tag (Union[Unset, str]):
@@ -215,6 +231,7 @@ def sync_detailed(
215
231
  dartboard=dartboard,
216
232
  dartboard_id=dartboard_id,
217
233
  description=description,
234
+ due_at=due_at,
218
235
  due_at_after=due_at_after,
219
236
  due_at_before=due_at_before,
220
237
  ids=ids,
@@ -225,6 +242,7 @@ def sync_detailed(
225
242
  parent_id=parent_id,
226
243
  priority=priority,
227
244
  size=size,
245
+ start_at=start_at,
228
246
  start_at_after=start_at_after,
229
247
  start_at_before=start_at_before,
230
248
  status=status,
@@ -253,8 +271,9 @@ def sync(
253
271
  dartboard: Union[Unset, str] = UNSET,
254
272
  dartboard_id: Union[Unset, str] = UNSET,
255
273
  description: Union[Unset, str] = UNSET,
256
- due_at_after: Union[Unset, datetime.date] = UNSET,
257
- due_at_before: Union[Unset, datetime.date] = UNSET,
274
+ due_at: Union[Unset, datetime.datetime] = UNSET,
275
+ due_at_after: Union[Unset, datetime.datetime] = UNSET,
276
+ due_at_before: Union[Unset, datetime.datetime] = UNSET,
258
277
  ids: Union[Unset, str] = UNSET,
259
278
  in_trash: Union[Unset, bool] = UNSET,
260
279
  is_completed: Union[Unset, bool] = UNSET,
@@ -263,8 +282,9 @@ def sync(
263
282
  parent_id: Union[Unset, str] = UNSET,
264
283
  priority: Union[Unset, str] = UNSET,
265
284
  size: Union[Unset, int] = UNSET,
266
- start_at_after: Union[Unset, datetime.date] = UNSET,
267
- start_at_before: Union[Unset, datetime.date] = UNSET,
285
+ start_at: Union[Unset, datetime.datetime] = UNSET,
286
+ start_at_after: Union[Unset, datetime.datetime] = UNSET,
287
+ start_at_before: Union[Unset, datetime.datetime] = UNSET,
268
288
  status: Union[Unset, str] = UNSET,
269
289
  status_id: Union[Unset, str] = UNSET,
270
290
  tag: Union[Unset, str] = UNSET,
@@ -284,8 +304,9 @@ def sync(
284
304
  dartboard (Union[Unset, str]):
285
305
  dartboard_id (Union[Unset, str]):
286
306
  description (Union[Unset, str]):
287
- due_at_after (Union[Unset, datetime.date]):
288
- due_at_before (Union[Unset, datetime.date]):
307
+ due_at (Union[Unset, datetime.datetime]):
308
+ due_at_after (Union[Unset, datetime.datetime]):
309
+ due_at_before (Union[Unset, datetime.datetime]):
289
310
  ids (Union[Unset, str]):
290
311
  in_trash (Union[Unset, bool]):
291
312
  is_completed (Union[Unset, bool]):
@@ -294,8 +315,9 @@ def sync(
294
315
  parent_id (Union[Unset, str]):
295
316
  priority (Union[Unset, str]):
296
317
  size (Union[Unset, int]):
297
- start_at_after (Union[Unset, datetime.date]):
298
- start_at_before (Union[Unset, datetime.date]):
318
+ start_at (Union[Unset, datetime.datetime]):
319
+ start_at_after (Union[Unset, datetime.datetime]):
320
+ start_at_before (Union[Unset, datetime.datetime]):
299
321
  status (Union[Unset, str]):
300
322
  status_id (Union[Unset, str]):
301
323
  tag (Union[Unset, str]):
@@ -321,6 +343,7 @@ def sync(
321
343
  dartboard=dartboard,
322
344
  dartboard_id=dartboard_id,
323
345
  description=description,
346
+ due_at=due_at,
324
347
  due_at_after=due_at_after,
325
348
  due_at_before=due_at_before,
326
349
  ids=ids,
@@ -331,6 +354,7 @@ def sync(
331
354
  parent_id=parent_id,
332
355
  priority=priority,
333
356
  size=size,
357
+ start_at=start_at,
334
358
  start_at_after=start_at_after,
335
359
  start_at_before=start_at_before,
336
360
  status=status,
@@ -353,8 +377,9 @@ async def asyncio_detailed(
353
377
  dartboard: Union[Unset, str] = UNSET,
354
378
  dartboard_id: Union[Unset, str] = UNSET,
355
379
  description: Union[Unset, str] = UNSET,
356
- due_at_after: Union[Unset, datetime.date] = UNSET,
357
- due_at_before: Union[Unset, datetime.date] = UNSET,
380
+ due_at: Union[Unset, datetime.datetime] = UNSET,
381
+ due_at_after: Union[Unset, datetime.datetime] = UNSET,
382
+ due_at_before: Union[Unset, datetime.datetime] = UNSET,
358
383
  ids: Union[Unset, str] = UNSET,
359
384
  in_trash: Union[Unset, bool] = UNSET,
360
385
  is_completed: Union[Unset, bool] = UNSET,
@@ -363,8 +388,9 @@ async def asyncio_detailed(
363
388
  parent_id: Union[Unset, str] = UNSET,
364
389
  priority: Union[Unset, str] = UNSET,
365
390
  size: Union[Unset, int] = UNSET,
366
- start_at_after: Union[Unset, datetime.date] = UNSET,
367
- start_at_before: Union[Unset, datetime.date] = UNSET,
391
+ start_at: Union[Unset, datetime.datetime] = UNSET,
392
+ start_at_after: Union[Unset, datetime.datetime] = UNSET,
393
+ start_at_before: Union[Unset, datetime.datetime] = UNSET,
368
394
  status: Union[Unset, str] = UNSET,
369
395
  status_id: Union[Unset, str] = UNSET,
370
396
  tag: Union[Unset, str] = UNSET,
@@ -384,8 +410,9 @@ async def asyncio_detailed(
384
410
  dartboard (Union[Unset, str]):
385
411
  dartboard_id (Union[Unset, str]):
386
412
  description (Union[Unset, str]):
387
- due_at_after (Union[Unset, datetime.date]):
388
- due_at_before (Union[Unset, datetime.date]):
413
+ due_at (Union[Unset, datetime.datetime]):
414
+ due_at_after (Union[Unset, datetime.datetime]):
415
+ due_at_before (Union[Unset, datetime.datetime]):
389
416
  ids (Union[Unset, str]):
390
417
  in_trash (Union[Unset, bool]):
391
418
  is_completed (Union[Unset, bool]):
@@ -394,8 +421,9 @@ async def asyncio_detailed(
394
421
  parent_id (Union[Unset, str]):
395
422
  priority (Union[Unset, str]):
396
423
  size (Union[Unset, int]):
397
- start_at_after (Union[Unset, datetime.date]):
398
- start_at_before (Union[Unset, datetime.date]):
424
+ start_at (Union[Unset, datetime.datetime]):
425
+ start_at_after (Union[Unset, datetime.datetime]):
426
+ start_at_before (Union[Unset, datetime.datetime]):
399
427
  status (Union[Unset, str]):
400
428
  status_id (Union[Unset, str]):
401
429
  tag (Union[Unset, str]):
@@ -420,6 +448,7 @@ async def asyncio_detailed(
420
448
  dartboard=dartboard,
421
449
  dartboard_id=dartboard_id,
422
450
  description=description,
451
+ due_at=due_at,
423
452
  due_at_after=due_at_after,
424
453
  due_at_before=due_at_before,
425
454
  ids=ids,
@@ -430,6 +459,7 @@ async def asyncio_detailed(
430
459
  parent_id=parent_id,
431
460
  priority=priority,
432
461
  size=size,
462
+ start_at=start_at,
433
463
  start_at_after=start_at_after,
434
464
  start_at_before=start_at_before,
435
465
  status=status,
@@ -456,8 +486,9 @@ async def asyncio(
456
486
  dartboard: Union[Unset, str] = UNSET,
457
487
  dartboard_id: Union[Unset, str] = UNSET,
458
488
  description: Union[Unset, str] = UNSET,
459
- due_at_after: Union[Unset, datetime.date] = UNSET,
460
- due_at_before: Union[Unset, datetime.date] = UNSET,
489
+ due_at: Union[Unset, datetime.datetime] = UNSET,
490
+ due_at_after: Union[Unset, datetime.datetime] = UNSET,
491
+ due_at_before: Union[Unset, datetime.datetime] = UNSET,
461
492
  ids: Union[Unset, str] = UNSET,
462
493
  in_trash: Union[Unset, bool] = UNSET,
463
494
  is_completed: Union[Unset, bool] = UNSET,
@@ -466,8 +497,9 @@ async def asyncio(
466
497
  parent_id: Union[Unset, str] = UNSET,
467
498
  priority: Union[Unset, str] = UNSET,
468
499
  size: Union[Unset, int] = UNSET,
469
- start_at_after: Union[Unset, datetime.date] = UNSET,
470
- start_at_before: Union[Unset, datetime.date] = UNSET,
500
+ start_at: Union[Unset, datetime.datetime] = UNSET,
501
+ start_at_after: Union[Unset, datetime.datetime] = UNSET,
502
+ start_at_before: Union[Unset, datetime.datetime] = UNSET,
471
503
  status: Union[Unset, str] = UNSET,
472
504
  status_id: Union[Unset, str] = UNSET,
473
505
  tag: Union[Unset, str] = UNSET,
@@ -487,8 +519,9 @@ async def asyncio(
487
519
  dartboard (Union[Unset, str]):
488
520
  dartboard_id (Union[Unset, str]):
489
521
  description (Union[Unset, str]):
490
- due_at_after (Union[Unset, datetime.date]):
491
- due_at_before (Union[Unset, datetime.date]):
522
+ due_at (Union[Unset, datetime.datetime]):
523
+ due_at_after (Union[Unset, datetime.datetime]):
524
+ due_at_before (Union[Unset, datetime.datetime]):
492
525
  ids (Union[Unset, str]):
493
526
  in_trash (Union[Unset, bool]):
494
527
  is_completed (Union[Unset, bool]):
@@ -497,8 +530,9 @@ async def asyncio(
497
530
  parent_id (Union[Unset, str]):
498
531
  priority (Union[Unset, str]):
499
532
  size (Union[Unset, int]):
500
- start_at_after (Union[Unset, datetime.date]):
501
- start_at_before (Union[Unset, datetime.date]):
533
+ start_at (Union[Unset, datetime.datetime]):
534
+ start_at_after (Union[Unset, datetime.datetime]):
535
+ start_at_before (Union[Unset, datetime.datetime]):
502
536
  status (Union[Unset, str]):
503
537
  status_id (Union[Unset, str]):
504
538
  tag (Union[Unset, str]):
@@ -525,6 +559,7 @@ async def asyncio(
525
559
  dartboard=dartboard,
526
560
  dartboard_id=dartboard_id,
527
561
  description=description,
562
+ due_at=due_at,
528
563
  due_at_after=due_at_after,
529
564
  due_at_before=due_at_before,
530
565
  ids=ids,
@@ -535,6 +570,7 @@ async def asyncio(
535
570
  parent_id=parent_id,
536
571
  priority=priority,
537
572
  size=size,
573
+ start_at=start_at,
538
574
  start_at_after=start_at_after,
539
575
  start_at_before=start_at_before,
540
576
  status=status,
@@ -1,5 +1,7 @@
1
1
  """Contains all the data models used in inputs/outputs"""
2
2
 
3
+ from .attachment import Attachment
4
+ from .attachment_create_from_url import AttachmentCreateFromUrl
3
5
  from .comment import Comment
4
6
  from .comment_create import CommentCreate
5
7
  from .concise_doc import ConciseDoc
@@ -70,6 +72,8 @@ from .wrapped_task_update import WrappedTaskUpdate
70
72
  from .wrapped_view import WrappedView
71
73
 
72
74
  __all__ = (
75
+ "Attachment",
76
+ "AttachmentCreateFromUrl",
73
77
  "Comment",
74
78
  "CommentCreate",
75
79
  "ConciseDoc",
@@ -0,0 +1,67 @@
1
+ from collections.abc import Mapping
2
+ from typing import Any, TypeVar
3
+
4
+ from attrs import define as _attrs_define
5
+ from attrs import field as _attrs_field
6
+
7
+ T = TypeVar("T", bound="Attachment")
8
+
9
+
10
+ @_attrs_define
11
+ class Attachment:
12
+ """
13
+ Attributes:
14
+ name (str): The name of the attachment.
15
+ url (str): The link to access the attachment.
16
+ """
17
+
18
+ name: str
19
+ url: str
20
+ additional_properties: dict[str, Any] = _attrs_field(init=False, factory=dict)
21
+
22
+ def to_dict(self) -> dict[str, Any]:
23
+ name = self.name
24
+
25
+ url = self.url
26
+
27
+ field_dict: dict[str, Any] = {}
28
+ field_dict.update(self.additional_properties)
29
+ field_dict.update(
30
+ {
31
+ "name": name,
32
+ "url": url,
33
+ }
34
+ )
35
+
36
+ return field_dict
37
+
38
+ @classmethod
39
+ def from_dict(cls: type[T], src_dict: Mapping[str, Any]) -> T:
40
+ d = dict(src_dict)
41
+ name = d.pop("name")
42
+
43
+ url = d.pop("url")
44
+
45
+ attachment = cls(
46
+ name=name,
47
+ url=url,
48
+ )
49
+
50
+ attachment.additional_properties = d
51
+ return attachment
52
+
53
+ @property
54
+ def additional_keys(self) -> list[str]:
55
+ return list(self.additional_properties.keys())
56
+
57
+ def __getitem__(self, key: str) -> Any:
58
+ return self.additional_properties[key]
59
+
60
+ def __setitem__(self, key: str, value: Any) -> None:
61
+ self.additional_properties[key] = value
62
+
63
+ def __delitem__(self, key: str) -> None:
64
+ del self.additional_properties[key]
65
+
66
+ def __contains__(self, key: str) -> bool:
67
+ return key in self.additional_properties
@@ -0,0 +1,67 @@
1
+ from collections.abc import Mapping
2
+ from typing import Any, TypeVar
3
+
4
+ from attrs import define as _attrs_define
5
+ from attrs import field as _attrs_field
6
+
7
+ T = TypeVar("T", bound="AttachmentCreateFromUrl")
8
+
9
+
10
+ @_attrs_define
11
+ class AttachmentCreateFromUrl:
12
+ """
13
+ Attributes:
14
+ name (str): The name of the file to upload.
15
+ url (str): The URL of the file to upload.
16
+ """
17
+
18
+ name: str
19
+ url: str
20
+ additional_properties: dict[str, Any] = _attrs_field(init=False, factory=dict)
21
+
22
+ def to_dict(self) -> dict[str, Any]:
23
+ name = self.name
24
+
25
+ url = self.url
26
+
27
+ field_dict: dict[str, Any] = {}
28
+ field_dict.update(self.additional_properties)
29
+ field_dict.update(
30
+ {
31
+ "name": name,
32
+ "url": url,
33
+ }
34
+ )
35
+
36
+ return field_dict
37
+
38
+ @classmethod
39
+ def from_dict(cls: type[T], src_dict: Mapping[str, Any]) -> T:
40
+ d = dict(src_dict)
41
+ name = d.pop("name")
42
+
43
+ url = d.pop("url")
44
+
45
+ attachment_create_from_url = cls(
46
+ name=name,
47
+ url=url,
48
+ )
49
+
50
+ attachment_create_from_url.additional_properties = d
51
+ return attachment_create_from_url
52
+
53
+ @property
54
+ def additional_keys(self) -> list[str]:
55
+ return list(self.additional_properties.keys())
56
+
57
+ def __getitem__(self, key: str) -> Any:
58
+ return self.additional_properties[key]
59
+
60
+ def __setitem__(self, key: str, value: Any) -> None:
61
+ self.additional_properties[key] = value
62
+
63
+ def __delitem__(self, key: str) -> None:
64
+ del self.additional_properties[key]
65
+
66
+ def __contains__(self, key: str) -> bool:
67
+ return key in self.additional_properties
@@ -8,6 +8,7 @@ from ..models.priority import Priority
8
8
  from ..types import UNSET, Unset
9
9
 
10
10
  if TYPE_CHECKING:
11
+ from ..models.attachment import Attachment
11
12
  from ..models.custom_properties import CustomProperties
12
13
  from ..models.task_relationships_type_0 import TaskRelationshipsType0
13
14
 
@@ -29,6 +30,8 @@ class Task:
29
30
  type_ (str): The title of the type of the task.
30
31
  status (str): The status from the list of available statuses.
31
32
  description (str): A longer description of the task, which can include markdown formatting.
33
+ attachments (list['Attachment']): The attachments, which is a list of attachments that are associated with the
34
+ task.
32
35
  assignees (Union[None, Unset, list[str]]): The names or emails of the users that the task is assigned to. Either
33
36
  this or assignee must be included, depending on whether the workspaces allows multiple assignees or not.
34
37
  assignee (Union[None, Unset, str]): The name or email of the user that the task is assigned to. Either this or
@@ -59,6 +62,7 @@ class Task:
59
62
  type_: str
60
63
  status: str
61
64
  description: str
65
+ attachments: list["Attachment"]
62
66
  assignees: Union[None, Unset, list[str]] = UNSET
63
67
  assignee: Union[None, Unset, str] = UNSET
64
68
  tags: Union[Unset, list[str]] = UNSET
@@ -92,6 +96,11 @@ class Task:
92
96
 
93
97
  description = self.description
94
98
 
99
+ attachments = []
100
+ for attachments_item_data in self.attachments:
101
+ attachments_item = attachments_item_data.to_dict()
102
+ attachments.append(attachments_item)
103
+
95
104
  assignees: Union[None, Unset, list[str]]
96
105
  if isinstance(self.assignees, Unset):
97
106
  assignees = UNSET
@@ -167,6 +176,7 @@ class Task:
167
176
  "type": type_,
168
177
  "status": status,
169
178
  "description": description,
179
+ "attachments": attachments,
170
180
  }
171
181
  )
172
182
  if assignees is not UNSET:
@@ -194,6 +204,7 @@ class Task:
194
204
 
195
205
  @classmethod
196
206
  def from_dict(cls: type[T], src_dict: Mapping[str, Any]) -> T:
207
+ from ..models.attachment import Attachment
197
208
  from ..models.custom_properties import CustomProperties
198
209
  from ..models.task_relationships_type_0 import TaskRelationshipsType0
199
210
 
@@ -219,6 +230,13 @@ class Task:
219
230
 
220
231
  description = d.pop("description")
221
232
 
233
+ attachments = []
234
+ _attachments = d.pop("attachments")
235
+ for attachments_item_data in _attachments:
236
+ attachments_item = Attachment.from_dict(attachments_item_data)
237
+
238
+ attachments.append(attachments_item)
239
+
222
240
  def _parse_assignees(data: object) -> Union[None, Unset, list[str]]:
223
241
  if data is None:
224
242
  return data
@@ -340,6 +358,7 @@ class Task:
340
358
  type_=type_,
341
359
  status=status,
342
360
  description=description,
361
+ attachments=attachments,
343
362
  assignees=assignees,
344
363
  assignee=assignee,
345
364
  tags=tags,
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: dart-tools
3
- Version: 0.8.2
3
+ Version: 0.8.4
4
4
  Summary: The Dart CLI and Python Library
5
5
  Author-email: Dart <software@dartai.com>
6
6
  License: MIT License
@@ -1,5 +1,5 @@
1
1
  dart/__init__.py,sha256=M4oDY_DtfE7s50jXziRxVuL95hE1EKEaWOEmWxy8_Ig,523
2
- dart/dart.py,sha256=MLFFI63heQ16CLCdTxwPTXYBcsnVxJxE2gaAIFsnxDo,27289
2
+ dart/dart.py,sha256=NxuFiIne5neYcYfB8X0iEMpQoO4p9lexCJSSBRgox3o,27283
3
3
  dart/exception.py,sha256=evN1SFV7Bal5dQIIOnhYA0cRu6jSa0cOCiG7AkHZD5A,85
4
4
  dart/old.py,sha256=Dx7su_6Qwtw25xgRhm3vnV-mPajqNdXfnLrlRPz7pjE,7609
5
5
  dart/order_manager.py,sha256=WI8YEjdOuEFDNcRCm30INAA5lY8016ttt0yXElGIeUU,1882
@@ -8,22 +8,24 @@ dart/generated/__init__.py,sha256=8fO-FKZzuZzOUUaqtlgw7k08MUwNLf8Ll-cAt7BgmAU,15
8
8
  dart/generated/client.py,sha256=o_mdLqyBCQstu5tS1WZFwqIEbGwkvWQ7eQjuCJw_5VY,12419
9
9
  dart/generated/errors.py,sha256=gO8GBmKqmSNgAg-E5oT-oOyxztvp7V_6XG7OUTT15q0,546
10
10
  dart/generated/types.py,sha256=E1hhDh_zXfsSQ0NCt9-uw90_Mr5iIlsdfnfvxv5HarU,1005
11
- dart/generated/api/__init__.py,sha256=yAFGs8DEmPfT9dUcioDYAytydh5fDijhLJ6ULrQcB1c,500
11
+ dart/generated/api/__init__.py,sha256=WcIqezh1fvbi1zreb0N60EF59CDf3HYL61VdVQ8x6Fo,530
12
+ dart/generated/api/attachment/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
13
+ dart/generated/api/attachment/add_task_attachment_from_url.py,sha256=WdaSorFXIhYH9uzCYuVbvz4G3gDZyMxOvKXO5oHjUFY,5171
12
14
  dart/generated/api/comment/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
13
- dart/generated/api/comment/create_comment.py,sha256=G9kpQ60IrMC4cxXP--wsPvVtYPMmByy-t55wV4WkvbI,4757
14
- dart/generated/api/comment/list_comments.py,sha256=FpFHuEO3NDXt5zAbMQIPA4uW7mPs13RvmPKsQBnkvD4,11069
15
+ dart/generated/api/comment/add_task_comment.py,sha256=G9kpQ60IrMC4cxXP--wsPvVtYPMmByy-t55wV4WkvbI,4757
16
+ dart/generated/api/comment/list_comments.py,sha256=HVa9704Guk0lNFvCOS8A94RfJNe0HJsRNSy2HcJiy60,11926
15
17
  dart/generated/api/config/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
16
18
  dart/generated/api/config/get_config.py,sha256=C9Pw-IhVpxCaIv_rbL85kKBsHze9rJ0O1FTXyFbSw9I,3913
17
19
  dart/generated/api/dartboard/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
18
- dart/generated/api/dartboard/retrieve_dartboard.py,sha256=z_Z3sbBazW-bU6H4VepnxbYd9PR8Z_9Msy57XUH2WyQ,4464
20
+ dart/generated/api/dartboard/get_dartboard.py,sha256=z_Z3sbBazW-bU6H4VepnxbYd9PR8Z_9Msy57XUH2WyQ,4464
19
21
  dart/generated/api/doc/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
20
22
  dart/generated/api/doc/create_doc.py,sha256=IK0FDGTzdjT_b5uDCJbtbBZygGt_Lh_0XyJBBVFDorc,4993
21
23
  dart/generated/api/doc/delete_doc.py,sha256=tO-E4p3ZETAkJiMokIsFV6W6wa3zkPV5Fp4a97-3eWU,4355
24
+ dart/generated/api/doc/get_doc.py,sha256=HbJQx3UJDOYTnXPlNvemGK5-I0hczgLVmvffrIIC1MI,4344
22
25
  dart/generated/api/doc/list_docs.py,sha256=bDSDAmQhditmu8wiUYJNP4lhUIojMamdhX_E-Zjw5Gc,9077
23
- dart/generated/api/doc/retrieve_doc.py,sha256=HbJQx3UJDOYTnXPlNvemGK5-I0hczgLVmvffrIIC1MI,4344
24
26
  dart/generated/api/doc/update_doc.py,sha256=3kt2VuN7TAn35iJFR9Im_fO6EHAH6puFA-r7N0m7mZI,5146
25
27
  dart/generated/api/folder/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
26
- dart/generated/api/folder/retrieve_folder.py,sha256=Mag6KvIYh8gORQafuNKDnJL59sqPsnwsCjjz_TrxiO0,4502
28
+ dart/generated/api/folder/get_folder.py,sha256=Mag6KvIYh8gORQafuNKDnJL59sqPsnwsCjjz_TrxiO0,4502
27
29
  dart/generated/api/help_center_article/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
28
30
  dart/generated/api/help_center_article/list_help_center_articles.py,sha256=NClNQ9DUz_lTCqXk4_LX3I9l0bqxgA_MZTrR4q2JvwQ,4574
29
31
  dart/generated/api/skill/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
@@ -31,12 +33,14 @@ dart/generated/api/skill/retrieve_skill_by_title.py,sha256=NZFdBSpfNIKcZAl4lvfkN
31
33
  dart/generated/api/task/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
32
34
  dart/generated/api/task/create_task.py,sha256=KpqYYhRR2UDaC-Wh3tvJXYI1pqP_-Qh8Fx77GtQQNgM,4845
33
35
  dart/generated/api/task/delete_task.py,sha256=3cpKEcUTKTPkvEW1s7fEXGDVUcNIbAx8AV21R2H2Dxw,4381
34
- dart/generated/api/task/list_tasks.py,sha256=vUyX6ZYCGZhkpkqimzzKTCDz2zr0lohzKUShzhAA56o,18468
35
- dart/generated/api/task/retrieve_task.py,sha256=Cmf0FPrbGxzIEO22BrcsixDs_HCEqw07L_MZn8bPXUc,4442
36
+ dart/generated/api/task/get_task.py,sha256=Cmf0FPrbGxzIEO22BrcsixDs_HCEqw07L_MZn8bPXUc,4442
37
+ dart/generated/api/task/list_tasks.py,sha256=6jrxUVQvFBQTbwdSSqZwXl6147Qpk-MHW_qZfKrlaso,20096
36
38
  dart/generated/api/task/update_task.py,sha256=5f8wbMwQqRHya7D-iMFOcSL2VF1-flBUIIOYRJ1PjOA,5183
37
39
  dart/generated/api/view/__init__.py,sha256=5vd9uJWAjRqa9xzxzYkLD1yoZ12Ld_bAaNB5WX4fbE8,56
38
- dart/generated/api/view/retrieve_view.py,sha256=11OjxQnER-ct9gYC0ckA_JOPwKe5BYoYWHvcyGMkr8E,4370
39
- dart/generated/models/__init__.py,sha256=SCk95B0Ylnl6vUhcLvD2hXQvV8-z6ikXLPD4Ei1CLLM,4469
40
+ dart/generated/api/view/get_view.py,sha256=11OjxQnER-ct9gYC0ckA_JOPwKe5BYoYWHvcyGMkr8E,4370
41
+ dart/generated/models/__init__.py,sha256=-r-572jX92bs29ZEcjGRmkWt57cYpvhu_GNOevIg5Pk,4617
42
+ dart/generated/models/attachment.py,sha256=snnuBPthcyqUEZ1dyR2Hgs082OhqW0q8AkwNneswu80,1625
43
+ dart/generated/models/attachment_create_from_url.py,sha256=b2HizDIwLCuWOVLXzfvo2ztWdgQ6VLFcvdhavn87--k,1699
40
44
  dart/generated/models/comment.py,sha256=kLh7iDCW9uTq4kHxi_MSys4uTBpaZj2k5lIKUTkpSUY,2735
41
45
  dart/generated/models/comment_create.py,sha256=GVC_LWi0_afdJkN0-qZsYFt9RCmU2DjRmKOwTsmAWTo,2138
42
46
  dart/generated/models/concise_doc.py,sha256=xrJIJr4rm_iG0DlmpemBtzDaOxroHC2NgsG-V9CNsX8,2200
@@ -54,7 +58,7 @@ dart/generated/models/paginated_concise_doc_list.py,sha256=Y7YbOwd7TaHm7b9rHJvVK
54
58
  dart/generated/models/paginated_concise_task_list.py,sha256=Yu-r-WvWBH3LfMWGm3YNQ30w1-B0mdxjx5jykKFFQlY,3677
55
59
  dart/generated/models/priority.py,sha256=eupjzXQndyaia8svwVmylisIGwl6OQ_0g8pgcsm8118,195
56
60
  dart/generated/models/skill.py,sha256=sUbxzNB9ny4i1ZUBKuiC7CEWM3y7cpbovF9mfF3UCQM,1949
57
- dart/generated/models/task.py,sha256=UEqSKRc_CJMpunnN9tNrh4YIDGpdk0yNWI2aLiQuGnY,13778
61
+ dart/generated/models/task.py,sha256=lCpV0GtWAbvM19UWAzo48cf5oYM6MUOhf95JrbXkIh8,14569
58
62
  dart/generated/models/task_create.py,sha256=l4dMsMAmZEwO_nxpRXrlg-YuvXqg7xxcBvNc2V9XxyE,13510
59
63
  dart/generated/models/task_relationships_type_0.py,sha256=nya2axJQyf5Dm9Lfr58uWH81YMbpATdkFuhCQJW2GMQ,4201
60
64
  dart/generated/models/task_update.py,sha256=S-tYjMQdcafQRnGShyNPMmrrA3NOOp_nQBOf_iowYI4,13753
@@ -85,9 +89,9 @@ dart/generated/models/wrapped_task.py,sha256=TRlVMxIGhDwSaJlXdMH6q7Vx2hpz7EdiGns
85
89
  dart/generated/models/wrapped_task_create.py,sha256=Oxdot2EwfEuC3l4uo0fAvmyjRNVkXALmWCvfgHI7BcI,1654
86
90
  dart/generated/models/wrapped_task_update.py,sha256=_erGSSR_k6ahF_RFjgLKdyitx5TDQiFw_Ml77zHQdJM,1654
87
91
  dart/generated/models/wrapped_view.py,sha256=zflJxA4UnITM8w-0EObw4AF54yS-c_e5UL6vaikXyG8,1577
88
- dart_tools-0.8.2.dist-info/licenses/LICENSE,sha256=aD_0TnuylEaAHWNURgifNek_ODn5Pg36o9gFdspgHtg,1061
89
- dart_tools-0.8.2.dist-info/METADATA,sha256=PujAEEtpoO9fqc6NqzerRjdpt_twbwwg1OP58qIOOXE,8996
90
- dart_tools-0.8.2.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
91
- dart_tools-0.8.2.dist-info/entry_points.txt,sha256=KOVAnDWJbSKn9HoXWQ7x6NfACYzSMGHBBaBxonHEv6w,34
92
- dart_tools-0.8.2.dist-info/top_level.txt,sha256=ZwUQ6QjCyi1i32BJOAkbOA7UfgitLmIwToJGJwZXPrg,5
93
- dart_tools-0.8.2.dist-info/RECORD,,
92
+ dart_tools-0.8.4.dist-info/licenses/LICENSE,sha256=aD_0TnuylEaAHWNURgifNek_ODn5Pg36o9gFdspgHtg,1061
93
+ dart_tools-0.8.4.dist-info/METADATA,sha256=N1eOsd3-9WX1HFYgPPDw9pH8ygfH-tHDrs8ytE_kHkg,8996
94
+ dart_tools-0.8.4.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
95
+ dart_tools-0.8.4.dist-info/entry_points.txt,sha256=KOVAnDWJbSKn9HoXWQ7x6NfACYzSMGHBBaBxonHEv6w,34
96
+ dart_tools-0.8.4.dist-info/top_level.txt,sha256=ZwUQ6QjCyi1i32BJOAkbOA7UfgitLmIwToJGJwZXPrg,5
97
+ dart_tools-0.8.4.dist-info/RECORD,,
File without changes