cartography-client 0.9.2__py3-none-any.whl → 0.13.1__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.
cartography/_models.py CHANGED
@@ -2,6 +2,7 @@ from __future__ import annotations
2
2
 
3
3
  import os
4
4
  import inspect
5
+ import weakref
5
6
  from typing import TYPE_CHECKING, Any, Type, Union, Generic, TypeVar, Callable, Optional, cast
6
7
  from datetime import date, datetime
7
8
  from typing_extensions import (
@@ -573,6 +574,9 @@ class CachedDiscriminatorType(Protocol):
573
574
  __discriminator__: DiscriminatorDetails
574
575
 
575
576
 
577
+ DISCRIMINATOR_CACHE: weakref.WeakKeyDictionary[type, DiscriminatorDetails] = weakref.WeakKeyDictionary()
578
+
579
+
576
580
  class DiscriminatorDetails:
577
581
  field_name: str
578
582
  """The name of the discriminator field in the variant class, e.g.
@@ -615,8 +619,9 @@ class DiscriminatorDetails:
615
619
 
616
620
 
617
621
  def _build_discriminated_union_meta(*, union: type, meta_annotations: tuple[Any, ...]) -> DiscriminatorDetails | None:
618
- if isinstance(union, CachedDiscriminatorType):
619
- return union.__discriminator__
622
+ cached = DISCRIMINATOR_CACHE.get(union)
623
+ if cached is not None:
624
+ return cached
620
625
 
621
626
  discriminator_field_name: str | None = None
622
627
 
@@ -669,7 +674,7 @@ def _build_discriminated_union_meta(*, union: type, meta_annotations: tuple[Any,
669
674
  discriminator_field=discriminator_field_name,
670
675
  discriminator_alias=discriminator_alias,
671
676
  )
672
- cast(CachedDiscriminatorType, union).__discriminator__ = details
677
+ DISCRIMINATOR_CACHE.setdefault(union, details)
673
678
  return details
674
679
 
675
680
 
cartography/_streaming.py CHANGED
@@ -57,9 +57,8 @@ class Stream(Generic[_T]):
57
57
  for sse in iterator:
58
58
  yield process_data(data=sse.json(), cast_to=cast_to, response=response)
59
59
 
60
- # Ensure the entire stream is consumed
61
- for _sse in iterator:
62
- ...
60
+ # As we might not fully consume the response stream, we need to close it explicitly
61
+ response.close()
63
62
 
64
63
  def __enter__(self) -> Self:
65
64
  return self
@@ -121,9 +120,8 @@ class AsyncStream(Generic[_T]):
121
120
  async for sse in iterator:
122
121
  yield process_data(data=sse.json(), cast_to=cast_to, response=response)
123
122
 
124
- # Ensure the entire stream is consumed
125
- async for _sse in iterator:
126
- ...
123
+ # As we might not fully consume the response stream, we need to close it explicitly
124
+ await response.aclose()
127
125
 
128
126
  async def __aenter__(self) -> Self:
129
127
  return self
@@ -1,10 +1,8 @@
1
1
  from __future__ import annotations
2
2
 
3
- import sys
4
3
  import asyncio
5
4
  import functools
6
- import contextvars
7
- from typing import Any, TypeVar, Callable, Awaitable
5
+ from typing import TypeVar, Callable, Awaitable
8
6
  from typing_extensions import ParamSpec
9
7
 
10
8
  import anyio
@@ -15,34 +13,11 @@ T_Retval = TypeVar("T_Retval")
15
13
  T_ParamSpec = ParamSpec("T_ParamSpec")
16
14
 
17
15
 
18
- if sys.version_info >= (3, 9):
19
- _asyncio_to_thread = asyncio.to_thread
20
- else:
21
- # backport of https://docs.python.org/3/library/asyncio-task.html#asyncio.to_thread
22
- # for Python 3.8 support
23
- async def _asyncio_to_thread(
24
- func: Callable[T_ParamSpec, T_Retval], /, *args: T_ParamSpec.args, **kwargs: T_ParamSpec.kwargs
25
- ) -> Any:
26
- """Asynchronously run function *func* in a separate thread.
27
-
28
- Any *args and **kwargs supplied for this function are directly passed
29
- to *func*. Also, the current :class:`contextvars.Context` is propagated,
30
- allowing context variables from the main thread to be accessed in the
31
- separate thread.
32
-
33
- Returns a coroutine that can be awaited to get the eventual result of *func*.
34
- """
35
- loop = asyncio.events.get_running_loop()
36
- ctx = contextvars.copy_context()
37
- func_call = functools.partial(ctx.run, func, *args, **kwargs)
38
- return await loop.run_in_executor(None, func_call)
39
-
40
-
41
16
  async def to_thread(
42
17
  func: Callable[T_ParamSpec, T_Retval], /, *args: T_ParamSpec.args, **kwargs: T_ParamSpec.kwargs
43
18
  ) -> T_Retval:
44
19
  if sniffio.current_async_library() == "asyncio":
45
- return await _asyncio_to_thread(func, *args, **kwargs)
20
+ return await asyncio.to_thread(func, *args, **kwargs)
46
21
 
47
22
  return await anyio.to_thread.run_sync(
48
23
  functools.partial(func, *args, **kwargs),
@@ -53,10 +28,7 @@ async def to_thread(
53
28
  def asyncify(function: Callable[T_ParamSpec, T_Retval]) -> Callable[T_ParamSpec, Awaitable[T_Retval]]:
54
29
  """
55
30
  Take a blocking function and create an async one that receives the same
56
- positional and keyword arguments. For python version 3.9 and above, it uses
57
- asyncio.to_thread to run the function in a separate thread. For python version
58
- 3.8, it uses locally defined copy of the asyncio.to_thread function which was
59
- introduced in python 3.9.
31
+ positional and keyword arguments.
60
32
 
61
33
  Usage:
62
34
 
@@ -133,7 +133,7 @@ def is_given(obj: _T | NotGiven | Omit) -> TypeGuard[_T]:
133
133
  # Type safe methods for narrowing types with TypeVars.
134
134
  # The default narrowing for isinstance(obj, dict) is dict[unknown, unknown],
135
135
  # however this cause Pyright to rightfully report errors. As we know we don't
136
- # care about the contained types we can safely use `object` in it's place.
136
+ # care about the contained types we can safely use `object` in its place.
137
137
  #
138
138
  # There are two separate functions defined, `is_*` and `is_*_t` for different use cases.
139
139
  # `is_*` is for when you're dealing with an unknown input
cartography/_version.py CHANGED
@@ -1,4 +1,4 @@
1
1
  # File generated from our OpenAPI spec by Stainless. See CONTRIBUTING.md for details.
2
2
 
3
3
  __title__ = "cartography"
4
- __version__ = "0.9.2" # x-release-please-version
4
+ __version__ = "0.13.1" # x-release-please-version
@@ -3,7 +3,6 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from typing import List, Optional
6
- from typing_extensions import Literal
7
6
 
8
7
  import httpx
9
8
 
@@ -19,6 +18,7 @@ from .._response import (
19
18
  async_to_streamed_response_wrapper,
20
19
  )
21
20
  from .._base_client import make_request_options
21
+ from ..types.engine_type import EngineType
22
22
  from ..types.crawl_create_graph_response import CrawlCreateGraphResponse
23
23
 
24
24
  __all__ = ["CrawlResource", "AsyncCrawlResource"]
@@ -48,9 +48,7 @@ class CrawlResource(SyncAPIResource):
48
48
  self,
49
49
  *,
50
50
  crawl_id: str,
51
- engines: List[
52
- Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]
53
- ],
51
+ engines: List[EngineType],
54
52
  s3_bucket: str,
55
53
  url: str,
56
54
  absolute_only: bool | Omit = omit,
@@ -160,9 +158,7 @@ class AsyncCrawlResource(AsyncAPIResource):
160
158
  self,
161
159
  *,
162
160
  crawl_id: str,
163
- engines: List[
164
- Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]
165
- ],
161
+ engines: List[EngineType],
166
162
  s3_bucket: str,
167
163
  url: str,
168
164
  absolute_only: bool | Omit = omit,
@@ -3,10 +3,10 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from typing import List, Iterable, Optional
6
- from typing_extensions import Literal
7
6
 
8
7
  import httpx
9
8
 
9
+ from ....types import WaitUntil
10
10
  from ...._types import Body, Omit, Query, Headers, NotGiven, omit, not_given
11
11
  from ...._utils import maybe_transform, async_maybe_transform
12
12
  from ...._compat import cached_property
@@ -18,6 +18,8 @@ from ...._response import (
18
18
  async_to_streamed_response_wrapper,
19
19
  )
20
20
  from ...._base_client import make_request_options
21
+ from ....types.wait_until import WaitUntil
22
+ from ....types.engine_type import EngineType
21
23
  from ....types.workflows.request import crawl_create_params, crawl_create_bulk_params
22
24
  from ....types.workflows.request.workflow_result import WorkflowResult
23
25
  from ....types.workflows.request.crawl_request_param import CrawlRequestParam
@@ -51,9 +53,7 @@ class CrawlResource(SyncAPIResource):
51
53
  *,
52
54
  bucket_name: str,
53
55
  crawl_id: str,
54
- engines: List[
55
- Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]
56
- ],
56
+ engines: List[EngineType],
57
57
  url: str,
58
58
  absolute_only: bool | Omit = omit,
59
59
  agentic: bool | Omit = omit,
@@ -68,6 +68,7 @@ class CrawlResource(SyncAPIResource):
68
68
  stealth: bool | Omit = omit,
69
69
  teardown: bool | Omit = omit,
70
70
  visit_external: bool | Omit = omit,
71
+ wait_until: Optional[WaitUntil] | Omit = omit,
71
72
  # Use the following arguments if you need to pass additional parameters to the API that aren't available via kwargs.
72
73
  # The extra values given here take precedence over values defined on the client or passed to this method.
73
74
  extra_headers: Headers | None = None,
@@ -80,6 +81,8 @@ class CrawlResource(SyncAPIResource):
80
81
  token_data: api token :return: response
81
82
 
82
83
  Args:
84
+ wait_until: When to consider page load complete for web scraping operations
85
+
83
86
  extra_headers: Send extra headers
84
87
 
85
88
  extra_query: Add additional query parameters to the request
@@ -109,6 +112,7 @@ class CrawlResource(SyncAPIResource):
109
112
  "stealth": stealth,
110
113
  "teardown": teardown,
111
114
  "visit_external": visit_external,
115
+ "wait_until": wait_until,
112
116
  },
113
117
  crawl_create_params.CrawlCreateParams,
114
118
  ),
@@ -176,9 +180,7 @@ class AsyncCrawlResource(AsyncAPIResource):
176
180
  *,
177
181
  bucket_name: str,
178
182
  crawl_id: str,
179
- engines: List[
180
- Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]
181
- ],
183
+ engines: List[EngineType],
182
184
  url: str,
183
185
  absolute_only: bool | Omit = omit,
184
186
  agentic: bool | Omit = omit,
@@ -193,6 +195,7 @@ class AsyncCrawlResource(AsyncAPIResource):
193
195
  stealth: bool | Omit = omit,
194
196
  teardown: bool | Omit = omit,
195
197
  visit_external: bool | Omit = omit,
198
+ wait_until: Optional[WaitUntil] | Omit = omit,
196
199
  # Use the following arguments if you need to pass additional parameters to the API that aren't available via kwargs.
197
200
  # The extra values given here take precedence over values defined on the client or passed to this method.
198
201
  extra_headers: Headers | None = None,
@@ -205,6 +208,8 @@ class AsyncCrawlResource(AsyncAPIResource):
205
208
  token_data: api token :return: response
206
209
 
207
210
  Args:
211
+ wait_until: When to consider page load complete for web scraping operations
212
+
208
213
  extra_headers: Send extra headers
209
214
 
210
215
  extra_query: Add additional query parameters to the request
@@ -234,6 +239,7 @@ class AsyncCrawlResource(AsyncAPIResource):
234
239
  "stealth": stealth,
235
240
  "teardown": teardown,
236
241
  "visit_external": visit_external,
242
+ "wait_until": wait_until,
237
243
  },
238
244
  crawl_create_params.CrawlCreateParams,
239
245
  ),
@@ -3,6 +3,7 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from .wait_until import WaitUntil as WaitUntil
6
+ from .engine_type import EngineType as EngineType
6
7
  from .downloader_type import DownloaderType as DownloaderType
7
8
  from .bulk_scrape_result import BulkScrapeResult as BulkScrapeResult
8
9
  from .scrape_engine_param import ScrapeEngineParam as ScrapeEngineParam
@@ -3,7 +3,9 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from typing import List, Optional
6
- from typing_extensions import Literal, Required, TypedDict
6
+ from typing_extensions import Required, TypedDict
7
+
8
+ from .engine_type import EngineType
7
9
 
8
10
  __all__ = ["CrawlCreateGraphParams"]
9
11
 
@@ -12,9 +14,7 @@ class CrawlCreateGraphParams(TypedDict, total=False):
12
14
  crawl_id: Required[str]
13
15
  """Unique identifier for this crawl"""
14
16
 
15
- engines: Required[
16
- List[Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]]
17
- ]
17
+ engines: Required[List[EngineType]]
18
18
  """List of engines to use"""
19
19
 
20
20
  s3_bucket: Required[str]
@@ -0,0 +1,9 @@
1
+ # File generated from our OpenAPI spec by Stainless. See CONTRIBUTING.md for details.
2
+
3
+ from typing_extensions import Literal, TypeAlias
4
+
5
+ __all__ = ["EngineType"]
6
+
7
+ EngineType: TypeAlias = Literal[
8
+ "FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"
9
+ ]
@@ -3,15 +3,15 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from typing import Dict, Optional
6
- from typing_extensions import Literal, Required, TypedDict
6
+ from typing_extensions import Required, TypedDict
7
+
8
+ from .engine_type import EngineType
7
9
 
8
10
  __all__ = ["ScrapeEngineParam"]
9
11
 
10
12
 
11
13
  class ScrapeEngineParam(TypedDict, total=False):
12
- engine_type: Required[
13
- Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]
14
- ]
14
+ engine_type: Required[EngineType]
15
15
 
16
16
  headers: Optional[Dict[str, str]]
17
17
  """Custom headers"""
@@ -4,4 +4,4 @@ from typing_extensions import Literal, TypeAlias
4
4
 
5
5
  __all__ = ["WaitUntil"]
6
6
 
7
- WaitUntil: TypeAlias = Literal["commit", "domcontentloaded", "load", "networkidle"]
7
+ WaitUntil: TypeAlias = Literal["domcontentloaded", "load", "networkidle", "commit"]
@@ -3,7 +3,10 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from typing import List, Optional
6
- from typing_extensions import Literal, Required, TypedDict
6
+ from typing_extensions import Required, TypedDict
7
+
8
+ from ...wait_until import WaitUntil
9
+ from ...engine_type import EngineType
7
10
 
8
11
  __all__ = ["CrawlCreateParams"]
9
12
 
@@ -13,9 +16,7 @@ class CrawlCreateParams(TypedDict, total=False):
13
16
 
14
17
  crawl_id: Required[str]
15
18
 
16
- engines: Required[
17
- List[Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]]
18
- ]
19
+ engines: Required[List[EngineType]]
19
20
 
20
21
  url: Required[str]
21
22
 
@@ -44,3 +45,6 @@ class CrawlCreateParams(TypedDict, total=False):
44
45
  teardown: bool
45
46
 
46
47
  visit_external: bool
48
+
49
+ wait_until: Optional[WaitUntil]
50
+ """When to consider page load complete for web scraping operations"""
@@ -3,7 +3,10 @@
3
3
  from __future__ import annotations
4
4
 
5
5
  from typing import List, Optional
6
- from typing_extensions import Literal, Required, TypedDict
6
+ from typing_extensions import Required, TypedDict
7
+
8
+ from ...wait_until import WaitUntil
9
+ from ...engine_type import EngineType
7
10
 
8
11
  __all__ = ["CrawlRequestParam"]
9
12
 
@@ -13,9 +16,7 @@ class CrawlRequestParam(TypedDict, total=False):
13
16
 
14
17
  crawl_id: Required[str]
15
18
 
16
- engines: Required[
17
- List[Literal["FLEET", "ZENROWS", "SCRAPINGBEE", "FLEET_ASYNC", "FLEET_WORKFLOW", "ASYNC_FLEET_STICKY"]]
18
- ]
19
+ engines: Required[List[EngineType]]
19
20
 
20
21
  url: Required[str]
21
22
 
@@ -44,3 +45,6 @@ class CrawlRequestParam(TypedDict, total=False):
44
45
  teardown: bool
45
46
 
46
47
  visit_external: bool
48
+
49
+ wait_until: Optional[WaitUntil]
50
+ """When to consider page load complete for web scraping operations"""
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.3
2
2
  Name: cartography-client
3
- Version: 0.9.2
3
+ Version: 0.13.1
4
4
  Summary: The official Python library for the cartography API
5
5
  Project-URL: Homepage, https://github.com/evrimai/cartography-client
6
6
  Project-URL: Repository, https://github.com/evrimai/cartography-client
@@ -13,7 +13,6 @@ Classifier: Operating System :: Microsoft :: Windows
13
13
  Classifier: Operating System :: OS Independent
14
14
  Classifier: Operating System :: POSIX
15
15
  Classifier: Operating System :: POSIX :: Linux
16
- Classifier: Programming Language :: Python :: 3.8
17
16
  Classifier: Programming Language :: Python :: 3.9
18
17
  Classifier: Programming Language :: Python :: 3.10
19
18
  Classifier: Programming Language :: Python :: 3.11
@@ -21,7 +20,7 @@ Classifier: Programming Language :: Python :: 3.12
21
20
  Classifier: Programming Language :: Python :: 3.13
22
21
  Classifier: Topic :: Software Development :: Libraries :: Python Modules
23
22
  Classifier: Typing :: Typed
24
- Requires-Python: >=3.8
23
+ Requires-Python: >=3.9
25
24
  Requires-Dist: anyio<5,>=3.5.0
26
25
  Requires-Dist: distro<2,>=1.7.0
27
26
  Requires-Dist: httpx<1,>=0.23.0
@@ -30,7 +29,7 @@ Requires-Dist: sniffio
30
29
  Requires-Dist: typing-extensions<5,>=4.10
31
30
  Provides-Extra: aiohttp
32
31
  Requires-Dist: aiohttp; extra == 'aiohttp'
33
- Requires-Dist: httpx-aiohttp>=0.1.8; extra == 'aiohttp'
32
+ Requires-Dist: httpx-aiohttp>=0.1.9; extra == 'aiohttp'
34
33
  Description-Content-Type: text/markdown
35
34
 
36
35
  # Cartography Python API library
@@ -38,7 +37,7 @@ Description-Content-Type: text/markdown
38
37
  <!-- prettier-ignore -->
39
38
  [![PyPI version](https://img.shields.io/pypi/v/cartography-client.svg?label=pypi%20(stable))](https://pypi.org/project/cartography-client/)
40
39
 
41
- The Cartography Python library provides convenient access to the Cartography REST API from any Python 3.8+
40
+ The Cartography Python library provides convenient access to the Cartography REST API from any Python 3.9+
42
41
  application. The library includes type definitions for all request params and response fields,
43
42
  and offers both synchronous and asynchronous clients powered by [httpx](https://github.com/encode/httpx).
44
43
 
@@ -392,7 +391,7 @@ print(cartography.__version__)
392
391
 
393
392
  ## Requirements
394
393
 
395
- Python 3.8 or higher.
394
+ Python 3.9 or higher.
396
395
 
397
396
  ## Contributing
398
397
 
@@ -5,13 +5,13 @@ cartography/_compat.py,sha256=DQBVORjFb33zch24jzkhM14msvnzY7mmSmgDLaVFUM8,6562
5
5
  cartography/_constants.py,sha256=S14PFzyN9-I31wiV7SmIlL5Ga0MLHxdvegInGdXH7tM,462
6
6
  cartography/_exceptions.py,sha256=Y1r8VIWYSEPrOzRIh0DSiCbzEWDBWYJtZpPrjwhs5jU,3230
7
7
  cartography/_files.py,sha256=KnEzGi_O756MvKyJ4fOCW_u3JhOeWPQ4RsmDvqihDQU,3545
8
- cartography/_models.py,sha256=lKnskYPONAWDvWo8tmbbVk7HmG7UOsI0Nve0vSMmkRc,30452
8
+ cartography/_models.py,sha256=_jpXNYoIJGzLCqeD4LcmiD4UgZKYMLg4cZ8TcWUn94I,30559
9
9
  cartography/_qs.py,sha256=craIKyvPktJ94cvf9zn8j8ekG9dWJzhWv0ob34lIOv4,4828
10
10
  cartography/_resource.py,sha256=ofOCE9gyI5yng3FbynF2nNk2n-PfZEnNu89Kv2LGtR8,1130
11
11
  cartography/_response.py,sha256=KTgC3XMyHfxd-QFOw0_eSSH_H9JjFLguHHnlMVgDmYY,28848
12
- cartography/_streaming.py,sha256=44nEybod8OtdW8mLkaJGFHaLPYdy7ANKKbdKZxp7BNU,10120
12
+ cartography/_streaming.py,sha256=XO7EUGGM7ERSgYVJQhETd7WS1ureciLY0RgRENBFz2M,10169
13
13
  cartography/_types.py,sha256=YFt85qWn9Nlvv9y53EtaCdjHE_IYikov7aH6wGeRX3c,7241
14
- cartography/_version.py,sha256=kdTwRiyWB2CbSolAYphNdBXpq9nI_DIl_hVN7noYgLE,163
14
+ cartography/_version.py,sha256=5rQ7tdaCrRYz2epSEVmADBsz1tQrFAuk9BFPpZlTFII,164
15
15
  cartography/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
16
16
  cartography/_utils/__init__.py,sha256=7fch0GT9zpNnErbciSpUNa-SjTxxjY6kxHxKMOM4AGs,2305
17
17
  cartography/_utils/_compat.py,sha256=D8gtAvjJQrDWt9upS0XaG9Rr5l1QhiAx_I_1utT_tt0,1195
@@ -21,40 +21,41 @@ cartography/_utils/_proxy.py,sha256=aglnj2yBTDyGX9Akk2crZHrl10oqRmceUy2Zp008XEs,
21
21
  cartography/_utils/_reflection.py,sha256=ZmGkIgT_PuwedyNBrrKGbxoWtkpytJNU1uU4QHnmEMU,1364
22
22
  cartography/_utils/_resources_proxy.py,sha256=nFn0R1meTn1Air522bQj6BxGNX9iGLRFDRbBGAIy0uE,614
23
23
  cartography/_utils/_streams.py,sha256=SMC90diFFecpEg_zgDRVbdR3hSEIgVVij4taD-noMLM,289
24
- cartography/_utils/_sync.py,sha256=TpGLrrhRNWTJtODNE6Fup3_k7zrWm1j2RlirzBwre-0,2862
24
+ cartography/_utils/_sync.py,sha256=HBnZkkBnzxtwOZe0212C4EyoRvxhTVtTrLFDz2_xVCg,1589
25
25
  cartography/_utils/_transform.py,sha256=NjCzmnfqYrsAikUHQig6N9QfuTVbKipuP3ur9mcNF-E,15951
26
26
  cartography/_utils/_typing.py,sha256=N_5PPuFNsaygbtA_npZd98SVN1LQQvFTKL6bkWPBZGU,4786
27
- cartography/_utils/_utils.py,sha256=0dDqauUbVZEXV0NVl7Bwu904Wwo5eyFCZpQThhFNhyA,12253
27
+ cartography/_utils/_utils.py,sha256=ugfUaneOK7I8h9b3656flwf5u_kthY0gvNuqvgOLoSU,12252
28
28
  cartography/lib/.keep,sha256=wuNrz-5SXo3jJaJOJgz4vFHM41YH_g20F5cRQo0vLes,224
29
29
  cartography/resources/__init__.py,sha256=jlfUMy6HtRCTxMrnyw27hYsZOYeF5v6-MlB4S-oyb7Q,2868
30
30
  cartography/resources/api_info.py,sha256=WZXgtzne8_766e86iJUKQi3bi0-jhV3CYeT30dTnK8g,4996
31
- cartography/resources/crawl.py,sha256=Ona7qR-HRnH1-cFHHGEmV9_OSd1bHl2-hWWHueaaF4Q,9865
31
+ cartography/resources/crawl.py,sha256=rmHLBNTexpNSt6gD5NpvsfXqIRLqERgsmPK9gMNHeT0,9652
32
32
  cartography/resources/download.py,sha256=_ITf4GpT_igu2Dod2FAQRsJf_mXsf1j82EtQ-GOaE4Q,13360
33
33
  cartography/resources/health.py,sha256=_uxnrWRBToHttDXJNv3uuaH8OQF0JvD-ZZ_Wqhc3B2Q,5019
34
34
  cartography/resources/scrape.py,sha256=YFi1DQpUbwG1YXC6AZstaqe7_rK91qa0ntzBlSKlT2g,11623
35
35
  cartography/resources/workflows/__init__.py,sha256=WF-IzwaW19ZKLOR8R3dEzhsDFEcoAmfygtqf8M7jNNw,1054
36
36
  cartography/resources/workflows/workflows.py,sha256=-DRXNFW_SENImL0OKj73tJbKIIaN9i3lfZZgLi826oQ,10254
37
37
  cartography/resources/workflows/request/__init__.py,sha256=u5ZP5HQC6UhVQ33WUgrN6ID8NoaKY_H6dNnpqTekp8w,1002
38
- cartography/resources/workflows/request/crawl.py,sha256=gJ9YHhKHg_I0qv9qPNYPae_3Hp93hm_oUHNrIhF5hqk,12416
38
+ cartography/resources/workflows/request/crawl.py,sha256=tn5X6k9jjk585glRbpIW2pN2otY4O-VbEIECXDqBhk4,12656
39
39
  cartography/resources/workflows/request/request.py,sha256=Byofh0ykmMAXxfEKIn3afRrbRZMlBydoBYWCdv3svx8,8065
40
- cartography/types/__init__.py,sha256=z5IVYO88AdR6Ul10__xjNOmo4n3U79T3lMEFpjpy53M,1758
40
+ cartography/types/__init__.py,sha256=k4pb_XhySxshfU9Eja1AXDdgyTuNbl3Z0w4devm9xoo,1808
41
41
  cartography/types/api_info_retrieve_response.py,sha256=kdavk-S1UkgJaA8Ad9L-gl1DFVljhDk-afOLS5MV7EQ,246
42
42
  cartography/types/bulk_download_result.py,sha256=YGqIZU2BwgiRt0wHHj-OUd2n7Ia0Ybo0kLotC7BE7-w,518
43
43
  cartography/types/bulk_scrape_result.py,sha256=TOutkzQxTbEocwTBrRHaehU5M2OYYkLPXsf_U7DJj_k,361
44
- cartography/types/crawl_create_graph_params.py,sha256=jmZhhVCoKg4zqF-XC3KcsrVq-E2UFBNZGDYEzAXrixE,1137
44
+ cartography/types/crawl_create_graph_params.py,sha256=q-fg4b2gEylbwc61fbrkUrHg8-I7oRU_KFudcAkRQPA,1064
45
45
  cartography/types/crawl_create_graph_response.py,sha256=GlUtSl8kSOC5_1-Aq3K-G1y5y91Y3lEtuRv2nRBKMu0,602
46
46
  cartography/types/download_create_bulk_params.py,sha256=iUSvyKXmdUVz38zx9W2xKb2rdkzxZXAhopEUN3lSCvA,915
47
47
  cartography/types/download_create_bulk_response.py,sha256=qP-jnoN6a2U0H7huWwFuMISHSJ-8SNk2AsPVurbw9mI,876
48
48
  cartography/types/download_create_single_params.py,sha256=9gS-DMGp5b__XHBG2-zbLIy3biC_ILPliW9_O0RIwvk,751
49
49
  cartography/types/download_create_single_response.py,sha256=JhEM0u6R8pa6fi4YxKtx3I72dxMN39jyTvWPAnqokwM,386
50
50
  cartography/types/downloader_type.py,sha256=rDIZFpfUU_AmDTtvOkZzu5FkBRJnK9CKo9U5Orgi3Hs,218
51
+ cartography/types/engine_type.py,sha256=HtE66qvNSkfR3aO_3YrW1pDQDJ_3vD-leuHnSHNcRM4,291
51
52
  cartography/types/health_check_response.py,sha256=hdwdGJfXNVha1D3jcndSfLbakkpcWf9P2_V9PbE305U,238
52
- cartography/types/scrape_engine_param.py,sha256=hGZOLYcHbqy2iWhHZRuBINXpLuWgL-x2H4M5uVJDiII,769
53
+ cartography/types/scrape_engine_param.py,sha256=y0cyGPclRm8tAUe4Ln4yIGW3x74cnP8uPw82rMyjhLE,696
53
54
  cartography/types/scrape_scrape_bulk_params.py,sha256=-dyFHGlvXoYRLorGRuchEO73HSPN2yE68vjiSKeRn5I,838
54
55
  cartography/types/scrape_scrape_bulk_response.py,sha256=cEWB4M37mFdqti8y2EKzq-RSUOwUuITt9dD0reL3XJ4,854
55
56
  cartography/types/scrape_scrape_single_params.py,sha256=slcqjrNXj_acnMGgMgj9c2KCj0B-LIXmBoPb5vPRKFI,459
56
57
  cartography/types/scrape_scrape_single_response.py,sha256=lsqkIaaoZbLCeY_mhpAy8e9DZ4fWDyfiE3dlhteCXCg,475
57
- cartography/types/wait_until.py,sha256=TEbovezH15Hyhxg-5fei1zfIc5yUUA7_amXBzD3OumU,246
58
+ cartography/types/wait_until.py,sha256=JyCJiILsx8lbOd-kK1wTOxLKrnD5RByjeQQVPDzbhrg,246
58
59
  cartography/types/workflow_describe_response.py,sha256=xHan0hcgdRjbmhTwJqrKjLhNpb5Y9T7weSIlhtfP42Q,248
59
60
  cartography/types/workflow_results_response.py,sha256=CxVPgyqoIGSCrnO8mnOAacjp7bvWeHmHZHy88Oh6DtY,246
60
61
  cartography/types/workflows/__init__.py,sha256=tVY5RIEfyHvbVHmvq7wllO29udmJiZQxvOaggNTLpcc,335
@@ -63,10 +64,10 @@ cartography/types/workflows/request_create_download_response.py,sha256=8n05ENcmB
63
64
  cartography/types/workflows/request/__init__.py,sha256=lXyknEexZDYnqVoqUMERnRuSlz4CixdFQXecKu8qGNc,505
64
65
  cartography/types/workflows/request/crawl_create_bulk_params.py,sha256=tKJrecoRHVMF_T3okZAPCeaa8XGW5lMzoN1cku2kttc,393
65
66
  cartography/types/workflows/request/crawl_create_bulk_response.py,sha256=jsxrgEsJ5sUKquwBVJqNXqGB8JFY3lEat1wNc-qJ7a4,479
66
- cartography/types/workflows/request/crawl_create_params.py,sha256=sA1XmIjM0XFdjpQfQ-3XPYemyeEt7IRJyxF5HCrStNs,815
67
- cartography/types/workflows/request/crawl_request_param.py,sha256=37cDKeNu6iYPqWmx2NOQk355Amv1eTzjkbjVwZWgzHY,815
67
+ cartography/types/workflows/request/crawl_create_params.py,sha256=2IOq8ltXyDNxwNQHuwHeINuvmgTodEQSMw9D0TjTmVU,891
68
+ cartography/types/workflows/request/crawl_request_param.py,sha256=A2k5I-kXZidu_2x3dUifrlI60dm4cAqw4UAL_nbJ9rs,891
68
69
  cartography/types/workflows/request/workflow_result.py,sha256=iIDSquvEHkrr_IDYhZqJDZgLvEugBKgSeQOnA9jPohQ,221
69
- cartography_client-0.9.2.dist-info/METADATA,sha256=W3WnhGB7iQGbWJJ9dc-YHhz-rixXC1rc5SNjuYFcEwo,13566
70
- cartography_client-0.9.2.dist-info/WHEEL,sha256=C2FUgwZgiLbznR-k0b_5k3Ai_1aASOXDss3lzCUsUug,87
71
- cartography_client-0.9.2.dist-info/licenses/LICENSE,sha256=0DZ926LAsHVU1OBPQaE_owbXJZ6foQ133RvErapSzt0,11341
72
- cartography_client-0.9.2.dist-info/RECORD,,
70
+ cartography_client-0.13.1.dist-info/METADATA,sha256=oJxsr7If0jPKVVKi0EOZ6yQPw3rI4n_1aoxCZ67aGYQ,13517
71
+ cartography_client-0.13.1.dist-info/WHEEL,sha256=C2FUgwZgiLbznR-k0b_5k3Ai_1aASOXDss3lzCUsUug,87
72
+ cartography_client-0.13.1.dist-info/licenses/LICENSE,sha256=0DZ926LAsHVU1OBPQaE_owbXJZ6foQ133RvErapSzt0,11341
73
+ cartography_client-0.13.1.dist-info/RECORD,,