airbyte-agent-shopify 0.1.16__py3-none-any.whl → 0.1.24__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.
Files changed (22) hide show
  1. airbyte_agent_shopify/__init__.py +2 -0
  2. airbyte_agent_shopify/_vendored/connector_sdk/cloud_utils/client.py +62 -0
  3. airbyte_agent_shopify/_vendored/connector_sdk/connector_model_loader.py +5 -0
  4. airbyte_agent_shopify/_vendored/connector_sdk/executor/hosted_executor.py +59 -25
  5. airbyte_agent_shopify/_vendored/connector_sdk/executor/local_executor.py +87 -12
  6. airbyte_agent_shopify/_vendored/connector_sdk/executor/models.py +12 -0
  7. airbyte_agent_shopify/_vendored/connector_sdk/http/adapters/httpx_adapter.py +10 -1
  8. airbyte_agent_shopify/_vendored/connector_sdk/introspection.py +12 -5
  9. airbyte_agent_shopify/_vendored/connector_sdk/schema/base.py +11 -0
  10. airbyte_agent_shopify/_vendored/connector_sdk/schema/operations.py +10 -0
  11. airbyte_agent_shopify/_vendored/connector_sdk/schema/security.py +5 -0
  12. airbyte_agent_shopify/_vendored/connector_sdk/telemetry/tracker.py +4 -4
  13. airbyte_agent_shopify/_vendored/connector_sdk/types.py +20 -1
  14. airbyte_agent_shopify/_vendored/connector_sdk/utils.py +67 -0
  15. airbyte_agent_shopify/_vendored/connector_sdk/validation.py +171 -2
  16. airbyte_agent_shopify/_vendored/connector_sdk/validation_replication.py +970 -0
  17. airbyte_agent_shopify/connector.py +154 -11
  18. airbyte_agent_shopify/connector_model.py +2 -1
  19. airbyte_agent_shopify/models.py +19 -0
  20. {airbyte_agent_shopify-0.1.16.dist-info → airbyte_agent_shopify-0.1.24.dist-info}/METADATA +13 -9
  21. {airbyte_agent_shopify-0.1.16.dist-info → airbyte_agent_shopify-0.1.24.dist-info}/RECORD +22 -21
  22. {airbyte_agent_shopify-0.1.16.dist-info → airbyte_agent_shopify-0.1.24.dist-info}/WHEEL +0 -0
@@ -72,8 +72,10 @@ from .types import (
72
72
  )
73
73
  if TYPE_CHECKING:
74
74
  from .models import ShopifyAuthConfig
75
+
75
76
  # Import response models and envelope models at runtime
76
77
  from .models import (
78
+ ShopifyCheckResult,
77
79
  ShopifyExecuteResult,
78
80
  ShopifyExecuteResultWithMeta,
79
81
  CustomersListResult,
@@ -178,7 +180,7 @@ class ShopifyConnector:
178
180
  """
179
181
 
180
182
  connector_name = "shopify"
181
- connector_version = "0.1.2"
183
+ connector_version = "0.1.3"
182
184
  vendored_sdk_version = "0.1.0" # Version of vendored connector-sdk
183
185
 
184
186
  # Map of (entity, action) -> needs_envelope for envelope wrapping decision
@@ -298,6 +300,7 @@ class ShopifyConnector:
298
300
  external_user_id: str | None = None,
299
301
  airbyte_client_id: str | None = None,
300
302
  airbyte_client_secret: str | None = None,
303
+ connector_id: str | None = None,
301
304
  on_token_refresh: Any | None = None,
302
305
  shop: str | None = None ):
303
306
  """
@@ -305,20 +308,28 @@ class ShopifyConnector:
305
308
 
306
309
  Supports both local and hosted execution modes:
307
310
  - Local mode: Provide `auth_config` for direct API calls
308
- - Hosted mode: Provide `external_user_id`, `airbyte_client_id`, and `airbyte_client_secret` for hosted execution
311
+ - Hosted mode: Provide Airbyte credentials with either `connector_id` or `external_user_id`
309
312
 
310
313
  Args:
311
314
  auth_config: Typed authentication configuration (required for local mode)
312
- external_user_id: External user ID (required for hosted mode)
315
+ external_user_id: External user ID (for hosted mode lookup)
313
316
  airbyte_client_id: Airbyte OAuth client ID (required for hosted mode)
314
317
  airbyte_client_secret: Airbyte OAuth client secret (required for hosted mode)
318
+ connector_id: Specific connector/source ID (for hosted mode, skips lookup)
315
319
  on_token_refresh: Optional callback for OAuth2 token refresh persistence.
316
320
  Called with new_tokens dict when tokens are refreshed. Can be sync or async.
317
321
  Example: lambda tokens: save_to_database(tokens) shop: Your Shopify store name (e.g., 'my-store' from my-store.myshopify.com)
318
322
  Examples:
319
323
  # Local mode (direct API calls)
320
324
  connector = ShopifyConnector(auth_config=ShopifyAuthConfig(api_key="...", shop="..."))
321
- # Hosted mode (executed on Airbyte cloud)
325
+ # Hosted mode with explicit connector_id (no lookup needed)
326
+ connector = ShopifyConnector(
327
+ airbyte_client_id="client_abc123",
328
+ airbyte_client_secret="secret_xyz789",
329
+ connector_id="existing-source-uuid"
330
+ )
331
+
332
+ # Hosted mode with lookup by external_user_id
322
333
  connector = ShopifyConnector(
323
334
  external_user_id="user-123",
324
335
  airbyte_client_id="client_abc123",
@@ -336,21 +347,24 @@ class ShopifyConnector:
336
347
  on_token_refresh=save_tokens
337
348
  )
338
349
  """
339
- # Hosted mode: external_user_id, airbyte_client_id, and airbyte_client_secret provided
340
- if external_user_id and airbyte_client_id and airbyte_client_secret:
350
+ # Hosted mode: Airbyte credentials + either connector_id OR external_user_id
351
+ is_hosted = airbyte_client_id and airbyte_client_secret and (connector_id or external_user_id)
352
+
353
+ if is_hosted:
341
354
  from ._vendored.connector_sdk.executor import HostedExecutor
342
355
  self._executor = HostedExecutor(
343
- external_user_id=external_user_id,
344
356
  airbyte_client_id=airbyte_client_id,
345
357
  airbyte_client_secret=airbyte_client_secret,
346
- connector_definition_id=str(ShopifyConnectorModel.id),
358
+ connector_id=connector_id,
359
+ external_user_id=external_user_id,
360
+ connector_definition_id=str(ShopifyConnectorModel.id) if not connector_id else None,
347
361
  )
348
362
  else:
349
363
  # Local mode: auth_config required
350
364
  if not auth_config:
351
365
  raise ValueError(
352
- "Either provide (external_user_id, airbyte_client_id, airbyte_client_secret) for hosted mode "
353
- "or auth_config for local mode"
366
+ "Either provide Airbyte credentials (airbyte_client_id, airbyte_client_secret) with "
367
+ "connector_id or external_user_id for hosted mode, or auth_config for local mode"
354
368
  )
355
369
 
356
370
  from ._vendored.connector_sdk.executor import LocalExecutor
@@ -900,6 +914,40 @@ class ShopifyConnector:
900
914
  # No extractors - return raw response data
901
915
  return result.data
902
916
 
917
+ # ===== HEALTH CHECK METHOD =====
918
+
919
+ async def check(self) -> ShopifyCheckResult:
920
+ """
921
+ Perform a health check to verify connectivity and credentials.
922
+
923
+ Executes a lightweight list operation (limit=1) to validate that
924
+ the connector can communicate with the API and credentials are valid.
925
+
926
+ Returns:
927
+ ShopifyCheckResult with status ("healthy" or "unhealthy") and optional error message
928
+
929
+ Example:
930
+ result = await connector.check()
931
+ if result.status == "healthy":
932
+ print("Connection verified!")
933
+ else:
934
+ print(f"Check failed: {result.error}")
935
+ """
936
+ result = await self._executor.check()
937
+
938
+ if result.success and isinstance(result.data, dict):
939
+ return ShopifyCheckResult(
940
+ status=result.data.get("status", "unhealthy"),
941
+ error=result.data.get("error"),
942
+ checked_entity=result.data.get("checked_entity"),
943
+ checked_action=result.data.get("checked_action"),
944
+ )
945
+ else:
946
+ return ShopifyCheckResult(
947
+ status="unhealthy",
948
+ error=result.error or "Unknown error during health check",
949
+ )
950
+
903
951
  # ===== INTROSPECTION METHODS =====
904
952
 
905
953
  @classmethod
@@ -908,6 +956,7 @@ class ShopifyConnector:
908
956
  func: _F | None = None,
909
957
  *,
910
958
  update_docstring: bool = True,
959
+ enable_hosted_mode_features: bool = True,
911
960
  max_output_chars: int | None = DEFAULT_MAX_OUTPUT_CHARS,
912
961
  ) -> _F | Callable[[_F], _F]:
913
962
  """
@@ -926,12 +975,16 @@ class ShopifyConnector:
926
975
 
927
976
  Args:
928
977
  update_docstring: When True, append connector capabilities to __doc__.
978
+ enable_hosted_mode_features: When False, omit hosted-mode search sections from docstrings.
929
979
  max_output_chars: Max serialized output size before raising. Use None to disable.
930
980
  """
931
981
 
932
982
  def decorate(inner: _F) -> _F:
933
983
  if update_docstring:
934
- description = generate_tool_description(ShopifyConnectorModel)
984
+ description = generate_tool_description(
985
+ ShopifyConnectorModel,
986
+ enable_hosted_mode_features=enable_hosted_mode_features,
987
+ )
935
988
  original_doc = inner.__doc__ or ""
936
989
  if original_doc.strip():
937
990
  full_doc = f"{original_doc.strip()}\n{description}"
@@ -1008,6 +1061,96 @@ class ShopifyConnector:
1008
1061
  )
1009
1062
  return entity_def.entity_schema if entity_def else None
1010
1063
 
1064
+ @property
1065
+ def connector_id(self) -> str | None:
1066
+ """Get the connector/source ID (only available in hosted mode).
1067
+
1068
+ Returns:
1069
+ The connector ID if in hosted mode, None if in local mode.
1070
+
1071
+ Example:
1072
+ connector = await ShopifyConnector.create_hosted(...)
1073
+ print(f"Created connector: {connector.connector_id}")
1074
+ """
1075
+ if hasattr(self, '_executor') and hasattr(self._executor, '_connector_id'):
1076
+ return self._executor._connector_id
1077
+ return None
1078
+
1079
+ # ===== HOSTED MODE FACTORY =====
1080
+
1081
+ @classmethod
1082
+ async def create_hosted(
1083
+ cls,
1084
+ *,
1085
+ external_user_id: str,
1086
+ airbyte_client_id: str,
1087
+ airbyte_client_secret: str,
1088
+ auth_config: "ShopifyAuthConfig",
1089
+ name: str | None = None,
1090
+ replication_config: dict[str, Any] | None = None,
1091
+ ) -> "ShopifyConnector":
1092
+ """
1093
+ Create a new hosted connector on Airbyte Cloud.
1094
+
1095
+ This factory method:
1096
+ 1. Creates a source on Airbyte Cloud with the provided credentials
1097
+ 2. Returns a connector configured with the new connector_id
1098
+
1099
+ Args:
1100
+ external_user_id: Workspace identifier in Airbyte Cloud
1101
+ airbyte_client_id: Airbyte OAuth client ID
1102
+ airbyte_client_secret: Airbyte OAuth client secret
1103
+ auth_config: Typed auth config (same as local mode)
1104
+ name: Optional source name (defaults to connector name + external_user_id)
1105
+ replication_config: Optional replication settings dict.
1106
+ Required for connectors with x-airbyte-replication-config (REPLICATION mode sources).
1107
+
1108
+ Returns:
1109
+ A ShopifyConnector instance configured in hosted mode
1110
+
1111
+ Example:
1112
+ # Create a new hosted connector with API key auth
1113
+ connector = await ShopifyConnector.create_hosted(
1114
+ external_user_id="my-workspace",
1115
+ airbyte_client_id="client_abc",
1116
+ airbyte_client_secret="secret_xyz",
1117
+ auth_config=ShopifyAuthConfig(api_key="...", shop="..."),
1118
+ )
1119
+
1120
+ # Use the connector
1121
+ result = await connector.execute("entity", "list", {})
1122
+ """
1123
+ from ._vendored.connector_sdk.cloud_utils import AirbyteCloudClient
1124
+
1125
+ client = AirbyteCloudClient(
1126
+ client_id=airbyte_client_id,
1127
+ client_secret=airbyte_client_secret,
1128
+ )
1129
+
1130
+ try:
1131
+ # Build credentials from auth_config
1132
+ credentials = auth_config.model_dump(exclude_none=True)
1133
+ replication_config_dict = replication_config.model_dump(exclude_none=True) if replication_config else None
1134
+
1135
+ # Create source on Airbyte Cloud
1136
+ source_name = name or f"{cls.connector_name} - {external_user_id}"
1137
+ source_id = await client.create_source(
1138
+ name=source_name,
1139
+ connector_definition_id=str(ShopifyConnectorModel.id),
1140
+ external_user_id=external_user_id,
1141
+ credentials=credentials,
1142
+ replication_config=replication_config_dict,
1143
+ )
1144
+ finally:
1145
+ await client.close()
1146
+
1147
+ # Return connector configured with the new connector_id
1148
+ return cls(
1149
+ airbyte_client_id=airbyte_client_id,
1150
+ airbyte_client_secret=airbyte_client_secret,
1151
+ connector_id=source_id,
1152
+ )
1153
+
1011
1154
 
1012
1155
 
1013
1156
  class CustomersQuery:
@@ -26,7 +26,7 @@ from uuid import (
26
26
  ShopifyConnectorModel: ConnectorModel = ConnectorModel(
27
27
  id=UUID('9da77001-af33-4bcd-be46-6252bf9342b9'),
28
28
  name='shopify',
29
- version='0.1.2',
29
+ version='0.1.3',
30
30
  base_url='https://{shop}.myshopify.com/admin/api/2025-01',
31
31
  auth=AuthConfig(
32
32
  type=AuthType.API_KEY,
@@ -388,6 +388,7 @@ ShopifyConnectorModel: ConnectorModel = ConnectorModel(
388
388
  },
389
389
  record_extractor='$.customers',
390
390
  meta_extractor={'next_page_url': '@link.next'},
391
+ preferred_for_check=True,
391
392
  ),
392
393
  Action.GET: EndpointDefinition(
393
394
  method='GET',
@@ -1064,6 +1064,25 @@ class FulfillmentOrdersListResultMeta(BaseModel):
1064
1064
 
1065
1065
  next_page_url: Union[str | None, Any] = Field(default=None)
1066
1066
 
1067
+ # ===== CHECK RESULT MODEL =====
1068
+
1069
+ class ShopifyCheckResult(BaseModel):
1070
+ """Result of a health check operation.
1071
+
1072
+ Returned by the check() method to indicate connectivity and credential status.
1073
+ """
1074
+ model_config = ConfigDict(extra="forbid")
1075
+
1076
+ status: str
1077
+ """Health check status: 'healthy' or 'unhealthy'."""
1078
+ error: str | None = None
1079
+ """Error message if status is 'unhealthy', None otherwise."""
1080
+ checked_entity: str | None = None
1081
+ """Entity name used for the health check."""
1082
+ checked_action: str | None = None
1083
+ """Action name used for the health check."""
1084
+
1085
+
1067
1086
  # ===== RESPONSE ENVELOPE MODELS =====
1068
1087
 
1069
1088
  # Type variables for generic envelope models
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: airbyte-agent-shopify
3
- Version: 0.1.16
3
+ Version: 0.1.24
4
4
  Summary: Airbyte Shopify Connector for AI platforms
5
5
  Project-URL: Homepage, https://github.com/airbytehq/airbyte-agent-connectors
6
6
  Project-URL: Documentation, https://docs.airbyte.com/ai-agents/
@@ -119,10 +119,11 @@ async def shopify_execute(entity: str, action: str, params: dict | None = None):
119
119
  return await connector.execute(entity, action, params or {})
120
120
  ```
121
121
 
122
-
123
122
  ## Full documentation
124
123
 
125
- This connector supports the following entities and actions.
124
+ ### Entities and actions
125
+
126
+ This connector supports the following entities and actions. For more details, see this connector's [full reference documentation](REFERENCE.md).
126
127
 
127
128
  | Entity | Actions |
128
129
  |--------|---------|
@@ -160,14 +161,17 @@ This connector supports the following entities and actions.
160
161
  | Fulfillment Orders | [List](./REFERENCE.md#fulfillment-orders-list), [Get](./REFERENCE.md#fulfillment-orders-get) |
161
162
 
162
163
 
163
- For all authentication options, see the connector's [authentication documentation](AUTH.md).
164
+ ### Authentication and configuration
165
+
166
+ For all authentication and configuration options, see the connector's [authentication documentation](AUTH.md).
164
167
 
165
- For detailed documentation on available actions and parameters, see this connector's [full reference documentation](./REFERENCE.md).
168
+ ### Shopify API docs
166
169
 
167
- For the service's official API docs, see the [Shopify API reference](https://shopify.dev/docs/api/admin-rest).
170
+ See the official [Shopify API reference](https://shopify.dev/docs/api/admin-rest).
168
171
 
169
172
  ## Version information
170
173
 
171
- - **Package version:** 0.1.16
172
- - **Connector version:** 0.1.2
173
- - **Generated with Connector SDK commit SHA:** 71f48c102ce98c9298e5102761e740f0d97eb71b
174
+ - **Package version:** 0.1.24
175
+ - **Connector version:** 0.1.3
176
+ - **Generated with Connector SDK commit SHA:** b184da3e22ef8521d2eeebf3c96a0fe8da2424f5
177
+ - **Changelog:** [View changelog](https://github.com/airbytehq/airbyte-agent-connectors/blob/main/connectors/shopify/CHANGELOG.md)
@@ -1,35 +1,36 @@
1
- airbyte_agent_shopify/__init__.py,sha256=uFn4x1bUldfWTPBITTIGYrjD5bRufgEVvKVviDOUd_0,9661
2
- airbyte_agent_shopify/connector.py,sha256=uDA7DNbgXNQQ94sp2Kinq2Rgu2FgBZEWzbgKTLEteZM,93793
3
- airbyte_agent_shopify/connector_model.py,sha256=AVa7n--wns14y5tdsiKymVUMS7HboqVD8sdzvKPlBRM,691010
4
- airbyte_agent_shopify/models.py,sha256=hBMmLBLBlmqU8TdcJGpm3fQyyDVP3BEpDJ5C2cInBso,60917
1
+ airbyte_agent_shopify/__init__.py,sha256=VzEfKBOuvkw1Kxz_VgySeuOUzh9cC936EkU9O7xI-aU,9711
2
+ airbyte_agent_shopify/connector.py,sha256=6G3HzGH2YqnSTFnrxFDx1Hqy7YhjW8iH8XaD74_YG04,99334
3
+ airbyte_agent_shopify/connector_model.py,sha256=OOKD-zmjbVv-MX-r3c-QF3alQqn6vKTDjRjAF6y0ddQ,691056
4
+ airbyte_agent_shopify/models.py,sha256=hpXPTZ25RVc6a-nMbkLcGVq3zOeDx6oc8tQMUdfJnHg,61514
5
5
  airbyte_agent_shopify/types.py,sha256=AwQ4PR2wZmHNuryriCFdRxf9q48J1mnPwspUB1b-L_o,10221
6
6
  airbyte_agent_shopify/_vendored/__init__.py,sha256=ILl7AHXMui__swyrjxrh9yRa4dLiwBvV6axPWFWty80,38
7
7
  airbyte_agent_shopify/_vendored/connector_sdk/__init__.py,sha256=T5o7roU6NSpH-lCAGZ338sE5dlh4ZU6i6IkeG1zpems,1949
8
8
  airbyte_agent_shopify/_vendored/connector_sdk/auth_strategies.py,sha256=5Sb9moUp623o67Q2wMa8iZldJH08y4gQdoutoO_75Iw,42088
9
9
  airbyte_agent_shopify/_vendored/connector_sdk/auth_template.py,sha256=nju4jqlFC_KI82ILNumNIyiUtRJcy7J94INIZ0QraI4,4454
10
- airbyte_agent_shopify/_vendored/connector_sdk/connector_model_loader.py,sha256=AW9bsdggzuc3ydy2bYYF33L6LxLKLQer9Wm47IOuQw0,41492
10
+ airbyte_agent_shopify/_vendored/connector_sdk/connector_model_loader.py,sha256=1AAvSvjxM9Nuto6w7D6skN5VXGb4e6na0lMFcFmmVkI,41761
11
11
  airbyte_agent_shopify/_vendored/connector_sdk/constants.py,sha256=AtzOvhDMWbRJgpsQNWl5tkogHD6mWgEY668PgRmgtOY,2737
12
12
  airbyte_agent_shopify/_vendored/connector_sdk/exceptions.py,sha256=ss5MGv9eVPmsbLcLWetuu3sDmvturwfo6Pw3M37Oq5k,481
13
13
  airbyte_agent_shopify/_vendored/connector_sdk/extensions.py,sha256=XWRRoJOOrwUHSKbuQt5DU7CCu8ePzhd_HuP7c_uD77w,21376
14
14
  airbyte_agent_shopify/_vendored/connector_sdk/http_client.py,sha256=09Fclbq4wrg38EM2Yh2kHiykQVXqdAGby024elcEz8E,28027
15
- airbyte_agent_shopify/_vendored/connector_sdk/introspection.py,sha256=kRVI4TDQDLdcCnTBUML8ycAtdqAQufVh-027sMkb4i8,19165
15
+ airbyte_agent_shopify/_vendored/connector_sdk/introspection.py,sha256=e9uWn2ofpeehoBbzNgts_bjlKLn8ayA1Y3OpDC3b7ZA,19517
16
16
  airbyte_agent_shopify/_vendored/connector_sdk/secrets.py,sha256=J9ezMu4xNnLW11xY5RCre6DHP7YMKZCqwGJfk7ufHAM,6855
17
- airbyte_agent_shopify/_vendored/connector_sdk/types.py,sha256=in8gHsn5nsScujOfHZmkOgNmqmJKiPyNNjg59m5fGWc,8807
18
- airbyte_agent_shopify/_vendored/connector_sdk/utils.py,sha256=G4LUXOC2HzPoND2v4tQW68R9uuPX9NQyCjaGxb7Kpl0,1958
19
- airbyte_agent_shopify/_vendored/connector_sdk/validation.py,sha256=4MPrxYmQh8TbCU0KdvvRKe35Lg1YYLEBd0u4aKySl_E,32122
17
+ airbyte_agent_shopify/_vendored/connector_sdk/types.py,sha256=MsWJsQy779r7Mqiqf_gh_4Vs6VDqieoMjLPyWt7qhu8,9412
18
+ airbyte_agent_shopify/_vendored/connector_sdk/utils.py,sha256=UYwYuSLhsDD-4C0dBs7Qy0E0gIcFZXb6VWadJORhQQU,4080
19
+ airbyte_agent_shopify/_vendored/connector_sdk/validation.py,sha256=w5WGnmILkdBslpXhAXhKhE-c8ANBc_OZQxr_fUeAgtc,39666
20
+ airbyte_agent_shopify/_vendored/connector_sdk/validation_replication.py,sha256=v7F5YWd5m4diIF7_4m4nOkC9crg97vqRUUkt9ka9HZ4,36043
20
21
  airbyte_agent_shopify/_vendored/connector_sdk/cloud_utils/__init__.py,sha256=4799Hv9f2zxDVj1aLyQ8JpTEuFTp_oOZMRz-NZCdBJg,134
21
- airbyte_agent_shopify/_vendored/connector_sdk/cloud_utils/client.py,sha256=YxdRpQr9XjDzih6csSseBVGn9kfMtaqbOCXP0TPuzFY,7189
22
+ airbyte_agent_shopify/_vendored/connector_sdk/cloud_utils/client.py,sha256=-_ibaHVa7KBBw8SnMuxpWz6XkrSgNTFdMgDfTChtywg,9505
22
23
  airbyte_agent_shopify/_vendored/connector_sdk/executor/__init__.py,sha256=EmG9YQNAjSuYCVB4D5VoLm4qpD1KfeiiOf7bpALj8p8,702
23
- airbyte_agent_shopify/_vendored/connector_sdk/executor/hosted_executor.py,sha256=ydHcG-biRS1ITT5ELwPShdJW-KYpvK--Fos1ipNgHho,6995
24
- airbyte_agent_shopify/_vendored/connector_sdk/executor/local_executor.py,sha256=tVbfstxOrm5qJt1NawTwjhIIpDgPCC4wSrKM5eALPSQ,74064
25
- airbyte_agent_shopify/_vendored/connector_sdk/executor/models.py,sha256=lYVT_bNcw-PoIks4WHNyl2VY-lJVf2FntzINSOBIheE,5845
24
+ airbyte_agent_shopify/_vendored/connector_sdk/executor/hosted_executor.py,sha256=tv0njAdy-gdHBg4izgcxhEWYbrNiBifEYEca9AWzaL0,8693
25
+ airbyte_agent_shopify/_vendored/connector_sdk/executor/local_executor.py,sha256=RtdTXFzfoJz5Coz9nwQi81Df1402BRgO1Mgd3ZzTkfw,76581
26
+ airbyte_agent_shopify/_vendored/connector_sdk/executor/models.py,sha256=mUUBnuShKXxVIfsTOhMiI2rn2a-50jJG7SFGKT_P6Jk,6281
26
27
  airbyte_agent_shopify/_vendored/connector_sdk/http/__init__.py,sha256=y8fbzZn-3yV9OxtYz8Dy6FFGI5v6TOqADd1G3xHH3Hw,911
27
28
  airbyte_agent_shopify/_vendored/connector_sdk/http/config.py,sha256=6J7YIIwHC6sRu9i-yKa5XvArwK2KU60rlnmxzDZq3lw,3283
28
29
  airbyte_agent_shopify/_vendored/connector_sdk/http/exceptions.py,sha256=eYdYmxqcwA6pgrSoRXNfR6_nRBGRH6upp2-r1jcKaZo,3586
29
30
  airbyte_agent_shopify/_vendored/connector_sdk/http/protocols.py,sha256=eV7NbBIQOcPLw-iu8mtkV2zCVgScDwP0ek1SbPNQo0g,3323
30
31
  airbyte_agent_shopify/_vendored/connector_sdk/http/response.py,sha256=Q-RyM5D0D05ZhmZVJk4hVpmoS8YtyXNOTM5hqBt7rWI,3475
31
32
  airbyte_agent_shopify/_vendored/connector_sdk/http/adapters/__init__.py,sha256=gjbWdU4LfzUG2PETI0TkfkukdzoCAhpL6FZtIEnkO-s,209
32
- airbyte_agent_shopify/_vendored/connector_sdk/http/adapters/httpx_adapter.py,sha256=dkYhzBWiKBmzWZlc-cRTx50Hb6fy3OI8kOQvXRfS1CQ,8465
33
+ airbyte_agent_shopify/_vendored/connector_sdk/http/adapters/httpx_adapter.py,sha256=7ounOUlpx7RBLLqYSGWzEsOnnCgCBH3WCDaQFJcmKj0,8902
33
34
  airbyte_agent_shopify/_vendored/connector_sdk/logging/__init__.py,sha256=IZoE5yXhwSA0m3xQqh0FiCifjp1sB3S8jnnFPuJLYf8,227
34
35
  airbyte_agent_shopify/_vendored/connector_sdk/logging/logger.py,sha256=rUdKDEQe3pOODmBLEcvhgZeEZi48BvrgKXKq1xvCXu0,8387
35
36
  airbyte_agent_shopify/_vendored/connector_sdk/logging/types.py,sha256=ONb9xKNXUkrR2lojSBMF7ruof7S2r92WjrO_kEZic84,3239
@@ -42,16 +43,16 @@ airbyte_agent_shopify/_vendored/connector_sdk/performance/__init__.py,sha256=Sp5
42
43
  airbyte_agent_shopify/_vendored/connector_sdk/performance/instrumentation.py,sha256=_dXvNiqdndIBwDjeDKNViWzn_M5FkSUsMmJtFldrmsM,1504
43
44
  airbyte_agent_shopify/_vendored/connector_sdk/performance/metrics.py,sha256=FRff7dKt4iwt_A7pxV5n9kAGBR756PC7q8-weWygPSM,2817
44
45
  airbyte_agent_shopify/_vendored/connector_sdk/schema/__init__.py,sha256=Uymu-QuzGJuMxexBagIvUxpVAigIuIhz3KeBl_Vu4Ko,1638
45
- airbyte_agent_shopify/_vendored/connector_sdk/schema/base.py,sha256=IoAucZQ0j0xTdm4VWotB636R4jsrkYnppMQhXE0uoyU,6541
46
+ airbyte_agent_shopify/_vendored/connector_sdk/schema/base.py,sha256=mOO5eZSK-FB7S-ZXpt5HFG5YBg8x-oM6RZRLPOEGxZM,7115
46
47
  airbyte_agent_shopify/_vendored/connector_sdk/schema/components.py,sha256=nJIPieavwX3o3ODvdtLHPk84d_V229xmg6LDfwEHjzc,8119
47
48
  airbyte_agent_shopify/_vendored/connector_sdk/schema/connector.py,sha256=mSZk1wr2YSdRj9tTRsPAuIlCzd_xZLw-Bzl1sMwE0rE,3731
48
49
  airbyte_agent_shopify/_vendored/connector_sdk/schema/extensions.py,sha256=5hgpFHK7fzpzegCkJk882DeIP79bCx_qairKJhvPMZ8,9590
49
- airbyte_agent_shopify/_vendored/connector_sdk/schema/operations.py,sha256=RpzGtAI4yvAtMHAfMUMcUwgHv_qJojnKlNb75_agUF8,5729
50
- airbyte_agent_shopify/_vendored/connector_sdk/schema/security.py,sha256=1CVCavrPdHHyk7B6JtUD75yRS_hWLCemZF1zwGbdqxg,9036
50
+ airbyte_agent_shopify/_vendored/connector_sdk/schema/operations.py,sha256=St-A75m6sZUZlsoM6WcoPaShYu_X1K19pdyPvJbabOE,6214
51
+ airbyte_agent_shopify/_vendored/connector_sdk/schema/security.py,sha256=R-21DLnp-ANIRO1Dzqo53TYFJL6lCp0aO8GSuxa_bDI,9225
51
52
  airbyte_agent_shopify/_vendored/connector_sdk/telemetry/__init__.py,sha256=RaLgkBU4dfxn1LC5Y0Q9rr2PJbrwjxvPgBLmq8_WafE,211
52
53
  airbyte_agent_shopify/_vendored/connector_sdk/telemetry/config.py,sha256=tLmQwAFD0kP1WyBGWBS3ysaudN9H3e-3EopKZi6cGKg,885
53
54
  airbyte_agent_shopify/_vendored/connector_sdk/telemetry/events.py,sha256=8Y1NbXiwISX-V_wRofY7PqcwEXD0dLMnntKkY6XFU2s,1328
54
- airbyte_agent_shopify/_vendored/connector_sdk/telemetry/tracker.py,sha256=Ftrk0_ddfM7dZG8hF9xBuPwhbc9D6JZ7Q9qs5o3LEyA,5579
55
- airbyte_agent_shopify-0.1.16.dist-info/METADATA,sha256=vzGjdAedaMX_-w0h9_jQ-v5AUi21PZgAwyFf1OIAvYI,7842
56
- airbyte_agent_shopify-0.1.16.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
57
- airbyte_agent_shopify-0.1.16.dist-info/RECORD,,
55
+ airbyte_agent_shopify/_vendored/connector_sdk/telemetry/tracker.py,sha256=SginFQbHqVUVYG82NnNzG34O-tAQ_wZYjGDcuo0q4Kk,5584
56
+ airbyte_agent_shopify-0.1.24.dist-info/METADATA,sha256=XVJq7Cm7W45sKaztRhMolJ4fvU_S4T0eWPU6NHtwRWY,7999
57
+ airbyte_agent_shopify-0.1.24.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
58
+ airbyte_agent_shopify-0.1.24.dist-info/RECORD,,