airbyte-agent-orb 0.1.3__py3-none-any.whl → 0.1.5__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.
@@ -37,6 +37,7 @@ from .types import (
37
37
  )
38
38
  if TYPE_CHECKING:
39
39
  from .models import OrbAuthConfig
40
+
40
41
  # Import response models and envelope models at runtime
41
42
  from .models import (
42
43
  OrbCheckResult,
@@ -141,26 +142,35 @@ class OrbConnector:
141
142
  external_user_id: str | None = None,
142
143
  airbyte_client_id: str | None = None,
143
144
  airbyte_client_secret: str | None = None,
145
+ connector_id: str | None = None,
144
146
  on_token_refresh: Any | None = None ):
145
147
  """
146
148
  Initialize a new orb connector instance.
147
149
 
148
150
  Supports both local and hosted execution modes:
149
151
  - Local mode: Provide `auth_config` for direct API calls
150
- - Hosted mode: Provide `external_user_id`, `airbyte_client_id`, and `airbyte_client_secret` for hosted execution
152
+ - Hosted mode: Provide Airbyte credentials with either `connector_id` or `external_user_id`
151
153
 
152
154
  Args:
153
155
  auth_config: Typed authentication configuration (required for local mode)
154
- external_user_id: External user ID (required for hosted mode)
156
+ external_user_id: External user ID (for hosted mode lookup)
155
157
  airbyte_client_id: Airbyte OAuth client ID (required for hosted mode)
156
158
  airbyte_client_secret: Airbyte OAuth client secret (required for hosted mode)
159
+ connector_id: Specific connector/source ID (for hosted mode, skips lookup)
157
160
  on_token_refresh: Optional callback for OAuth2 token refresh persistence.
158
161
  Called with new_tokens dict when tokens are refreshed. Can be sync or async.
159
162
  Example: lambda tokens: save_to_database(tokens)
160
163
  Examples:
161
164
  # Local mode (direct API calls)
162
165
  connector = OrbConnector(auth_config=OrbAuthConfig(api_key="..."))
163
- # Hosted mode (executed on Airbyte cloud)
166
+ # Hosted mode with explicit connector_id (no lookup needed)
167
+ connector = OrbConnector(
168
+ airbyte_client_id="client_abc123",
169
+ airbyte_client_secret="secret_xyz789",
170
+ connector_id="existing-source-uuid"
171
+ )
172
+
173
+ # Hosted mode with lookup by external_user_id
164
174
  connector = OrbConnector(
165
175
  external_user_id="user-123",
166
176
  airbyte_client_id="client_abc123",
@@ -178,21 +188,24 @@ class OrbConnector:
178
188
  on_token_refresh=save_tokens
179
189
  )
180
190
  """
181
- # Hosted mode: external_user_id, airbyte_client_id, and airbyte_client_secret provided
182
- if external_user_id and airbyte_client_id and airbyte_client_secret:
191
+ # Hosted mode: Airbyte credentials + either connector_id OR external_user_id
192
+ is_hosted = airbyte_client_id and airbyte_client_secret and (connector_id or external_user_id)
193
+
194
+ if is_hosted:
183
195
  from ._vendored.connector_sdk.executor import HostedExecutor
184
196
  self._executor = HostedExecutor(
185
- external_user_id=external_user_id,
186
197
  airbyte_client_id=airbyte_client_id,
187
198
  airbyte_client_secret=airbyte_client_secret,
188
- connector_definition_id=str(OrbConnectorModel.id),
199
+ connector_id=connector_id,
200
+ external_user_id=external_user_id,
201
+ connector_definition_id=str(OrbConnectorModel.id) if not connector_id else None,
189
202
  )
190
203
  else:
191
204
  # Local mode: auth_config required
192
205
  if not auth_config:
193
206
  raise ValueError(
194
- "Either provide (external_user_id, airbyte_client_id, airbyte_client_secret) for hosted mode "
195
- "or auth_config for local mode"
207
+ "Either provide Airbyte credentials (airbyte_client_id, airbyte_client_secret) with "
208
+ "connector_id or external_user_id for hosted mode, or auth_config for local mode"
196
209
  )
197
210
 
198
211
  from ._vendored.connector_sdk.executor import LocalExecutor
@@ -503,6 +516,96 @@ class OrbConnector:
503
516
  )
504
517
  return entity_def.entity_schema if entity_def else None
505
518
 
519
+ @property
520
+ def connector_id(self) -> str | None:
521
+ """Get the connector/source ID (only available in hosted mode).
522
+
523
+ Returns:
524
+ The connector ID if in hosted mode, None if in local mode.
525
+
526
+ Example:
527
+ connector = await OrbConnector.create_hosted(...)
528
+ print(f"Created connector: {connector.connector_id}")
529
+ """
530
+ if hasattr(self, '_executor') and hasattr(self._executor, '_connector_id'):
531
+ return self._executor._connector_id
532
+ return None
533
+
534
+ # ===== HOSTED MODE FACTORY =====
535
+
536
+ @classmethod
537
+ async def create_hosted(
538
+ cls,
539
+ *,
540
+ external_user_id: str,
541
+ airbyte_client_id: str,
542
+ airbyte_client_secret: str,
543
+ auth_config: "OrbAuthConfig",
544
+ name: str | None = None,
545
+ replication_config: dict[str, Any] | None = None,
546
+ ) -> "OrbConnector":
547
+ """
548
+ Create a new hosted connector on Airbyte Cloud.
549
+
550
+ This factory method:
551
+ 1. Creates a source on Airbyte Cloud with the provided credentials
552
+ 2. Returns a connector configured with the new connector_id
553
+
554
+ Args:
555
+ external_user_id: Workspace identifier in Airbyte Cloud
556
+ airbyte_client_id: Airbyte OAuth client ID
557
+ airbyte_client_secret: Airbyte OAuth client secret
558
+ auth_config: Typed auth config (same as local mode)
559
+ name: Optional source name (defaults to connector name + external_user_id)
560
+ replication_config: Optional replication settings dict.
561
+ Required for connectors with x-airbyte-replication-config (REPLICATION mode sources).
562
+
563
+ Returns:
564
+ A OrbConnector instance configured in hosted mode
565
+
566
+ Example:
567
+ # Create a new hosted connector with API key auth
568
+ connector = await OrbConnector.create_hosted(
569
+ external_user_id="my-workspace",
570
+ airbyte_client_id="client_abc",
571
+ airbyte_client_secret="secret_xyz",
572
+ auth_config=OrbAuthConfig(api_key="..."),
573
+ )
574
+
575
+ # Use the connector
576
+ result = await connector.execute("entity", "list", {})
577
+ """
578
+ from ._vendored.connector_sdk.cloud_utils import AirbyteCloudClient
579
+
580
+ client = AirbyteCloudClient(
581
+ client_id=airbyte_client_id,
582
+ client_secret=airbyte_client_secret,
583
+ )
584
+
585
+ try:
586
+ # Build credentials from auth_config
587
+ credentials = auth_config.model_dump(exclude_none=True)
588
+ replication_config_dict = replication_config.model_dump(exclude_none=True) if replication_config else None
589
+
590
+ # Create source on Airbyte Cloud
591
+ source_name = name or f"{cls.connector_name} - {external_user_id}"
592
+ source_id = await client.create_source(
593
+ name=source_name,
594
+ connector_definition_id=str(OrbConnectorModel.id),
595
+ external_user_id=external_user_id,
596
+ credentials=credentials,
597
+ replication_config=replication_config_dict,
598
+ )
599
+ finally:
600
+ await client.close()
601
+
602
+ # Return connector configured with the new connector_id
603
+ return cls(
604
+ airbyte_client_id=airbyte_client_id,
605
+ airbyte_client_secret=airbyte_client_secret,
606
+ connector_id=source_id,
607
+ )
608
+
506
609
 
507
610
 
508
611
  class CustomersQuery:
@@ -78,15 +78,6 @@ class CustomersList(BaseModel):
78
78
  data: Union[list[Customer], Any] = Field(default=None)
79
79
  pagination_metadata: Union[PaginationMetadata, Any] = Field(default=None)
80
80
 
81
- class SubscriptionCustomer(BaseModel):
82
- """The customer associated with the subscription"""
83
- model_config = ConfigDict(extra="allow", populate_by_name=True)
84
-
85
- id: Union[str | None, Any] = Field(default=None, description="The customer ID")
86
- """The customer ID"""
87
- external_customer_id: Union[str | None, Any] = Field(default=None, description="The external customer ID")
88
- """The external customer ID"""
89
-
90
81
  class SubscriptionPlan(BaseModel):
91
82
  """The plan associated with the subscription"""
92
83
  model_config = ConfigDict(extra="allow", populate_by_name=True)
@@ -96,6 +87,15 @@ class SubscriptionPlan(BaseModel):
96
87
  name: Union[str | None, Any] = Field(default=None, description="The plan name")
97
88
  """The plan name"""
98
89
 
90
+ class SubscriptionCustomer(BaseModel):
91
+ """The customer associated with the subscription"""
92
+ model_config = ConfigDict(extra="allow", populate_by_name=True)
93
+
94
+ id: Union[str | None, Any] = Field(default=None, description="The customer ID")
95
+ """The customer ID"""
96
+ external_customer_id: Union[str | None, Any] = Field(default=None, description="The external customer ID")
97
+ """The external customer ID"""
98
+
99
99
  class Subscription(BaseModel):
100
100
  """Subscription object"""
101
101
  model_config = ConfigDict(extra="allow", populate_by_name=True)
@@ -180,6 +180,22 @@ class PlansList(BaseModel):
180
180
  data: Union[list[Plan], Any] = Field(default=None)
181
181
  pagination_metadata: Union[PaginationMetadata, Any] = Field(default=None)
182
182
 
183
+ class InvoiceSubscription(BaseModel):
184
+ """The subscription associated with the invoice"""
185
+ model_config = ConfigDict(extra="allow", populate_by_name=True)
186
+
187
+ id: Union[str | None, Any] = Field(default=None, description="The subscription ID")
188
+ """The subscription ID"""
189
+
190
+ class InvoiceCustomer(BaseModel):
191
+ """The customer associated with the invoice"""
192
+ model_config = ConfigDict(extra="allow", populate_by_name=True)
193
+
194
+ id: Union[str | None, Any] = Field(default=None, description="The customer ID")
195
+ """The customer ID"""
196
+ external_customer_id: Union[str | None, Any] = Field(default=None, description="The external customer ID")
197
+ """The external customer ID"""
198
+
183
199
  class InvoiceLineItemsItem(BaseModel):
184
200
  """Nested schema for Invoice.line_items_item"""
185
201
  model_config = ConfigDict(extra="allow", populate_by_name=True)
@@ -197,22 +213,6 @@ class InvoiceLineItemsItem(BaseModel):
197
213
  end_date: Union[str | None, Any] = Field(default=None, description="The end date of the line item")
198
214
  """The end date of the line item"""
199
215
 
200
- class InvoiceCustomer(BaseModel):
201
- """The customer associated with the invoice"""
202
- model_config = ConfigDict(extra="allow", populate_by_name=True)
203
-
204
- id: Union[str | None, Any] = Field(default=None, description="The customer ID")
205
- """The customer ID"""
206
- external_customer_id: Union[str | None, Any] = Field(default=None, description="The external customer ID")
207
- """The external customer ID"""
208
-
209
- class InvoiceSubscription(BaseModel):
210
- """The subscription associated with the invoice"""
211
- model_config = ConfigDict(extra="allow", populate_by_name=True)
212
-
213
- id: Union[str | None, Any] = Field(default=None, description="The subscription ID")
214
- """The subscription ID"""
215
-
216
216
  class Invoice(BaseModel):
217
217
  """Invoice object"""
218
218
  model_config = ConfigDict(extra="allow", populate_by_name=True)
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: airbyte-agent-orb
3
- Version: 0.1.3
3
+ Version: 0.1.5
4
4
  Summary: Airbyte Orb 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/
@@ -147,7 +147,7 @@ See the official [Orb API reference](https://docs.withorb.com/api-reference).
147
147
 
148
148
  ## Version information
149
149
 
150
- - **Package version:** 0.1.3
150
+ - **Package version:** 0.1.5
151
151
  - **Connector version:** 0.1.1
152
- - **Generated with Connector SDK commit SHA:** e4eb233f8dd57ad9bc825064625222a988db2cc6
152
+ - **Generated with Connector SDK commit SHA:** b184da3e22ef8521d2eeebf3c96a0fe8da2424f5
153
153
  - **Changelog:** [View changelog](https://github.com/airbytehq/airbyte-agent-connectors/blob/main/connectors/orb/CHANGELOG.md)
@@ -1,27 +1,28 @@
1
- airbyte_agent_orb/__init__.py,sha256=6-HuN7UbbzC7tcjmwR6rY92slD7cK5DSXhsNEeMvIFo,3225
2
- airbyte_agent_orb/connector.py,sha256=amDoNVcveqSHuk58ScakpXYCRfWSz9PljlzOXggy1c4,37258
1
+ airbyte_agent_orb/__init__.py,sha256=jHWqgCDpIiDZB1WLwcKo4aNXkp5ypSdV0WQWkCNJv_Y,3225
2
+ airbyte_agent_orb/connector.py,sha256=KYeYW2DnDEYKMzp_nTdD17ydcB5Oh1Dwz0NNLIXswng,41204
3
3
  airbyte_agent_orb/connector_model.py,sha256=mhxwbi31hLA-oU2I8oQq7uMK4S0KV8XGjCELQRGth50,120056
4
- airbyte_agent_orb/models.py,sha256=yQRDTy5X5FM7jw3jbdW0PTfbe8J1JP6Ahjdvd40VbMM,22410
4
+ airbyte_agent_orb/models.py,sha256=dFg7AeDxlgoGO8eU9ypRTLqULqSAHDA3cuaXKEKbsyk,22410
5
5
  airbyte_agent_orb/types.py,sha256=O6Q2AOp8BYjYhpEFvOZXnzQDf-7GAKnpCorER2Puh2E,37077
6
6
  airbyte_agent_orb/_vendored/__init__.py,sha256=ILl7AHXMui__swyrjxrh9yRa4dLiwBvV6axPWFWty80,38
7
7
  airbyte_agent_orb/_vendored/connector_sdk/__init__.py,sha256=T5o7roU6NSpH-lCAGZ338sE5dlh4ZU6i6IkeG1zpems,1949
8
8
  airbyte_agent_orb/_vendored/connector_sdk/auth_strategies.py,sha256=5Sb9moUp623o67Q2wMa8iZldJH08y4gQdoutoO_75Iw,42088
9
9
  airbyte_agent_orb/_vendored/connector_sdk/auth_template.py,sha256=nju4jqlFC_KI82ILNumNIyiUtRJcy7J94INIZ0QraI4,4454
10
- airbyte_agent_orb/_vendored/connector_sdk/connector_model_loader.py,sha256=ecm0Cdj1SyhDOpEi2wUzzrJNkgt0wViB0Q-YTrDPsjU,41698
10
+ airbyte_agent_orb/_vendored/connector_sdk/connector_model_loader.py,sha256=1AAvSvjxM9Nuto6w7D6skN5VXGb4e6na0lMFcFmmVkI,41761
11
11
  airbyte_agent_orb/_vendored/connector_sdk/constants.py,sha256=AtzOvhDMWbRJgpsQNWl5tkogHD6mWgEY668PgRmgtOY,2737
12
12
  airbyte_agent_orb/_vendored/connector_sdk/exceptions.py,sha256=ss5MGv9eVPmsbLcLWetuu3sDmvturwfo6Pw3M37Oq5k,481
13
13
  airbyte_agent_orb/_vendored/connector_sdk/extensions.py,sha256=XWRRoJOOrwUHSKbuQt5DU7CCu8ePzhd_HuP7c_uD77w,21376
14
14
  airbyte_agent_orb/_vendored/connector_sdk/http_client.py,sha256=09Fclbq4wrg38EM2Yh2kHiykQVXqdAGby024elcEz8E,28027
15
15
  airbyte_agent_orb/_vendored/connector_sdk/introspection.py,sha256=e9uWn2ofpeehoBbzNgts_bjlKLn8ayA1Y3OpDC3b7ZA,19517
16
16
  airbyte_agent_orb/_vendored/connector_sdk/secrets.py,sha256=J9ezMu4xNnLW11xY5RCre6DHP7YMKZCqwGJfk7ufHAM,6855
17
- airbyte_agent_orb/_vendored/connector_sdk/types.py,sha256=sRZ4rRkJXGfqdjfF3qb0kzrw_tu1cn-CmFSZKMMgF7o,9269
18
- airbyte_agent_orb/_vendored/connector_sdk/utils.py,sha256=G4LUXOC2HzPoND2v4tQW68R9uuPX9NQyCjaGxb7Kpl0,1958
19
- airbyte_agent_orb/_vendored/connector_sdk/validation.py,sha256=2Qof3QiOEEupTsT6F1MvMDCZTPl4IuzkeUUvn_IYFjg,32905
17
+ airbyte_agent_orb/_vendored/connector_sdk/types.py,sha256=MsWJsQy779r7Mqiqf_gh_4Vs6VDqieoMjLPyWt7qhu8,9412
18
+ airbyte_agent_orb/_vendored/connector_sdk/utils.py,sha256=UYwYuSLhsDD-4C0dBs7Qy0E0gIcFZXb6VWadJORhQQU,4080
19
+ airbyte_agent_orb/_vendored/connector_sdk/validation.py,sha256=w5WGnmILkdBslpXhAXhKhE-c8ANBc_OZQxr_fUeAgtc,39666
20
+ airbyte_agent_orb/_vendored/connector_sdk/validation_replication.py,sha256=v7F5YWd5m4diIF7_4m4nOkC9crg97vqRUUkt9ka9HZ4,36043
20
21
  airbyte_agent_orb/_vendored/connector_sdk/cloud_utils/__init__.py,sha256=4799Hv9f2zxDVj1aLyQ8JpTEuFTp_oOZMRz-NZCdBJg,134
21
- airbyte_agent_orb/_vendored/connector_sdk/cloud_utils/client.py,sha256=YxdRpQr9XjDzih6csSseBVGn9kfMtaqbOCXP0TPuzFY,7189
22
+ airbyte_agent_orb/_vendored/connector_sdk/cloud_utils/client.py,sha256=-_ibaHVa7KBBw8SnMuxpWz6XkrSgNTFdMgDfTChtywg,9505
22
23
  airbyte_agent_orb/_vendored/connector_sdk/executor/__init__.py,sha256=EmG9YQNAjSuYCVB4D5VoLm4qpD1KfeiiOf7bpALj8p8,702
23
- airbyte_agent_orb/_vendored/connector_sdk/executor/hosted_executor.py,sha256=AC5aJtdcMPQfRuam0ZGE4QdhUBu2oGEmNZ6oVQLHTE8,7212
24
- airbyte_agent_orb/_vendored/connector_sdk/executor/local_executor.py,sha256=abtQOMZhJBrvE3ioKi-g-R_GZJZozYJNczYySQEEIX8,76981
24
+ airbyte_agent_orb/_vendored/connector_sdk/executor/hosted_executor.py,sha256=tv0njAdy-gdHBg4izgcxhEWYbrNiBifEYEca9AWzaL0,8693
25
+ airbyte_agent_orb/_vendored/connector_sdk/executor/local_executor.py,sha256=RtdTXFzfoJz5Coz9nwQi81Df1402BRgO1Mgd3ZzTkfw,76581
25
26
  airbyte_agent_orb/_vendored/connector_sdk/executor/models.py,sha256=mUUBnuShKXxVIfsTOhMiI2rn2a-50jJG7SFGKT_P6Jk,6281
26
27
  airbyte_agent_orb/_vendored/connector_sdk/http/__init__.py,sha256=y8fbzZn-3yV9OxtYz8Dy6FFGI5v6TOqADd1G3xHH3Hw,911
27
28
  airbyte_agent_orb/_vendored/connector_sdk/http/config.py,sha256=6J7YIIwHC6sRu9i-yKa5XvArwK2KU60rlnmxzDZq3lw,3283
@@ -29,7 +30,7 @@ airbyte_agent_orb/_vendored/connector_sdk/http/exceptions.py,sha256=eYdYmxqcwA6p
29
30
  airbyte_agent_orb/_vendored/connector_sdk/http/protocols.py,sha256=eV7NbBIQOcPLw-iu8mtkV2zCVgScDwP0ek1SbPNQo0g,3323
30
31
  airbyte_agent_orb/_vendored/connector_sdk/http/response.py,sha256=Q-RyM5D0D05ZhmZVJk4hVpmoS8YtyXNOTM5hqBt7rWI,3475
31
32
  airbyte_agent_orb/_vendored/connector_sdk/http/adapters/__init__.py,sha256=gjbWdU4LfzUG2PETI0TkfkukdzoCAhpL6FZtIEnkO-s,209
32
- airbyte_agent_orb/_vendored/connector_sdk/http/adapters/httpx_adapter.py,sha256=dkYhzBWiKBmzWZlc-cRTx50Hb6fy3OI8kOQvXRfS1CQ,8465
33
+ airbyte_agent_orb/_vendored/connector_sdk/http/adapters/httpx_adapter.py,sha256=7ounOUlpx7RBLLqYSGWzEsOnnCgCBH3WCDaQFJcmKj0,8902
33
34
  airbyte_agent_orb/_vendored/connector_sdk/logging/__init__.py,sha256=IZoE5yXhwSA0m3xQqh0FiCifjp1sB3S8jnnFPuJLYf8,227
34
35
  airbyte_agent_orb/_vendored/connector_sdk/logging/logger.py,sha256=rUdKDEQe3pOODmBLEcvhgZeEZi48BvrgKXKq1xvCXu0,8387
35
36
  airbyte_agent_orb/_vendored/connector_sdk/logging/types.py,sha256=ONb9xKNXUkrR2lojSBMF7ruof7S2r92WjrO_kEZic84,3239
@@ -42,16 +43,16 @@ airbyte_agent_orb/_vendored/connector_sdk/performance/__init__.py,sha256=Sp5fSd1
42
43
  airbyte_agent_orb/_vendored/connector_sdk/performance/instrumentation.py,sha256=_dXvNiqdndIBwDjeDKNViWzn_M5FkSUsMmJtFldrmsM,1504
43
44
  airbyte_agent_orb/_vendored/connector_sdk/performance/metrics.py,sha256=FRff7dKt4iwt_A7pxV5n9kAGBR756PC7q8-weWygPSM,2817
44
45
  airbyte_agent_orb/_vendored/connector_sdk/schema/__init__.py,sha256=Uymu-QuzGJuMxexBagIvUxpVAigIuIhz3KeBl_Vu4Ko,1638
45
- airbyte_agent_orb/_vendored/connector_sdk/schema/base.py,sha256=IoAucZQ0j0xTdm4VWotB636R4jsrkYnppMQhXE0uoyU,6541
46
+ airbyte_agent_orb/_vendored/connector_sdk/schema/base.py,sha256=mOO5eZSK-FB7S-ZXpt5HFG5YBg8x-oM6RZRLPOEGxZM,7115
46
47
  airbyte_agent_orb/_vendored/connector_sdk/schema/components.py,sha256=nJIPieavwX3o3ODvdtLHPk84d_V229xmg6LDfwEHjzc,8119
47
48
  airbyte_agent_orb/_vendored/connector_sdk/schema/connector.py,sha256=mSZk1wr2YSdRj9tTRsPAuIlCzd_xZLw-Bzl1sMwE0rE,3731
48
49
  airbyte_agent_orb/_vendored/connector_sdk/schema/extensions.py,sha256=5hgpFHK7fzpzegCkJk882DeIP79bCx_qairKJhvPMZ8,9590
49
50
  airbyte_agent_orb/_vendored/connector_sdk/schema/operations.py,sha256=St-A75m6sZUZlsoM6WcoPaShYu_X1K19pdyPvJbabOE,6214
50
- airbyte_agent_orb/_vendored/connector_sdk/schema/security.py,sha256=1CVCavrPdHHyk7B6JtUD75yRS_hWLCemZF1zwGbdqxg,9036
51
+ airbyte_agent_orb/_vendored/connector_sdk/schema/security.py,sha256=R-21DLnp-ANIRO1Dzqo53TYFJL6lCp0aO8GSuxa_bDI,9225
51
52
  airbyte_agent_orb/_vendored/connector_sdk/telemetry/__init__.py,sha256=RaLgkBU4dfxn1LC5Y0Q9rr2PJbrwjxvPgBLmq8_WafE,211
52
53
  airbyte_agent_orb/_vendored/connector_sdk/telemetry/config.py,sha256=tLmQwAFD0kP1WyBGWBS3ysaudN9H3e-3EopKZi6cGKg,885
53
54
  airbyte_agent_orb/_vendored/connector_sdk/telemetry/events.py,sha256=8Y1NbXiwISX-V_wRofY7PqcwEXD0dLMnntKkY6XFU2s,1328
54
55
  airbyte_agent_orb/_vendored/connector_sdk/telemetry/tracker.py,sha256=SginFQbHqVUVYG82NnNzG34O-tAQ_wZYjGDcuo0q4Kk,5584
55
- airbyte_agent_orb-0.1.3.dist-info/METADATA,sha256=BhVGuR77voXVZ8RbMvz8l_YMxYIWDNDN70ZLVcRdQak,5670
56
- airbyte_agent_orb-0.1.3.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
57
- airbyte_agent_orb-0.1.3.dist-info/RECORD,,
56
+ airbyte_agent_orb-0.1.5.dist-info/METADATA,sha256=z_-GPecIUiy42GQZ_Yyrim1v_-J9O91ZNMPoBLVSnnw,5670
57
+ airbyte_agent_orb-0.1.5.dist-info/WHEEL,sha256=WLgqFyCfm_KASv4WHyYy0P3pM_m7J5L9k2skdKLirC8,87
58
+ airbyte_agent_orb-0.1.5.dist-info/RECORD,,