-
Notifications
You must be signed in to change notification settings - Fork 18
/
Copy pathmanifest_declarative_source.py
519 lines (448 loc) · 21.5 KB
/
manifest_declarative_source.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
#
# Copyright (c) 2023 Airbyte, Inc., all rights reserved.
#
import json
import logging
import pkgutil
from copy import deepcopy
from importlib import metadata
from types import ModuleType
from typing import Any, Dict, Iterator, List, Mapping, Optional, Set
import yaml
from jsonschema.exceptions import ValidationError
from jsonschema.validators import validate
from packaging.version import InvalidVersion, Version
from airbyte_cdk.models import (
AirbyteConnectionStatus,
AirbyteMessage,
AirbyteStateMessage,
ConfiguredAirbyteCatalog,
ConnectorSpecification,
FailureType,
)
from airbyte_cdk.sources.declarative.checks import COMPONENTS_CHECKER_TYPE_MAPPING
from airbyte_cdk.sources.declarative.checks.connection_checker import ConnectionChecker
from airbyte_cdk.sources.declarative.declarative_source import DeclarativeSource
from airbyte_cdk.sources.declarative.models.declarative_component_schema import (
DeclarativeStream as DeclarativeStreamModel,
)
from airbyte_cdk.sources.declarative.models.declarative_component_schema import (
Spec as SpecModel,
)
from airbyte_cdk.sources.declarative.models.declarative_component_schema import (
StateDelegatingStream as StateDelegatingStreamModel,
)
from airbyte_cdk.sources.declarative.parsers.custom_code_compiler import (
get_registered_components_module,
)
from airbyte_cdk.sources.declarative.parsers.manifest_component_transformer import (
ManifestComponentTransformer,
)
from airbyte_cdk.sources.declarative.parsers.manifest_normalizer import (
ManifestNormalizer,
)
from airbyte_cdk.sources.declarative.parsers.manifest_reference_resolver import (
ManifestReferenceResolver,
)
from airbyte_cdk.sources.declarative.parsers.model_to_component_factory import (
ModelToComponentFactory,
)
from airbyte_cdk.sources.declarative.resolvers import COMPONENTS_RESOLVER_TYPE_MAPPING
from airbyte_cdk.sources.message import MessageRepository
from airbyte_cdk.sources.streams.core import Stream
from airbyte_cdk.sources.types import ConnectionDefinition
from airbyte_cdk.sources.utils.slice_logger import (
AlwaysLogSliceLogger,
DebugSliceLogger,
SliceLogger,
)
from airbyte_cdk.utils.traced_exception import AirbyteTracedException
def _get_declarative_component_schema() -> Dict[str, Any]:
try:
raw_component_schema = pkgutil.get_data(
"airbyte_cdk", "sources/declarative/declarative_component_schema.yaml"
)
if raw_component_schema is not None:
declarative_component_schema = yaml.load(raw_component_schema, Loader=yaml.SafeLoader)
return declarative_component_schema # type: ignore
else:
raise RuntimeError(
"Failed to read manifest component json schema required for deduplication"
)
except FileNotFoundError as e:
raise FileNotFoundError(
f"Failed to read manifest component json schema required for deduplication: {e}"
)
class ManifestDeclarativeSource(DeclarativeSource):
"""Declarative source defined by a manifest of low-code components that define source connector behavior"""
def __init__(
self,
source_config: ConnectionDefinition,
*,
config: Mapping[str, Any] | None = None,
debug: bool = False,
emit_connector_builder_messages: bool = False,
component_factory: Optional[ModelToComponentFactory] = None,
normalize_manifest: Optional[bool] = False,
) -> None:
"""
Args:
config: The provided config dict.
source_config: The manifest of low-code components that describe the source connector.
debug: True if debug mode is enabled.
emit_connector_builder_messages: True if messages should be emitted to the connector builder.
component_factory: optional factory if ModelToComponentFactory's default behavior needs to be tweaked.
normalize_manifest: Optional flag to indicate if the manifest should be normalized.
"""
self.logger = logging.getLogger(f"airbyte.{self.name}")
self._should_normalize = normalize_manifest
self._declarative_component_schema = _get_declarative_component_schema()
# If custom components are needed, locate and/or register them.
self.components_module: ModuleType | None = get_registered_components_module(config=config)
# resolve all components in the manifest
self._source_config = self._preprocess_manifest(dict(source_config))
self._debug = debug
self._emit_connector_builder_messages = emit_connector_builder_messages
self._constructor = (
component_factory
if component_factory
else ModelToComponentFactory(
emit_connector_builder_messages,
max_concurrent_async_job_count=source_config.get("max_concurrent_async_job_count"),
)
)
self._message_repository = self._constructor.get_message_repository()
self._slice_logger: SliceLogger = (
AlwaysLogSliceLogger() if emit_connector_builder_messages else DebugSliceLogger()
)
self._config = config or {}
# validate resolved manifest against the declarative component schema
self._validate_source()
# apply additional post-processing to the manifest
self._postprocess_manifest()
@property
def resolved_manifest(self) -> Mapping[str, Any]:
"""
Returns the resolved manifest configuration for the source.
This property provides access to the internal source configuration as a mapping,
which contains all settings and parameters required to define the source's behavior.
Returns:
Mapping[str, Any]: The resolved source configuration manifest.
"""
return self._source_config
def _preprocess_manifest(self, manifest: Dict[str, Any]) -> Dict[str, Any]:
"""
Preprocesses the provided manifest dictionary by resolving any manifest references.
This method modifies the input manifest in place, resolving references using the
ManifestReferenceResolver to ensure all references within the manifest are properly handled.
Args:
manifest (Dict[str, Any]): The manifest dictionary to preprocess and resolve references in.
Returns:
None
"""
# For ease of use we don't require the type to be specified at the top level manifest, but it should be included during processing
manifest = self._fix_source_type(manifest)
# Resolve references in the manifest
resolved_manifest = ManifestReferenceResolver().preprocess_manifest(manifest)
# Propagate types and parameters throughout the manifest
propagated_manifest = ManifestComponentTransformer().propagate_types_and_parameters(
"", resolved_manifest, {}
)
return propagated_manifest
def _postprocess_manifest(self) -> None:
"""
Post-processes the manifest after validation.
This method is responsible for any additional modifications or transformations needed
after the manifest has been validated and before it is used in the source.
"""
# apply manifest normalization, if required
self._normalize_manifest()
def _normalize_manifest(self) -> None:
"""
This method is used to normalize the manifest. It should be called after the manifest has been validated.
Connector Builder UI rendering requires the manifest to be in a specific format.
- references have been resolved
- the commonly used definitions are extracted to the `definitions.linked.*`
"""
if self._should_normalize:
normalizer = ManifestNormalizer(self._source_config, self._declarative_component_schema)
self._source_config = normalizer.normalize()
def _fix_source_type(self, manifest: Dict[str, Any]) -> Dict[str, Any]:
"""
Fix the source type in the manifest. This is necessary because the source type is not always set in the manifest.
"""
if "type" not in manifest:
manifest["type"] = "DeclarativeSource"
return manifest
@property
def message_repository(self) -> MessageRepository:
return self._message_repository
@property
def dynamic_streams(self) -> List[Dict[str, Any]]:
return self._dynamic_stream_configs(
manifest=self._source_config,
config=self._config,
with_dynamic_stream_name=True,
)
@property
def connection_checker(self) -> ConnectionChecker:
check = self._source_config["check"]
if "type" not in check:
check["type"] = "CheckStream"
check_stream = self._constructor.create_component(
COMPONENTS_CHECKER_TYPE_MAPPING[check["type"]],
check,
dict(),
emit_connector_builder_messages=self._emit_connector_builder_messages,
)
if isinstance(check_stream, ConnectionChecker):
return check_stream
else:
raise ValueError(
f"Expected to generate a ConnectionChecker component, but received {check_stream.__class__}"
)
def streams(self, config: Mapping[str, Any]) -> List[Stream]:
self._emit_manifest_debug_message(
extra_args={
"source_name": self.name,
"parsed_config": json.dumps(self._source_config),
}
)
stream_configs = self._stream_configs(self._source_config) + self._dynamic_stream_configs(
self._source_config, config
)
api_budget_model = self._source_config.get("api_budget")
if api_budget_model:
self._constructor.set_api_budget(api_budget_model, config)
source_streams = [
self._constructor.create_component(
(
StateDelegatingStreamModel
if stream_config.get("type") == StateDelegatingStreamModel.__name__
else DeclarativeStreamModel
),
stream_config,
config,
emit_connector_builder_messages=self._emit_connector_builder_messages,
)
for stream_config in self._initialize_cache_for_parent_streams(deepcopy(stream_configs))
]
return source_streams
@staticmethod
def _initialize_cache_for_parent_streams(
stream_configs: List[Dict[str, Any]],
) -> List[Dict[str, Any]]:
parent_streams = set()
def update_with_cache_parent_configs(
parent_configs: list[dict[str, Any]],
) -> None:
for parent_config in parent_configs:
parent_streams.add(parent_config["stream"]["name"])
if parent_config["stream"]["type"] == "StateDelegatingStream":
parent_config["stream"]["full_refresh_stream"]["retriever"]["requester"][
"use_cache"
] = True
parent_config["stream"]["incremental_stream"]["retriever"]["requester"][
"use_cache"
] = True
else:
parent_config["stream"]["retriever"]["requester"]["use_cache"] = True
for stream_config in stream_configs:
if stream_config.get("incremental_sync", {}).get("parent_stream"):
parent_streams.add(stream_config["incremental_sync"]["parent_stream"]["name"])
stream_config["incremental_sync"]["parent_stream"]["retriever"]["requester"][
"use_cache"
] = True
elif stream_config.get("retriever", {}).get("partition_router", {}):
partition_router = stream_config["retriever"]["partition_router"]
if isinstance(partition_router, dict) and partition_router.get(
"parent_stream_configs"
):
update_with_cache_parent_configs(partition_router["parent_stream_configs"])
elif isinstance(partition_router, list):
for router in partition_router:
if router.get("parent_stream_configs"):
update_with_cache_parent_configs(router["parent_stream_configs"])
for stream_config in stream_configs:
if stream_config["name"] in parent_streams:
if stream_config["type"] == "StateDelegatingStream":
stream_config["full_refresh_stream"]["retriever"]["requester"]["use_cache"] = (
True
)
stream_config["incremental_stream"]["retriever"]["requester"]["use_cache"] = (
True
)
else:
stream_config["retriever"]["requester"]["use_cache"] = True
return stream_configs
def spec(self, logger: logging.Logger) -> ConnectorSpecification:
"""
Returns the connector specification (spec) as defined in the Airbyte Protocol. The spec is an object describing the possible
configurations (e.g: username and password) which can be configured when running this connector. For low-code connectors, this
will first attempt to load the spec from the manifest's spec block, otherwise it will load it from "spec.yaml" or "spec.json"
in the project root.
"""
self._configure_logger_level(logger)
self._emit_manifest_debug_message(
extra_args={
"source_name": self.name,
"parsed_config": json.dumps(self._source_config),
}
)
spec = self._source_config.get("spec")
if spec:
if "type" not in spec:
spec["type"] = "Spec"
spec_component = self._constructor.create_component(SpecModel, spec, dict())
return spec_component.generate_spec()
else:
return super().spec(logger)
def check(self, logger: logging.Logger, config: Mapping[str, Any]) -> AirbyteConnectionStatus:
self._configure_logger_level(logger)
return super().check(logger, config)
def read(
self,
logger: logging.Logger,
config: Mapping[str, Any],
catalog: ConfiguredAirbyteCatalog,
state: Optional[List[AirbyteStateMessage]] = None,
) -> Iterator[AirbyteMessage]:
self._configure_logger_level(logger)
yield from super().read(logger, config, catalog, state)
def _configure_logger_level(self, logger: logging.Logger) -> None:
"""
Set the log level to logging.DEBUG if debug mode is enabled
"""
if self._debug:
logger.setLevel(logging.DEBUG)
def _validate_source(self) -> None:
"""
Validates the connector manifest against the declarative component schema
"""
try:
validate(self._source_config, self._declarative_component_schema)
except ValidationError as e:
raise ValidationError(
"Validation against json schema defined in declarative_component_schema.yaml schema failed"
) from e
cdk_version_str = metadata.version("airbyte_cdk")
cdk_version = self._parse_version(cdk_version_str, "airbyte-cdk")
manifest_version_str = self._source_config.get("version")
if manifest_version_str is None:
raise RuntimeError(
"Manifest version is not defined in the manifest. This is unexpected since it should be a required field. Please contact support."
)
manifest_version = self._parse_version(manifest_version_str, "manifest")
if (cdk_version.major, cdk_version.minor, cdk_version.micro) == (0, 0, 0):
# Skipping version compatibility check on unreleased dev branch
pass
elif (cdk_version.major, cdk_version.minor) < (
manifest_version.major,
manifest_version.minor,
):
raise ValidationError(
f"The manifest version {manifest_version!s} is greater than the airbyte-cdk package version ({cdk_version!s}). Your "
f"manifest may contain features that are not in the current CDK version."
)
elif (manifest_version.major, manifest_version.minor) < (0, 29):
raise ValidationError(
f"The low-code framework was promoted to Beta in airbyte-cdk version 0.29.0 and contains many breaking changes to the "
f"language. The manifest version {manifest_version!s} is incompatible with the airbyte-cdk package version "
f"{cdk_version!s} which contains these breaking changes."
)
@staticmethod
def _parse_version(
version: str,
version_type: str,
) -> Version:
"""Takes a semantic version represented as a string and splits it into a tuple.
The fourth part (prerelease) is not returned in the tuple.
Returns:
Version: the parsed version object
"""
try:
parsed_version = Version(version)
except InvalidVersion as ex:
raise ValidationError(
f"The {version_type} version '{version}' is not a valid version format."
) from ex
else:
# No exception
return parsed_version
def _stream_configs(self, manifest: Mapping[str, Any]) -> List[Dict[str, Any]]:
# This has a warning flag for static, but after we finish part 4 we'll replace manifest with self._source_config
stream_configs: List[Dict[str, Any]] = manifest.get("streams", [])
for s in stream_configs:
if "type" not in s:
s["type"] = "DeclarativeStream"
return stream_configs
def _dynamic_stream_configs(
self,
manifest: Mapping[str, Any],
config: Mapping[str, Any],
with_dynamic_stream_name: Optional[bool] = None,
) -> List[Dict[str, Any]]:
dynamic_stream_definitions: List[Dict[str, Any]] = manifest.get("dynamic_streams", [])
dynamic_stream_configs: List[Dict[str, Any]] = []
seen_dynamic_streams: Set[str] = set()
for dynamic_definition_index, dynamic_definition in enumerate(dynamic_stream_definitions):
components_resolver_config = dynamic_definition["components_resolver"]
if not components_resolver_config:
raise ValueError(
f"Missing 'components_resolver' in dynamic definition: {dynamic_definition}"
)
resolver_type = components_resolver_config.get("type")
if not resolver_type:
raise ValueError(
f"Missing 'type' in components resolver configuration: {components_resolver_config}"
)
if resolver_type not in COMPONENTS_RESOLVER_TYPE_MAPPING:
raise ValueError(
f"Invalid components resolver type '{resolver_type}'. "
f"Expected one of {list(COMPONENTS_RESOLVER_TYPE_MAPPING.keys())}."
)
if "retriever" in components_resolver_config:
components_resolver_config["retriever"]["requester"]["use_cache"] = True
# Create a resolver for dynamic components based on type
components_resolver = self._constructor.create_component(
COMPONENTS_RESOLVER_TYPE_MAPPING[resolver_type],
components_resolver_config,
config,
)
stream_template_config = dynamic_definition["stream_template"]
for dynamic_stream in components_resolver.resolve_components(
stream_template_config=stream_template_config
):
dynamic_stream = {
**ManifestComponentTransformer().propagate_types_and_parameters(
"", dynamic_stream, {}, use_parent_parameters=True
)
}
if "type" not in dynamic_stream:
dynamic_stream["type"] = "DeclarativeStream"
# Ensure that each stream is created with a unique name
name = dynamic_stream.get("name")
if with_dynamic_stream_name:
dynamic_stream["dynamic_stream_name"] = dynamic_definition.get(
"name", f"dynamic_stream_{dynamic_definition_index}"
)
if not isinstance(name, str):
raise ValueError(
f"Expected stream name {name} to be a string, got {type(name)}."
)
if name in seen_dynamic_streams:
error_message = f"Dynamic streams list contains a duplicate name: {name}. Please contact Airbyte Support."
failure_type = FailureType.system_error
if resolver_type == "ConfigComponentsResolver":
error_message = f"Dynamic streams list contains a duplicate name: {name}. Please check your configuration."
failure_type = FailureType.config_error
raise AirbyteTracedException(
message=error_message,
internal_message=error_message,
failure_type=failure_type,
)
seen_dynamic_streams.add(name)
dynamic_stream_configs.append(dynamic_stream)
return dynamic_stream_configs
def _emit_manifest_debug_message(self, extra_args: dict[str, Any]) -> None:
self.logger.debug("declarative source created from manifest", extra=extra_args)