Skip to content

feat(teradata): enhance column extraction with prepared statement fal…

c7ba25b
Select commit
Loading
Failed to load commit list.
Sign in for the full log view
Draft

feat(teradata): enhance column extraction with prepared statement fallback #16246

feat(teradata): enhance column extraction with prepared statement fal…
c7ba25b
Select commit
Loading
Failed to load commit list.
GitHub Actions / Unit Test Results (Metadata Ingestion) failed Feb 17, 2026 in 0s

1 fail, 77 skipped, 7 469 pass in 1h 36m 18s

     9 files       9 suites   1h 36m 18s ⏱️
 7 547 tests  7 469 ✅  77 💤 1 ❌
14 372 runs  14 270 ✅ 100 💤 2 ❌

Results for commit c7ba25b.

Annotations

Check warning on line 0 in tests.unit.test_teradata_performance.TestQueryOptimizations

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

All 2 runs failed: test_qvci_optimization (tests.unit.test_teradata_performance.TestQueryOptimizations)

artifacts/metadata-ingestion-test-results-0/junit.quick.xml [took 0s]
artifacts/metadata-ingestion-test-results-8/junit.quick.xml [took 0s]
Raw output
Exception: All metadata extraction methods failed for test_schema.test_table:
self = <tests.unit.test_teradata_performance.TestQueryOptimizations object at 0x7fade41f7d10>

    def test_qvci_optimization(self):
        """Test QVCI optimization for column information."""
        from datahub.ingestion.source.sql.teradata import optimized_get_columns
    
        # Create table in cache
        test_table = TeradataTable(
            database="test_schema",
            name="test_table",
            description="Test table",
            object_type="Table",
            create_timestamp=datetime.now(),
            last_alter_name=None,
            last_alter_timestamp=None,
            request_text=None,
        )
    
        tables_cache = {"test_schema": [test_table]}
    
        # Mock self object
        mock_self = MagicMock()
        mock_self.get_schema_columns.return_value = {"test_table": []}
    
        mock_connection = MagicMock()
    
        # Test with QVCI enabled
>       optimized_get_columns(
            mock_self,
            mock_connection,
            "test_table",
            schema="test_schema",
            tables_cache=tables_cache,
            use_qvci=True,
        )

tests/unit/test_teradata_performance.py:577: 
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ 

self = <MagicMock id='140382735141008'>
connection = <MagicMock id='140382735139728'>, table_name = 'test_table'
schema = 'test_schema'
tables_cache = {'test_schema': [TeradataTable(database='test_schema', name='test_table', description='Test table', object_type='Table...atetime.datetime(2026, 2, 17, 22, 2, 32, 947193), last_alter_name=None, last_alter_timestamp=None, request_text=None)]}
use_qvci = True, kw = {}
td_table = TeradataTable(database='test_schema', name='test_table', description='Test table', object_type='Table', create_timestamp=datetime.datetime(2026, 2, 17, 22, 2, 32, 947193), last_alter_name=None, last_alter_timestamp=None, request_text=None)
t = TeradataTable(database='test_schema', name='test_table', description='Test table', object_type='Table', create_timestamp=datetime.datetime(2026, 2, 17, 22, 2, 32, 947193), last_alter_name=None, last_alter_timestamp=None, request_text=None)
config = <MagicMock name='mock.config' id='140385861403280'>
use_fallback = <MagicMock name='mock.config.metadata_extraction_fallback' id='140385861415440'>
use_prepared = <MagicMock name='mock.config.use_prepared_statement_metadata' id='140382660228176'>
res = [], extraction_errors = []

    def optimized_get_columns(  # noqa: C901
        self: Any,
        connection: Connection,
        table_name: str,
        schema: Optional[str] = None,
        tables_cache: Optional[MutableMapping[str, List[TeradataTable]]] = None,
        use_qvci: bool = False,
        **kw: Dict[str, Any],
    ) -> List[Dict]:
        tables_cache = tables_cache or {}
        if schema is None:
            schema = self.default_schema_name
    
        # Using 'help schema.table.*' statements has been considered.
        # The DBC.ColumnsV provides the default value which is not available
        # with the 'help column' commands result.
    
        td_table: Optional[TeradataTable] = None
        for t in tables_cache[schema]:
            if t.name == table_name:
                td_table = t
                break
    
        if td_table is None:
            logger.warning(
                f"Table {table_name} not found in cache for schema {schema}, not getting columns"
            )
            return []
    
        config = getattr(self, "config", None)
        use_fallback = config and getattr(config, "metadata_extraction_fallback", False)
        use_prepared = config and getattr(config, "use_prepared_statement_metadata", False)
    
        res: List[Any] = []
        extraction_errors: List[str] = []
    
        # Try QVCI first if enabled and view
        if td_table.object_type == "View" and use_qvci:
            res, error = _try_qvci_extraction(
                self, connection, schema, table_name, td_table
            )
            if error:
                extraction_errors.append(error)
                logger.warning(f"QVCI extraction failed for {schema}.{table_name}: {error}")
            if res:
                return _process_columns(res, td_table, self)
    
        # Try HELP COLUMN for views (existing behavior when QVCI not enabled)
        if td_table.object_type == "View" and not use_qvci and not res:
            res, error = _try_help_extraction(self, connection, schema, table_name)
            if error:
                extraction_errors.append(error)
                if not use_fallback:
                    raise Exception(error)
            if res:
                return _process_columns(res, td_table, self)
    
        # Try DBC system tables
        if not res:
            res, error = _try_dbc_extraction(self, connection, schema, table_name, use_qvci)
            if error:
                extraction_errors.append(error)
                logger.warning(f"DBC extraction failed for {schema}.{table_name}: {error}")
                if not (use_fallback or use_prepared):
                    raise Exception(error)
            if res:
                return _process_columns(res, td_table, self)
    
        # Fallback to prepared statement method if enabled
        if (use_fallback or use_prepared) and not res:
            res, error = _try_prepared_statement_extraction(
                self, connection, schema, table_name
            )
            if error:
                extraction_errors.append(error)
                logger.error(
                    f"Prepared statement extraction failed for {schema}.{table_name}: {error}"
                )
            if res:
                return _process_columns(res, td_table, self)
    
        # Final fallback to HELP COLUMN if all else failed
        if use_fallback and not res:
            res, error = _try_help_extraction(self, connection, schema, table_name)
            if error:
                extraction_errors.append(error)
            else:
                if hasattr(self, "report"):
                    self.report.num_tables_using_help_fallback += 1
                    self.report.tables_using_help_fallback.append(f"{schema}.{table_name}")
            if res:
                return _process_columns(res, td_table, self)
    
        # All methods failed
        if not res:
            error_msg = f"All metadata extraction methods failed for {schema}.{table_name}: {'; '.join(extraction_errors)}"
            logger.error(error_msg)
>           raise Exception(error_msg)
E           Exception: All metadata extraction methods failed for test_schema.test_table:

src/datahub/ingestion/source/sql/teradata.py:440: Exception

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

77 skipped tests found

There are 77 skipped tests, see "Raw output" for the full list of skipped tests.
Raw output
tests.integration.feast.test_feast_repository ‑ test_feast_repository_ingest
tests.integration.git.test_git_clone ‑ test_git_clone_private
tests.integration.hana.test_hana ‑ test_hana_ingest
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_catalog_api_list_catalogs
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_catalog_api_namespace_isolation
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_ingest_default_catalog
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_ingest_spark_catalog
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_ingest_spark_catalog_with_catalog_ids
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_urn_with_catalog_name
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_urn_without_catalog_name
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_kerberized
tests.integration.notion.test_notion_integration ‑ test_notion_bedrock_credential_warning
tests.integration.notion.test_notion_integration ‑ test_notion_cohere_credential_warning
tests.integration.notion.test_notion_integration ‑ test_notion_full_ingestion
tests.integration.notion.test_notion_integration ‑ test_notion_numbered_lists_ingestion
tests.integration.notion.test_notion_integration ‑ test_notion_synced_blocks_ingestion
tests.integration.notion.test_notion_integration ‑ test_notion_test_connection
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_connection_loss_during_extraction
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_extension_not_installed_scenario
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_lineage_extractor_prerequisites
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_lineage_from_insert_select
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_malformed_query_text_handling
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_permission_denied_scenario
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_pg_stat_statements_enabled
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_exclude_patterns
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_history_extraction_basic
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_history_with_min_calls_filter
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_sql_injection_prevention_database_filter
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_sql_injection_prevention_exclude_patterns
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-80-1]
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_compare_extraction_methods
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_fallback_chain_with_dbc_failure
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_prepared_statement_extraction_on_view
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_report_completeness
tests.integration.vertica.test_vertica ‑ test_vertica_ingest_with_db
tests.unit.api.test_plugin_system ‑ test_list_all[False]
tests.unit.api.test_plugin_system ‑ test_list_all[True]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Certificate validation error]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Connection refused]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Connection reset by peer]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Name resolution failed]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Proxy authentication required]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[SSL certificate verify failed]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[SSL handshake failure]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Authentication failed]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Invalid credentials]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Permission denied]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Syntax error in query]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Table not found]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_active_with_matching_error_returns_true
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_active_with_non_matching_error_returns_false
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_not_active_returns_false
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_unnest_columns
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_postgres_complex_update
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_teradata_cast_syntax
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_must_be_present_test_connection
tests.unit.utilities.test_cli_logging ‑ test_cli_logging
tests.unit.utilities.test_cli_logging ‑ test_extra_args_exception_suppressed

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 1 to 709)

There are 7547 tests, see "Raw output" for the list of tests 1 to 709.
Raw output
tests.integration.athena.test_athena_source ‑ test_athena_source_ingestion
tests.integration.azure_ad.test_azure_ad ‑ test_azure_ad_config
tests.integration.azure_ad.test_azure_ad ‑ test_azure_ad_source_default_configs
tests.integration.azure_ad.test_azure_ad ‑ test_azure_ad_source_empty_group_membership
tests.integration.azure_ad.test_azure_ad ‑ test_azure_ad_source_nested_groups
tests.integration.azure_ad.test_azure_ad ‑ test_azure_ad_stateful_ingestion
tests.integration.azure_ad.test_azure_ad ‑ test_azure_source_ingestion_disabled
tests.integration.azure_data_factory.test_adf_source ‑ test_adf_source_basic
tests.integration.azure_data_factory.test_adf_source ‑ test_adf_source_exception_propagation_to_factory_level
tests.integration.azure_data_factory.test_adf_source ‑ test_adf_source_factory_listing_failure_reports_failure
tests.integration.azure_data_factory.test_adf_source ‑ test_adf_source_with_execution_history
tests.integration.azure_data_factory.test_adf_source ‑ test_adf_source_with_platform_instance
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_branching_pipeline
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_dataflow_lineage_sources_and_sinks
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_dataflow_pipeline_with_lineage
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_diverse_activities_pipeline
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_diverse_activities_subtypes
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_foreach_loop_pipeline
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_mixed_dependencies_golden
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_mixed_pipeline_and_dataset_dependencies
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_multisource_etl_pipeline
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_multisource_lineage_accuracy
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_nested_pipeline_creates_all_entities
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_nested_pipeline_golden
tests.integration.azure_data_factory.test_complex_pipelines ‑ test_pipeline_to_pipeline_lineage
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_lineage_v2_ingest_view_snapshots[False-False-True-bigquery_mcp_lineage_golden_2.json]
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_lineage_v2_ingest_view_snapshots[False-True-True-bigquery_mcp_lineage_golden_2.json]
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_lineage_v2_ingest_view_snapshots[True-False-False-bigquery_mcp_lineage_golden_1.json]
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_lineage_v2_ingest_view_snapshots[True-True-False-bigquery_mcp_lineage_golden_1.json]
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_queries_v2_ingest
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_queries_v2_lineage_usage_ingest
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_v2_ingest
tests.integration.bigquery_v2.test_bigquery ‑ test_bigquery_v2_project_labels_ingest
tests.integration.bigquery_v2.test_bigquery_queries_integration ‑ test_queries_ingestion
tests.integration.bigquery_v2.test_bigquery_queries_integration ‑ test_source_close_cleans_tmp
tests.integration.business-glossary.test_business_glossary ‑ test_custom_ownership_urns
tests.integration.business-glossary.test_business_glossary ‑ test_glossary_ingest[False-glossary_events_golden.json]
tests.integration.business-glossary.test_business_glossary ‑ test_glossary_ingest[True-glossary_events_auto_id_golden.json]
tests.integration.business-glossary.test_business_glossary ‑ test_multiple_owners_different_types
tests.integration.business-glossary.test_business_glossary ‑ test_multiple_owners_same_type
tests.integration.business-glossary.test_business_glossary ‑ test_single_owner_types
tests.integration.business-glossary.test_business_glossary ‑ test_url_cleaning
tests.integration.cassandra.test_cassandra ‑ test_cassandra_ingest
tests.integration.cassandra.test_cassandra ‑ test_cassandra_ssl_certificate_validation
tests.integration.cassandra.test_cassandra ‑ test_cassandra_ssl_configuration
tests.integration.cassandra.test_cassandra ‑ test_cassandra_ssl_invalid_certificate_error
tests.integration.cassandra.test_cassandra ‑ test_cassandra_ssl_missing_certificate_file_error
tests.integration.cassandra.test_cassandra ‑ test_cassandra_ssl_missing_keyfile_error
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_assertion_circuit_breaker_assertion_with_active_assertion
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_assertion_circuit_breaker_updated_at_after_last_assertion
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_assertion_circuit_breaker_with_empty_response
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_assertion_circuit_breaker_with_no_error
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_operation_circuit_breaker_with_empty_response
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_operation_circuit_breaker_with_not_recent_operation
tests.integration.circuit_breaker.test_circuit_breaker ‑ test_operation_circuit_breaker_with_valid_response
tests.integration.clickhouse.test_clickhouse ‑ test_clickhouse_ingest
tests.integration.clickhouse.test_clickhouse ‑ test_clickhouse_ingest_uri_form
tests.integration.csv-enricher.test_csv_enricher ‑ test_csv_enricher_config
tests.integration.csv-enricher.test_csv_enricher ‑ test_csv_enricher_source
tests.integration.dataplex.test_dataplex_integration ‑ test_dataplex_integration_multiple_lakes
tests.integration.dataplex.test_dataplex_integration ‑ test_dataplex_integration_with_golden_file
tests.integration.db2.test_db2 ‑ test_db2_ingest[db2_basic.yml]
tests.integration.db2.test_db2 ‑ test_db2_ingest[db2_case_sensitivity.yml]
tests.integration.db2.test_db2 ‑ test_db2_ingest[db2_comments.yml]
tests.integration.db2.test_db2 ‑ test_db2_ingest[db2_procedures.yml]
tests.integration.db2.test_db2 ‑ test_db2_ingest[db2_view_qualifier.yml]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-column-meta-mapping]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-model-performance]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-prefer-sql-parser-lineage]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-query-entity-emission]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-target-platform-primary-siblings]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-complex-owner-patterns]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-data-platform-instance]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-non-incremental-lineage]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-schemas-dbt-enabled]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-source-combined-patterns]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-source-database-pattern]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-source-schema-pattern]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-source-table-pattern]
tests.integration.dbt.test_dbt ‑ test_dbt_ingest[dbt-test-with-target-platform-instance]
tests.integration.dbt.test_dbt ‑ test_dbt_only_test_definitions_and_results
tests.integration.dbt.test_dbt ‑ test_dbt_test_connection[config_dict0-True]
tests.integration.dbt.test_dbt ‑ test_dbt_test_connection[config_dict1-False]
tests.integration.dbt.test_dbt ‑ test_dbt_tests
tests.integration.dbt.test_dbt ‑ test_dbt_tests_only_assertions
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryEndToEnd ‑ test_auto_discovery_multiple_jobs_success
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryEndToEnd ‑ test_auto_discovery_no_jobs_found
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryEndToEnd ‑ test_auto_discovery_partial_job_failure
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryErrorHandling ‑ test_all_jobs_fail_returns_empty
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryErrorHandling ‑ test_environment_api_failure_propagates
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryErrorHandling ‑ test_jobs_api_failure_propagates
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryWithPatterns ‑ test_deny_pattern_filtering
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestAutoDiscoveryWithPatterns ‑ test_job_pattern_filtering
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestExplicitModeComparison ‑ test_auto_discovery_ignores_run_id
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestExplicitModeComparison ‑ test_explicit_mode_metadata_includes_job_id
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestExplicitModeComparison ‑ test_explicit_mode_uses_configured_run_id
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestMetadataConsistency ‑ test_auto_discovery_produces_same_metadata_as_explicit_mode
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestSourceFreshnessExtraction ‑ test_explicit_mode_sources_with_freshness
tests.integration.dbt.test_dbt_cloud_autodiscovery_integration.TestSourceFreshnessExtraction ‑ test_sources_with_freshness_extracted
tests.integration.delta_lake.test_delta_lake_minio ‑ test_delta_lake_ingest
tests.integration.delta_lake.test_local_delta_lake ‑ test_delta_lake[allow_table.json]
tests.integration.delta_lake.test_local_delta_lake ‑ test_delta_lake[inner_table.json]
tests.integration.delta_lake.test_local_delta_lake ‑ test_delta_lake[relative_path.json]
tests.integration.delta_lake.test_local_delta_lake ‑ test_delta_lake[single_table.json]
tests.integration.delta_lake.test_local_delta_lake ‑ test_delta_lake[tables_with_nested_datatypes.json]
tests.integration.delta_lake.test_local_delta_lake ‑ test_delta_lake_incorrect_config_raises_error
tests.integration.dremio.test_dremio ‑ test_dremio_ingest
tests.integration.dremio.test_dremio ‑ test_dremio_platform_instance_urns
tests.integration.dremio.test_dremio ‑ test_dremio_schema_filter
tests.integration.druid.test_druid ‑ test_druid_ingest
tests.integration.dynamodb.test_dynamodb ‑ test_dynamodb
tests.integration.excel.test_excel_abs ‑ test_excel_abs
tests.integration.excel.test_excel_local ‑ test_excel
tests.integration.excel.test_excel_s3 ‑ test_excel_s3
tests.integration.fabric_onelake.test_fabric_onelake_source ‑ test_fabric_onelake_lakehouse_with_tables
tests.integration.fabric_onelake.test_fabric_onelake_source ‑ test_fabric_onelake_workspace_ingestion
tests.integration.feast.test_feast_repository ‑ test_feast_repository_ingest
tests.integration.file.test_file_source ‑ test_stateful_ingestion
tests.integration.fivetran.test_fivetran ‑ test_compat_sources_to_database
tests.integration.fivetran.test_fivetran ‑ test_fivetran_bigquery_config
tests.integration.fivetran.test_fivetran ‑ test_fivetran_bigquery_destination_config
tests.integration.fivetran.test_fivetran ‑ test_fivetran_snowflake_destination_config
tests.integration.fivetran.test_fivetran ‑ test_fivetran_with_snowflake_dest
tests.integration.fivetran.test_fivetran ‑ test_fivetran_with_snowflake_dest_and_null_connector_user
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test database 123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test"database"123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test"database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test'database'123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test'database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test-database-123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test-database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test-database_123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test.database-123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test.database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test_database-123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test_database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test_database_123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test`database]
tests.integration.fivetran.test_fivetran ‑ test_quoted_database_identifiers[test`database`123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran logs 123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran"logs"123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran"logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran'logs'123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran'logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran-logs-123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran-logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran-logs_123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran.logs-123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran.logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran_logs-123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran_logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran_logs_123]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran`logs]
tests.integration.fivetran.test_fivetran ‑ test_quoted_query_transpilation[fivetran`logs`123]
tests.integration.fivetran.test_fivetran ‑ test_rename_destination_config
tests.integration.fivetran.test_fivetran ‑ test_snowflake_unquoted_identifier_uppercase_conversion
tests.integration.git.test_git_clone ‑ test_base_url_guessing
tests.integration.git.test_git_clone ‑ test_git_clone_private
tests.integration.git.test_git_clone ‑ test_git_clone_public
tests.integration.git.test_git_clone ‑ test_github_branch
tests.integration.git.test_git_clone ‑ test_sanitize_repo_url
tests.integration.git.test_git_clone ‑ test_url_subdir
tests.integration.grafana.test_grafana ‑ test_grafana_basic_ingest
tests.integration.grafana.test_grafana ‑ test_grafana_ingest
tests.integration.hana.test_hana ‑ test_hana_ingest
tests.integration.hex.test_hex ‑ test_hex_ingestion
tests.integration.hex.test_hex ‑ test_hex_ingestion_with_lineage
tests.integration.hive-metastore.test_hive_metastore ‑ test_hive_metastore_ingest[hive-False-False-False-False-_1]
tests.integration.hive-metastore.test_hive_metastore ‑ test_hive_metastore_ingest[hive-False-False-False-True-_5]
tests.integration.hive-metastore.test_hive_metastore ‑ test_hive_metastore_ingest[hive-False-False-True-False-_3]
tests.integration.hive-metastore.test_hive_metastore ‑ test_hive_metastore_ingest[presto-on-hive-True-True-False-False-_2]
tests.integration.hive-metastore.test_hive_metastore ‑ test_hive_metastore_ingest[presto-on-hive-True-True-True-False-_4]
tests.integration.hive-metastore.test_hive_metastore ‑ test_hive_metastore_instance_ingest
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_catalog_api_list_catalogs
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_catalog_api_namespace_isolation
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_ingest_default_catalog
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_ingest_spark_catalog
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_ingest_spark_catalog_with_catalog_ids
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_urn_with_catalog_name
tests.integration.hive-metastore.test_hive_metastore_catalog ‑ test_urn_without_catalog_name
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_ingest[False-False-False-_thrift_1]
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_ingest[False-False-True-_thrift_4]
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_ingest[False-True-False-_thrift_3]
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_ingest[True-False-False-_thrift_2]
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_instance_ingest
tests.integration.hive-metastore.test_hive_metastore_thrift ‑ test_hive_thrift_kerberized
tests.integration.hive.test_hive ‑ test_hive_ingest
tests.integration.hive.test_hive ‑ test_hive_ingest_all_db
tests.integration.hive.test_hive ‑ test_hive_instance_check
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_azure_abfs_path
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_azure_abfss_path
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_azure_wasbs_path
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_dbfs_path
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_empty_string
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_gcs_path
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_hdfs_path
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_invalid_scheme
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_local_file_no_scheme
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_local_file_with_scheme
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_no_scheme
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_normalize_multiple_slashes
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_remove_trailing_slashes
tests.integration.hive.test_storage_parser.TestStoragePathParser ‑ test_s3_path
tests.integration.iceberg.test_iceberg ‑ test_iceberg_ingest
tests.integration.iceberg.test_iceberg ‑ test_iceberg_profiling
tests.integration.iceberg.test_iceberg ‑ test_iceberg_stateful_ingest
tests.integration.iceberg.test_iceberg ‑ test_multiprocessing_iceberg_ingest
tests.integration.kafka-connect-confluent-cloud.test_kafka_connect_confluent_cloud ‑ test_kafka_connect_confluent_cloud_ingest
tests.integration.kafka-connect.test_kafka_connect ‑ test_filter_stale_topics_no_topics_config
tests.integration.kafka-connect.test_kafka_connect ‑ test_filter_stale_topics_regex_filtering
tests.integration.kafka-connect.test_kafka_connect ‑ test_filter_stale_topics_topics_list
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_bigquery_sink_ingest
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_debezium_postgres
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_debezium_sqlserver
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_ingest
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_ingest_stateful
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_mongosourceconnect_ingest
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_s3sink_ingest
tests.integration.kafka-connect.test_kafka_connect ‑ test_kafka_connect_snowflake_sink_ingest
tests.integration.kafka.test_kafka ‑ test_kafka_ingest[kafka]
tests.integration.kafka.test_kafka ‑ test_kafka_ingest[kafka_without_schemas]
tests.integration.kafka.test_kafka ‑ test_kafka_oauth_callback
tests.integration.kafka.test_kafka ‑ test_kafka_source_oauth_cb_signature
tests.integration.kafka.test_kafka ‑ test_kafka_test_connection[config_dict0-True]
tests.integration.kafka.test_kafka ‑ test_kafka_test_connection[config_dict1-False]
tests.integration.ldap.test_ldap ‑ test_ldap_ingest
tests.integration.ldap.test_ldap ‑ test_ldap_ingest_with_email_as_username
tests.integration.ldap.test_ldap ‑ test_ldap_memberof_ingest
tests.integration.ldap.test_ldap_stateful ‑ test_ldap_stateful
tests.integration.looker.test_looker ‑ test_explore_tags
tests.integration.looker.test_looker ‑ test_file_path_in_view_naming_pattern
tests.integration.looker.test_looker ‑ test_folder_path_pattern
tests.integration.looker.test_looker ‑ test_group_label_tags
tests.integration.looker.test_looker ‑ test_independent_look_ingestion_config
tests.integration.looker.test_looker ‑ test_independent_looks_ingest_with_personal_folder
tests.integration.looker.test_looker ‑ test_independent_looks_ingest_without_personal_folder
tests.integration.looker.test_looker ‑ test_independent_soft_deleted_looks
tests.integration.looker.test_looker ‑ test_looker_filter_usage_history
tests.integration.looker.test_looker ‑ test_looker_ingest
tests.integration.looker.test_looker ‑ test_looker_ingest_allow_pattern
tests.integration.looker.test_looker ‑ test_looker_ingest_external_project_view
tests.integration.looker.test_looker ‑ test_looker_ingest_joins
tests.integration.looker.test_looker ‑ test_looker_ingest_multi_model_explores
tests.integration.looker.test_looker ‑ test_looker_ingest_stateful
tests.integration.looker.test_looker ‑ test_looker_ingest_unaliased_joins
tests.integration.looker.test_looker ‑ test_looker_ingest_usage_history
tests.integration.looker.test_looker ‑ test_upstream_cll
tests.integration.lookml.test_lookml ‑ test_col_lineage_looker_api_based
tests.integration.lookml.test_lookml ‑ test_drop_hive
tests.integration.lookml.test_lookml ‑ test_duplicate_field_ingest
tests.integration.lookml.test_lookml ‑ test_field_tag_ingest
tests.integration.lookml.test_lookml ‑ test_gms_schema_resolution
tests.integration.lookml.test_lookml ‑ test_hive_platform_drops_ids
tests.integration.lookml.test_lookml ‑ test_incremental_liquid_expression
tests.integration.lookml.test_lookml ‑ test_lookml_base_folder
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view0-expected_result0-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view1-expected_result1-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view2-expected_result2-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view3-expected_result3-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view4-expected_result4-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view5-expected_result5-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view6-expected_result6-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view7-expected_result7-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view8-expected_result8-False]
tests.integration.lookml.test_lookml ‑ test_lookml_constant_transformer[view9-expected_result9-True]
tests.integration.lookml.test_lookml ‑ test_lookml_explore_refinement
tests.integration.lookml.test_lookml ‑ test_lookml_git_info
tests.integration.lookml.test_lookml ‑ test_lookml_ingest
tests.integration.lookml.test_lookml ‑ test_lookml_ingest_api_bigquery
tests.integration.lookml.test_lookml ‑ test_lookml_ingest_api_hive
tests.integration.lookml.test_lookml ‑ test_lookml_ingest_offline
tests.integration.lookml.test_lookml ‑ test_lookml_ingest_offline_platform_instance
tests.integration.lookml.test_lookml ‑ test_lookml_ingest_offline_with_model_deny
tests.integration.lookml.test_lookml ‑ test_lookml_refinement_include_order
tests.integration.lookml.test_lookml ‑ test_lookml_refinement_ingest
tests.integration.lookml.test_lookml ‑ test_lookml_stateful_ingestion
tests.integration.lookml.test_lookml ‑ test_lookml_view_merge
tests.integration.lookml.test_lookml ‑ test_manifest_parser
tests.integration.lookml.test_lookml ‑ test_reachable_views
tests.integration.lookml.test_lookml ‑ test_same_name_views_different_file_path
tests.integration.lookml.test_lookml ‑ test_special_liquid_variables
tests.integration.lookml.test_lookml ‑ test_unreachable_views
tests.integration.lookml.test_lookml ‑ test_view_to_view_lineage_and_liquid_template
tests.integration.lookml.test_lookml ‑ test_view_to_view_lineage_and_lookml_constant
tests.integration.lookml.test_lookml_field_splitting_integration ‑ test_integration_configuration_validation
tests.integration.lookml.test_lookml_field_splitting_integration ‑ test_integration_field_splitting_with_large_view
tests.integration.lookml.test_lookml_field_splitting_integration ‑ test_integration_individual_field_fallback_on_chunk_failure
tests.integration.lookml.test_lookml_field_splitting_integration ‑ test_integration_parallel_processing_performance
tests.integration.lookml.test_lookml_field_splitting_integration ‑ test_integration_partial_lineage_with_parsing_errors
tests.integration.lookml.test_lookml_field_splitting_integration ‑ test_integration_view_explore_optimization_reduces_api_calls
tests.integration.metabase.test_metabase ‑ test_metabase_ingest_failure
tests.integration.metabase.test_metabase ‑ test_metabase_ingest_success
tests.integration.metabase.test_metabase ‑ test_stateful_ingestion
tests.integration.metabase.test_metabase ‑ test_strip_template_expressions
tests.integration.mlflow.test_mlflow_source ‑ test_ingestion
tests.integration.mode.test_mode ‑ test_mode_ingest_failure
tests.integration.mode.test_mode ‑ test_mode_ingest_json_empty
tests.integration.mode.test_mode ‑ test_mode_ingest_json_failure
tests.integration.mode.test_mode ‑ test_mode_ingest_success
tests.integration.mongodb.test_mongodb ‑ test_mongodb_ingest
tests.integration.mysql.test_mysql ‑ test_mysql_ingest_no_db[mysql_profile_table_level_only.yml-mysql_table_level_only.json]
tests.integration.mysql.test_mysql ‑ test_mysql_ingest_no_db[mysql_profile_table_row_count_estimate_only.yml-mysql_table_row_count_estimate_only.json]
tests.integration.mysql.test_mysql ‑ test_mysql_ingest_no_db[mysql_to_file_no_db.yml-mysql_mces_no_db_golden.json]
tests.integration.mysql.test_mysql ‑ test_mysql_ingest_no_db[mysql_to_file_with_db.yml-mysql_mces_with_db_golden.json]
tests.integration.mysql.test_mysql ‑ test_mysql_test_connection[config_dict0-True]
tests.integration.mysql.test_mysql ‑ test_mysql_test_connection[config_dict1-False]
tests.integration.neo4j.test_neo4j ‑ test_neo4j_ingest
tests.integration.nifi.test_nifi ‑ test_nifi_ingest_cluster
tests.integration.nifi.test_nifi ‑ test_nifi_ingest_standalone
tests.integration.notion.test_notion_integration ‑ test_notion_bedrock_credential_warning
tests.integration.notion.test_notion_integration ‑ test_notion_cohere_credential_warning
tests.integration.notion.test_notion_integration ‑ test_notion_full_ingestion
tests.integration.notion.test_notion_integration ‑ test_notion_numbered_lists_ingestion
tests.integration.notion.test_notion_integration ‑ test_notion_synced_blocks_ingestion
tests.integration.notion.test_notion_integration ‑ test_notion_test_connection
tests.integration.okta.test_okta ‑ test_okta_config
tests.integration.okta.test_okta ‑ test_okta_source_custom_user_name_regex
tests.integration.okta.test_okta ‑ test_okta_source_default_configs
tests.integration.okta.test_okta ‑ test_okta_source_include_deprovisioned_suspended_users
tests.integration.okta.test_okta ‑ test_okta_source_ingest_groups_users
tests.integration.okta.test_okta ‑ test_okta_source_ingestion_disabled
tests.integration.okta.test_okta ‑ test_okta_stateful_ingestion
tests.integration.openapi.test_openapi ‑ test_openapi_2_0_ingest
tests.integration.openapi.test_openapi ‑ test_openapi_3_1_ingest
tests.integration.openapi.test_openapi ‑ test_openapi_ingest
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_materialized_view_lineage.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_with_all_tables.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_with_dba_tables.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_with_query_usage.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_with_stored_procedures.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_with_usage_and_lineage.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_ingest[oracle_to_file_without_stored_procedures.yml]
tests.integration.oracle.test_oracle ‑ test_oracle_source_error_handling
tests.integration.oracle.test_oracle ‑ test_oracle_source_integration_with_database
tests.integration.oracle.test_oracle ‑ test_oracle_source_integration_with_out_database
tests.integration.oracle.test_oracle ‑ test_oracle_test_connection
tests.integration.postgres.test_postgres ‑ test_postgres_ingest_with_all_db
tests.integration.postgres.test_postgres ‑ test_postgres_ingest_with_db
tests.integration.postgres.test_postgres ‑ test_postgres_test_connection
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_connection_loss_during_extraction
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_extension_not_installed_scenario
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_lineage_extractor_prerequisites
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_lineage_from_insert_select
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_malformed_query_text_handling
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_permission_denied_scenario
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_pg_stat_statements_enabled
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_entry_dataclass
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_exclude_patterns
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_history_extraction_basic
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_query_history_with_min_calls_filter
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_sql_injection_prevention_database_filter
tests.integration.postgres.test_postgres_lineage.TestPostgresLineageIntegration ‑ test_sql_injection_prevention_exclude_patterns
tests.integration.powerbi.test_admin_only_api ‑ test_admin_only_apis
tests.integration.powerbi.test_admin_only_api ‑ test_most_config_and_modified_since
tests.integration.powerbi.test_ingest ‑ test_empty_owner_criteria_includes_all_users
tests.integration.powerbi.test_ingest ‑ test_mysql_ingest
tests.integration.powerbi.test_ingest ‑ test_mysql_odbc_datasource_ingest
tests.integration.powerbi.test_ingest ‑ test_mysql_odbc_query_ingest
tests.integration.powerbi.test_ingest ‑ test_soft_reference_mode_no_user_entities
tests.integration.powerbi.test_m_parser ‑ test_athena_regular_case
tests.integration.powerbi.test_m_parser ‑ test_athena_with_platform_instance
tests.integration.powerbi.test_m_parser ‑ test_comments_in_m_query
tests.integration.powerbi.test_m_parser ‑ test_databricks_catalog_pattern_1
tests.integration.powerbi.test_m_parser ‑ test_databricks_catalog_pattern_2
tests.integration.powerbi.test_m_parser ‑ test_databricks_multi_cloud
tests.integration.powerbi.test_m_parser ‑ test_databricks_multicloud
tests.integration.powerbi.test_m_parser ‑ test_databricks_regular_case
tests.integration.powerbi.test_m_parser ‑ test_databricks_regular_case_with_view
tests.integration.powerbi.test_m_parser ‑ test_double_quotes_in_alias
tests.integration.powerbi.test_m_parser ‑ test_empty_string_in_m_query
tests.integration.powerbi.test_m_parser ‑ test_expression_is_none
tests.integration.powerbi.test_m_parser ‑ test_for_each_expression_1
tests.integration.powerbi.test_m_parser ‑ test_for_each_expression_2
tests.integration.powerbi.test_m_parser ‑ test_google_bigquery_1
tests.integration.powerbi.test_m_parser ‑ test_google_bigquery_2
tests.integration.powerbi.test_m_parser ‑ test_m_query_timeout
tests.integration.powerbi.test_m_parser ‑ test_mssql_drop_with_select
tests.integration.powerbi.test_m_parser ‑ test_mssql_regular_case
tests.integration.powerbi.test_m_parser ‑ test_mssql_with_query
tests.integration.powerbi.test_m_parser ‑ test_multi_source_table
tests.integration.powerbi.test_m_parser ‑ test_mysql_odbc_query
tests.integration.powerbi.test_m_parser ‑ test_mysql_odbc_query_with_dsn_to_database_mapping
tests.integration.powerbi.test_m_parser ‑ test_mysql_odbc_query_with_dsn_to_database_schema_mapping
tests.integration.powerbi.test_m_parser ‑ test_mysql_odbc_query_without_dsn_mapping
tests.integration.powerbi.test_m_parser ‑ test_mysql_odbc_regular_case
tests.integration.powerbi.test_m_parser ‑ test_native_query_disabled
tests.integration.powerbi.test_m_parser ‑ test_oracle_regular_case
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query1
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query10
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query11
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query12
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query13
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query2
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query3
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query4
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query5
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query6
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query7
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query8
tests.integration.powerbi.test_m_parser ‑ test_parse_m_query9
tests.integration.powerbi.test_m_parser ‑ test_postgres_regular_case
tests.integration.powerbi.test_m_parser ‑ test_redshift_native_query
tests.integration.powerbi.test_m_parser ‑ test_redshift_regular_case
tests.integration.powerbi.test_m_parser ‑ test_snowflake_double_double_quotes
tests.integration.powerbi.test_m_parser ‑ test_snowflake_multi_function_call
tests.integration.powerbi.test_m_parser ‑ test_snowflake_native_query
tests.integration.powerbi.test_m_parser ‑ test_snowflake_regular_case
tests.integration.powerbi.test_m_parser ‑ test_sqlglot_parser
tests.integration.powerbi.test_m_parser ‑ test_sqlglot_parser_2
tests.integration.powerbi.test_m_parser ‑ test_table_combine
tests.integration.powerbi.test_m_parser ‑ test_unsupported_data_platform
tests.integration.powerbi.test_native_sql_parser ‑ test_drop_statement
tests.integration.powerbi.test_native_sql_parser ‑ test_join
tests.integration.powerbi.test_native_sql_parser ‑ test_simple_from
tests.integration.powerbi.test_powerbi ‑ test_access_token_expiry_with_long_expiry
tests.integration.powerbi.test_powerbi ‑ test_access_token_expiry_with_short_expiry
tests.integration.powerbi.test_powerbi ‑ test_admin_access_is_not_allowed
tests.integration.powerbi.test_powerbi ‑ test_cll_extraction
tests.integration.powerbi.test_powerbi ‑ test_cll_extraction_flags
tests.integration.powerbi.test_powerbi ‑ test_dataset_type_mapping_error
tests.integration.powerbi.test_powerbi ‑ test_dataset_type_mapping_should_set_to_all
tests.integration.powerbi.test_powerbi ‑ test_extract_endorsements
tests.integration.powerbi.test_powerbi ‑ test_extract_lineage
tests.integration.powerbi.test_powerbi ‑ test_extract_reports
tests.integration.powerbi.test_powerbi ‑ test_independent_datasets_extraction
tests.integration.powerbi.test_powerbi ‑ test_override_ownership
tests.integration.powerbi.test_powerbi ‑ test_powerbi_app_ingest
tests.integration.powerbi.test_powerbi ‑ test_powerbi_app_ingest_info_message
tests.integration.powerbi.test_powerbi ‑ test_powerbi_cross_workspace_reference_info_message
tests.integration.powerbi.test_powerbi ‑ test_powerbi_ingest
tests.integration.powerbi.test_powerbi ‑ test_powerbi_ingest_patch_disabled
tests.integration.powerbi.test_powerbi ‑ test_powerbi_ingest_urn_lower_case
tests.integration.powerbi.test_powerbi ‑ test_powerbi_platform_instance_ingest
tests.integration.powerbi.test_powerbi ‑ test_powerbi_test_connection_failure
tests.integration.powerbi.test_powerbi ‑ test_powerbi_test_connection_success
tests.integration.powerbi.test_powerbi ‑ test_powerbi_workspace_type_filter
tests.integration.powerbi.test_powerbi ‑ test_reports_with_failed_page_request
tests.integration.powerbi.test_powerbi ‑ test_scan_all_workspaces
tests.integration.powerbi.test_powerbi ‑ test_server_to_platform_map
tests.integration.powerbi.test_powerbi ‑ test_workspace_container
tests.integration.powerbi.test_profiling ‑ test_profiling
tests.integration.powerbi.test_stateful_ingestion ‑ test_powerbi_stateful_ingestion
tests.integration.powerbi_report_server.test_powerbi_report_server ‑ test_powerbi_ingest
tests.integration.powerbi_report_server.test_powerbi_report_server ‑ test_powerbi_ingest_with_failure
tests.integration.preset.test_preset ‑ test_preset_ingest
tests.integration.preset.test_preset ‑ test_preset_stateful_ingest
tests.integration.qlik_sense.test_qlik_sense ‑ test_platform_instance_ingest
tests.integration.qlik_sense.test_qlik_sense ‑ test_qlik_sense_ingest
tests.integration.recording.test_postgres_recording.TestPostgreSQLRecording ‑ test_postgres_record_replay_validation
tests.integration.redshift-usage.test_redshift_usage ‑ test_duplicate_operations_dropped
tests.integration.redshift-usage.test_redshift_usage ‑ test_redshift_usage_config
tests.integration.redshift-usage.test_redshift_usage ‑ test_redshift_usage_filtering
tests.integration.redshift-usage.test_redshift_usage ‑ test_redshift_usage_source
tests.integration.remote.test_remote ‑ test_remote_ingest
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_allow_table]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_bucket_wildcard_allow_table]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_bucket_wildcard_as_table]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_bucket_wildcard_single_file]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_bucket_wildcard_with_nested_table]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_deny_table]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_file_inference_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_file_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_no_partition]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_no_partition_exclude]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_no_partition_filename]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_no_partition_glob]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_basic]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_keyval]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_update_schema]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_update_schema_with_partition_autodetect]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_update_schema_with_partition_autodetect_and_wildcard_dir]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_with_partition_autodetect_traverse_all]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_folder_partition_with_partition_autodetect_traverse_min_max]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_multiple_files]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_multiple_spec_for_files]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_multiple_specs_of_different_buckets]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[s3_single_file]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_file_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_no_partition]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_no_partition_exclude]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_no_partition_filename]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_no_partition_glob]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_partition_basic]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_partition_keyval]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_folder_partition_update_schema]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_multiple_files]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_multiple_spec_for_files]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_multiple_specs_of_different_buckets]
tests.integration.s3.test_s3 ‑ test_data_lake_gcs_ingest[shared_single_file]
tests.integration.s3.test_s3 ‑ test_data_lake_incorrect_config_raises_error
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_file_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_no_partition]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_no_partition_exclude]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_no_partition_filename]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_no_partition_glob]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_partition_basic]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_partition_keyval]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_folder_partition_update_schema]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_multiple_files]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_multiple_spec_for_files]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_multiple_specs_of_different_buckets]
tests.integration.s3.test_s3 ‑ test_data_lake_local_ingest[shared_single_file]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_calls[filter_specific_partition]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_calls[filter_specific_partition_traversal_all]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_calls[partition_autodetection]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_calls[partitions_and_filename_with_prefix]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_calls[partitions_traversal_all]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_allow_table]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_bucket_wildcard_allow_table]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_bucket_wildcard_as_table]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_bucket_wildcard_single_file]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_bucket_wildcard_with_nested_table]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_deny_table]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_file_inference_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_file_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_no_partition]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_no_partition_exclude]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_no_partition_filename]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_no_partition_glob]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_basic]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_keyval]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_update_schema]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_update_schema_with_partition_autodetect]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_update_schema_with_partition_autodetect_and_wildcard_dir]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_with_partition_autodetect_traverse_all]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_folder_partition_with_partition_autodetect_traverse_min_max]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_multiple_files]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_multiple_spec_for_files]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_multiple_specs_of_different_buckets]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[s3_single_file]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_file_without_extension]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_no_partition]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_no_partition_exclude]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_no_partition_filename]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_no_partition_glob]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_partition_basic]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_partition_keyval]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_folder_partition_update_schema]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_multiple_files]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_multiple_spec_for_files]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_multiple_specs_of_different_buckets]
tests.integration.s3.test_s3 ‑ test_data_lake_s3_ingest[shared_single_file]
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_extract_table_profiles_with_quantiles
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_extract_with_histogram_continuous
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_extract_with_histogram_distinct
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_all_options_enabled
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_column_filtering
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_date_timestamp_types
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_high_cardinality
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_low_cardinality
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_max_fields_limit
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_null_values
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_numeric_types
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_sample_values
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_string_types
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_table_level_only
tests.integration.s3.test_s3_profiling_coverage.TestS3ProfilingCoverage ‑ test_profiling_with_zero_row_count
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimInstallation ‑ test_s3_full_install_includes_pyspark
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimInstallation ‑ test_s3_slim_install_excludes_pyspark
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimNoPySpark ‑ test_s3_config_without_profiling
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimNoPySpark ‑ test_s3_slim_pydeequ_not_installed
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimNoPySpark ‑ test_s3_slim_pyspark_not_installed
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimNoPySpark ‑ test_s3_source_creation_fails_with_profiling_no_pyspark
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimNoPySpark ‑ test_s3_source_loads_as_plugin
tests.integration.s3.test_s3_slim_no_pyspark.TestS3SlimNoPySpark ‑ test_s3_source_works_without_profiling
tests.integration.sac.test_sac ‑ test_sac
tests.integration.salesforce.test_salesforce ‑ test_custom_version
tests.integration.salesforce.test_salesforce ‑ test_latest_version
tests.integration.salesforce.test_salesforce ‑ test_salesforce_ingest
tests.integration.salesforce.test_salesforce ‑ test_salesforce_ingest_with_lineage
tests.integration.sigma.test_sigma ‑ test_platform_instance_ingest
tests.integration.sigma.test_sigma ‑ test_sigma_ingest
tests.integration.sigma.test_sigma ‑ test_sigma_ingest_shared_entities
tests.integration.snaplogic.test_snaplogic ‑ test_snaplogic_source_create_non_snaplogic_datasets
tests.integration.snaplogic.test_snaplogic ‑ test_snaplogic_source_default_configs
tests.integration.snaplogic.test_snaplogic_lineage_extractor ‑ test_extract_columns_mapping_from_lineage
tests.integration.snaplogic.test_snaplogic_lineage_extractor ‑ test_extract_columns_mapping_from_lineage_case_insensitive_namespace
tests.integration.snaplogic.test_snaplogic_lineage_extractor ‑ test_extract_columns_mapping_from_lineage_case_namespace_mapping
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[BOOLEAN-BooleanTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[Int-NumberTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[STRING-StringTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[boolean-BooleanTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[double-NumberTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[float-NumberTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[int-NumberTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[long-NumberTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[number-NumberTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[string-StringTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[unknown-StringTypeClass]
tests.integration.snaplogic.test_snaplogic_utils ‑ test_get_datahub_type[varchar-StringTypeClass]
tests.integration.snowflake.test_snowflake ‑ test_snowflake_basic
tests.integration.snowflake.test_snowflake ‑ test_snowflake_basic_disable_queries
tests.integration.snowflake.test_snowflake ‑ test_snowflake_private_link_and_incremental_mcps
tests.integration.snowflake.test_snowflake ‑ test_snowflake_schema_extraction_one_table_multiple_views
tests.integration.snowflake.test_snowflake ‑ test_snowflake_tags_as_structured_properties
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[1-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[2-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[4-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[6-80-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-10-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-40-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-5-1]
tests.integration.snowflake.test_snowflake_classification ‑ test_snowflake_classification_perf[8-80-1]
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_failed_secure_view_definitions_query_raises_pipeline_warning
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_is_standard_edition[Enterprise or above-False]
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_is_standard_edition[None-False]
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_is_standard_edition[Standard-True]
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_list_columns_error_causes_pipeline_warning
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_list_primary_keys_error_causes_pipeline_warning
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_missing_role_access_causes_pipeline_failure
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_missing_snowflake_lineage_permission_causes_pipeline_failure
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_missing_snowflake_operations_permission_causes_pipeline_failure
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_missing_snowflake_secure_view_definitions_raises_pipeline_info
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_missing_warehouse_access_causes_pipeline_failure
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_no_databases_with_access_causes_pipeline_failure
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_no_tables_causes_pipeline_failure
tests.integration.snowflake.test_snowflake_failures ‑ test_snowflake_no_tables_warns_on_no_datasets
tests.integration.snowflake.test_snowflake_queries ‑ test_snowflake_has_temp_keyword
tests.integration.snowflake.test_snowflake_queries ‑ test_source_close_cleans_tmp
tests.integration.snowflake.test_snowflake_queries ‑ test_user_identifiers_email_as_identifier
tests.integration.snowflake.test_snowflake_queries ‑ test_user_identifiers_user_email_as_identifier
tests.integration.snowflake.test_snowflake_stateful ‑ test_stale_metadata_removal
tests.integration.snowflake.test_snowflake_streamlit ‑ test_snowflake_streamlit_disabled
tests.integration.snowflake.test_snowflake_streamlit ‑ test_snowflake_streamlit_filtering
tests.integration.snowflake.test_snowflake_streamlit ‑ test_snowflake_streamlit_ingestion
tests.integration.snowflake.test_snowflake_tag ‑ test_snowflake_structured_property_pattern_deny
tests.integration.snowflake.test_snowflake_tag ‑ test_snowflake_tag_pattern
tests.integration.snowflake.test_snowflake_tag ‑ test_snowflake_tag_pattern_deny
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/basic-with-schema-resolver.yml-golden/basic-with-schema-resolver.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/basic.yml-golden/basic.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/explicit-lineage.yml-golden/explicit-lineage.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/hex-origin.yml-golden/hex-origin.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/lazy-schema-loading.yml-golden/lazy-schema-loading.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/patch-lineage.yml-golden/patch-lineage.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/query-deduplication.yml-golden/query-deduplication.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/session-temp-tables.yml-golden/session-temp-tables.json]
tests.integration.sql_queries.test_sql_queries ‑ test_sql_queries_ingestion[input/temp-table-patterns.yml-golden/temp-table-patterns.json]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_ephemeral_pattern.yml]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_no_db_to_file.yml]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_no_db_with_filter.yml]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_odbc_all_databases.yml]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_special_symbols_db.yml]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_to_file.yml]
tests.integration.sql_server.test_sql_server ‑ test_mssql_ingest[mssql_with_lower_case_urn.yml]
tests.integration.sql_server.test_sql_server ‑ test_stored_procedure_lineage[DemoData.Foo.NewProc.sql]
tests.integration.sql_server.test_sql_server ‑ test_stored_procedure_lineage[demodata.foo.proc2.sql]
tests.integration.starburst-trino-usage.test_starburst_trino_usage ‑ test_trino_usage_config
tests.integration.starburst-trino-usage.test_starburst_trino_usage ‑ test_trino_usage_source
tests.integration.superset.test_superset ‑ test_superset_aggregate_chart
tests.integration.superset.test_superset ‑ test_superset_ingest
tests.integration.superset.test_superset ‑ test_superset_stateful_ingest
tests.integration.tableau.test_tableau_ingest ‑ test_extract_all_project
tests.integration.tableau.test_tableau_ingest ‑ test_filter_upstream_assets
tests.integration.tableau.test_tableau_ingest ‑ test_get_all_datasources_failure
tests.integration.tableau.test_tableau_ingest ‑ test_hidden_asset_tags
tests.integration.tableau.test_tableau_ingest ‑ test_hidden_assets_without_ingest_tags
tests.integration.tableau.test_tableau_ingest ‑ test_ingest_hidden_worksheets
tests.integration.tableau.test_tableau_ingest ‑ test_ingest_tags_disabled
tests.integration.tableau.test_tableau_ingest ‑ test_no_hidden_assets
tests.integration.tableau.test_tableau_ingest ‑ test_permission_ingestion
tests.integration.tableau.test_tableau_ingest ‑ test_permission_warning
tests.integration.tableau.test_tableau_ingest ‑ test_project_hierarchy
tests.integration.tableau.test_tableau_ingest ‑ test_project_path_pattern
tests.integration.tableau.test_tableau_ingest ‑ test_project_path_pattern_allow
tests.integration.tableau.test_tableau_ingest ‑ test_project_path_pattern_deny
tests.integration.tableau.test_tableau_ingest ‑ test_project_pattern
tests.integration.tableau.test_tableau_ingest ‑ test_retry_on_error
tests.integration.tableau.test_tableau_ingest ‑ test_site_name_pattern
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_cll_ingest
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_ingest
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_ingest_multiple_sites
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_ingest_sites_as_container
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_ingest_with_platform_instance
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_signout_timeout
tests.integration.tableau.test_tableau_ingest ‑ test_tableau_stateful
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_compare_extraction_methods
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_fallback_chain_with_dbc_failure
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_prepared_statement_extraction_on_view
tests.integration.teradata.test_prepared_statement_integration.TestPreparedStatementIntegration ‑ test_report_completeness
tests.integration.test_masking_integration.TestBootstrapIntegration ‑ test_basic_initialization
tests.integration.test_masking_integration.TestBootstrapIntegration ‑ test_manual_secret_registration
tests.integration.test_masking_integration.TestDoubleInitialization ‑ test_double_initialization_safe
tests.integration.test_masking_integration.TestDoubleInitialization ‑ test_force_reinitialization
tests.integration.test_masking_integration.TestEndToEndMasking ‑ test_debug_level_logging
tests.integration.test_masking_integration.TestEndToEndMasking ‑ test_end_to_end_logging
tests.integration.test_masking_integration.TestEndToEndMasking ‑ test_exception_logging_masked
tests.integration.test_masking_integration.TestEndToEndMasking ‑ test_stdout_wrapper_integration
tests.integration.test_masking_integration.TestFailGracefully ‑ test_initialization_failure_graceful
tests.integration.test_masking_integration.TestFailGracefully ‑ test_masking_error_doesnt_break_logging
tests.integration.test_masking_integration.TestFullPipelineIntegration ‑ test_config_loading_with_secrets
tests.integration.test_masking_integration.TestFullPipelineIntegration ‑ test_config_with_secret_str_fields
tests.integration.test_masking_integration.TestFullPipelineIntegration ‑ test_pydantic_config_with_nested_secrets
tests.integration.test_masking_integration.TestPerformanceIntegration ‑ test_large_message_performance
tests.integration.test_masking_integration.TestPerformanceIntegration ‑ test_many_secrets_performance
tests.integration.trino.test_trino ‑ test_trino_hive_ingest

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 710 to 1338)

There are 7547 tests, see "Raw output" for the list of tests 710 to 1338.
Raw output
tests.integration.trino.test_trino ‑ test_trino_ingest
tests.integration.trino.test_trino ‑ test_trino_instance_ingest
tests.integration.unity.test_unity_catalog_ingest ‑ test_ingestion
tests.integration.unity.test_unity_catalog_ingest ‑ test_ml_model_with_signature_and_run_details
tests.integration.vertexai.test_vertexai ‑ test_vertexai_source_ingestion
tests.integration.vertica.test_vertica ‑ test_vertica_ingest_with_db
tests.performance.sql_parsing.test_sql_aggregator ‑ test_benchmark
tests.unit.abs.test_abs_config ‑ test_abs_config_accepts_dict_path_specs_and_infers_abs_platform
tests.unit.abs.test_abs_config ‑ test_abs_config_accepts_dict_path_specs_and_infers_file_platform
tests.unit.abs.test_abs_config ‑ test_abs_config_accepts_dict_path_specs_with_explicit_platform_match
tests.unit.abs.test_abs_config ‑ test_abs_config_rejects_abs_specific_flags_for_file_platform
tests.unit.abs.test_abs_config ‑ test_abs_config_rejects_dict_path_specs_with_platform_mismatch
tests.unit.abs.test_abs_config ‑ test_abs_config_rejects_empty_path_specs
tests.unit.abs.test_abs_config ‑ test_abs_config_rejects_mixed_abs_file_uris
tests.unit.abs.test_abs_source ‑ test_account_key_authentication
tests.unit.abs.test_abs_source ‑ test_azure_sdk_parameter_deprecation[prefix-name_starts_with]
tests.unit.abs.test_abs_source ‑ test_credential_object_not_converted_to_string
tests.unit.abs.test_abs_source ‑ test_credential_types_by_auth_method[account_key-config_params1-str]
tests.unit.abs.test_abs_source ‑ test_credential_types_by_auth_method[sas_token-config_params2-str]
tests.unit.abs.test_abs_source ‑ test_credential_types_by_auth_method[service_principal-config_params0-ClientSecretCredential]
tests.unit.abs.test_abs_source ‑ test_datahub_source_uses_correct_azure_parameters
tests.unit.abs.test_abs_source ‑ test_sas_token_authentication
tests.unit.abs.test_abs_source ‑ test_service_clients_receive_credential_objects[BlobServiceClient-get_blob_service_client]
tests.unit.abs.test_abs_source ‑ test_service_clients_receive_credential_objects[DataLakeServiceClient-get_data_lake_service_client]
tests.unit.abs.test_abs_source ‑ test_service_principal_credentials_return_objects
tests.unit.api.entities.assertion.test_assertion_config_spec ‑ test_assertion_config_spec_parses_correct_type
tests.unit.api.entities.common.test_serialized_value ‑ test_base_model
tests.unit.api.entities.common.test_serialized_value ‑ test_dictwrapper
tests.unit.api.entities.common.test_serialized_value ‑ test_raw_dictionary
tests.unit.api.entities.datacontract.test_data_quality_assertion ‑ test_parse_sql_assertion
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_basic_initialization
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_emit_process_with_emitter
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_end_event_generation
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_from_container_creation
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_from_dataflow_creation
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_from_datajob_creation
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_generate_mcp
tests.unit.api.entities.dataprocess.test_data_process_instance.TestDataProcessInstance ‑ test_start_event_generation
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_from_datahub
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_from_yaml[update]
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_from_yaml[update_with_output_ports]
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_from_yaml[upsert]
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_from_yaml[upsert_with_output_ports]
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_output_ports_validation_not_in_assets
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_output_ports_validation_not_urn
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_ownership_type_urn_from_yaml
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_ownership_type_urn_patch_yaml
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_patch_yaml[asset_add]
tests.unit.api.entities.dataproducts.test_dataproduct ‑ test_dataproduct_patch_yaml[asset_remove]
tests.unit.api.entities.dataset.test_dataset ‑ test_dataset_from_datahub
tests.unit.api.entities.dataset.test_dataset ‑ test_dataset_from_yaml
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_case_sensitivity_lower
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_case_sensitivity_mixed
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_case_sensitivity_upper
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_for_many_all_lower
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_for_many_all_upper
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_for_many_empty_list
tests.unit.api.entities.external.test_external_entitites.TestCaseSensitivity ‑ test_detect_for_many_mixed_cases
tests.unit.api.entities.external.test_external_entitites.TestEdgeCases ‑ test_cache_behavior_with_unity_catalog_repository
tests.unit.api.entities.external.test_external_entitites.TestEdgeCases ‑ test_case_sensitivity_enum_values
tests.unit.api.entities.external.test_external_entitites.TestEdgeCases ‑ test_linked_resource_set_with_empty_urns
tests.unit.api.entities.external.test_external_entitites.TestExternalEntityId ‑ test_external_entity_id_is_abstract
tests.unit.api.entities.external.test_external_entitites.TestIntegration ‑ test_case_sensitivity_with_linked_resources
tests.unit.api.entities.external.test_external_entitites.TestIntegration ‑ test_repository_with_linked_resource_set
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_add_conflicting_urn
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_add_deduplicates_urns
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_add_duplicate_urn
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_add_new_urn_object
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_add_new_urn_string
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_has_conflict_different_entity_types
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_has_conflict_duplicate_urn
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSet ‑ test_has_conflict_invalid_existing_urn
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSetAdvanced ‑ test_add_deduplicates_concurrent_duplicates
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSetAdvanced ‑ test_add_with_conflicting_entity_types_raises_error
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSetAdvanced ‑ test_has_conflict_with_invalid_new_urn
tests.unit.api.entities.external.test_external_entitites.TestLinkedResourceSetAdvanced ‑ test_has_conflict_with_valid_same_entity_types
tests.unit.api.entities.external.test_external_entitites.TestMissingExternalEntity ‑ test_as_platform_resource
tests.unit.api.entities.external.test_external_entitites.TestMissingExternalEntity ‑ test_datahub_linked_resources
tests.unit.api.entities.external.test_external_entitites.TestMissingExternalEntity ‑ test_get_id
tests.unit.api.entities.external.test_external_entitites.TestMissingExternalEntity ‑ test_is_managed_by_datahub
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_create
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_create_default_entity
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_delete
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_get_existing
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_get_non_existing
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_get_resource_type
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_init
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_platform_instance_direct_access
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_search_by_filter_with_cache
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepository ‑ test_search_by_filter_without_cache
tests.unit.api.entities.external.test_external_entitites.TestPlatformResourceRepositoryAdvanced ‑ test_as_obj_cache_info
tests.unit.api.entities.external.test_external_entitites.TestSyncContextProtocol ‑ test_mock_sync_context_implements_protocol
tests.unit.api.entities.external.test_external_entitites.TestUnityCatalogTagPlatformResource ‑ test_as_platform_resource
tests.unit.api.entities.external.test_external_entitites.TestUnityCatalogTagPlatformResource ‑ test_datahub_linked_resources
tests.unit.api.entities.external.test_external_entitites.TestUnityCatalogTagPlatformResource ‑ test_get_id
tests.unit.api.entities.external.test_external_entitites.TestUnityCatalogTagPlatformResource ‑ test_is_managed_by_datahub_false
tests.unit.api.entities.external.test_external_entitites.TestUnityCatalogTagPlatformResource ‑ test_is_managed_by_datahub_true
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_from_key_only
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_from_key_value
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_from_urn_key_only
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_from_urn_multiple_colons
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_from_urn_with_value
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_get_datahub_tag_fallback
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_parse_tag_name_static_method
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_repr
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_restricted_text_processing
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_string_representation
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_to_datahub_tag_urn_key_only
tests.unit.api.entities.external.test_restrictions.TestExternalTag ‑ test_to_datahub_tag_urn_with_value
tests.unit.api.entities.external.test_restrictions.TestIntegration ‑ test_complex_tag_scenarios
tests.unit.api.entities.external.test_restrictions.TestIntegration ‑ test_external_tag_to_unity_catalog_conversion
tests.unit.api.entities.external.test_restrictions.TestIntegration ‑ test_round_trip_urn_parsing
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_api_compatibility
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_character_sanitization
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_direct_initialization
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_direct_initialization_with_objects
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_empty_value_handling
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_equality_and_hashing
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_from_dict
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_from_key_value
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_key_only_tag
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_repr
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_string_representation
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_to_dict
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_to_display_dict
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTag ‑ test_truncation_detection
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagKeyText ‑ test_key_length_limit
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagKeyText ‑ test_key_restrictions
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagKeyText ‑ test_no_truncation_suffix
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagKeyText ‑ test_valid_key_characters
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagValueText ‑ test_permissive_characters
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagValueText ‑ test_value_length_limit
tests.unit.api.entities.external.test_restrictions.TestLakeFormationTagValueText ‑ test_value_restrictions
tests.unit.api.entities.external.test_restrictions.TestRestrictedText ‑ test_basic_functionality
tests.unit.api.entities.external.test_restrictions.TestRestrictedText ‑ test_custom_configuration
tests.unit.api.entities.external.test_restrictions.TestRestrictedText ‑ test_truncation
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_api_compatibility
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_character_sanitization
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_from_dict
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_from_key_value
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_key_only_tag
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_string_representation
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_to_dict
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_to_display_dict
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTag ‑ test_truncation_detection
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTagKeyText ‑ test_key_length_limit
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTagKeyText ‑ test_key_restrictions
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTagKeyText ‑ test_valid_key_characters
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTagValueText ‑ test_permissive_characters
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTagValueText ‑ test_value_length_limit
tests.unit.api.entities.external.test_restrictions.TestUnityCatalogTagValueText ‑ test_value_restrictions
tests.unit.api.entities.platformresource.test_platform_resource ‑ test_platform_resource_base_model
tests.unit.api.entities.platformresource.test_platform_resource ‑ test_platform_resource_dict
tests.unit.api.entities.platformresource.test_platform_resource ‑ test_platform_resource_dict_removed
tests.unit.api.entities.platformresource.test_platform_resource ‑ test_platform_resource_dictwrapper
tests.unit.api.entities.platformresource.test_platform_resource ‑ test_platform_resource_filters
tests.unit.api.entities.structuredproperties.test_structuredproperties ‑ test_structuredproperties_load
tests.unit.api.entities.structuredproperties.test_structuredproperties ‑ test_type_validation
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_by_container_hierarchy
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_container_over_legacy_browse_path
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_dry_run
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_gen_containers_threaded
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_ignores_urns_already_with
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_invalid_batch_telemetry
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_invalid_order_telemetry
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_legacy_browse_path
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_no_invalid_batch_telemetry_for_unrelated_aspects
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_prevents_platform_instance_duplication
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_with_platform_instance
tests.unit.api.source_helpers.test_auto_browse_path_v2 ‑ test_auto_browse_path_v2_with_platform_instance_and_source_browse_path_v2
tests.unit.api.source_helpers.test_auto_system_metadata ‑ test_not_stamping_with_existing_metadata
tests.unit.api.source_helpers.test_auto_system_metadata ‑ test_stamping_with_existing_metadata
tests.unit.api.source_helpers.test_auto_system_metadata ‑ test_stamping_without_existing_metadata
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_proper_dataset_profile
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_proper_query_properties
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_proper_query_subjects
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_proper_schema_metadata
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_proper_upstream_lineage
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_proper_view_properties
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_too_big_dataset_profile
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_too_big_query_properties
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_too_big_query_subjects
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_too_big_schema_metadata
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_too_big_upstream_lineage
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_too_big_view_properties
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_of_view_properties_viewlogic_only
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_removes_formatted_view_logic_entirely_when_too_small
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_ensure_size_truncates_formatted_first
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_mce_workunit_checks_all_aspects_not_just_first_elif_regression
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_not_triggered_by_unhandled_aspects
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_data_profile_aspect
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_data_profile_aspect_mce
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_data_profile_aspect_mcpc
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_query_properties_aspect
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_query_subjects_aspect
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_schema_metadata_aspect
tests.unit.api.source_helpers.test_ensure_aspect_size ‑ test_wu_processor_triggered_by_upstream_lineage_aspect
tests.unit.api.source_helpers.test_incremental_lineage_helper ‑ test_incremental_column_lineage
tests.unit.api.source_helpers.test_incremental_lineage_helper ‑ test_incremental_lineage_pass_through
tests.unit.api.source_helpers.test_incremental_lineage_helper ‑ test_incremental_table_lineage
tests.unit.api.source_helpers.test_incremental_lineage_helper ‑ test_incremental_table_lineage_empty_upstreams
tests.unit.api.source_helpers.test_incremental_lineage_helper.TestConvertDashboardInfoToPatch ‑ test_convert_dashboard_info_to_patch_with_chart_edges
tests.unit.api.source_helpers.test_incremental_lineage_helper.TestConvertDashboardInfoToPatch ‑ test_convert_dashboard_info_to_patch_with_chart_edges_no_chart
tests.unit.api.source_helpers.test_incremental_lineage_helper.TestConvertDashboardInfoToPatch ‑ test_convert_dashboard_info_to_patch_with_custom_properties
tests.unit.api.source_helpers.test_incremental_lineage_helper.TestConvertDashboardInfoToPatch ‑ test_convert_dashboard_info_to_patch_with_dashboards
tests.unit.api.source_helpers.test_incremental_lineage_helper.TestConvertDashboardInfoToPatch ‑ test_convert_dashboard_info_to_patch_with_dashboards_no_dashboard
tests.unit.api.source_helpers.test_incremental_lineage_helper.TestConvertDashboardInfoToPatch ‑ test_convert_dashboard_info_to_patch_with_no_additional_values
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_empty_dataset_usage_statistics
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_empty_dataset_usage_statistics_invalid_timestamp
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_lowercase_aspects
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_patch_last_modified_last_modified_patch_exist
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_patch_last_modified_last_modified_patch_not_exist
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_patch_last_modified_max_last_updated_timestamp
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_patch_last_modified_multi_patch
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_patch_last_modified_no_change
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_status_aspect
tests.unit.api.source_helpers.test_source_helpers ‑ test_auto_workunit
tests.unit.api.test_apis ‑ test_sinks_not_abstract
tests.unit.api.test_apis ‑ test_sources_not_abstract
tests.unit.api.test_auto_validate_input_fields ‑ test_all_invalid_fields_skips_workunit
tests.unit.api.test_auto_validate_input_fields ‑ test_empty_field_paths_filtered
tests.unit.api.test_auto_validate_input_fields ‑ test_no_input_fields_aspect
tests.unit.api.test_auto_validate_input_fields ‑ test_valid_input_fields_pass_through
tests.unit.api.test_entity_filter_report ‑ test_entity_filter_report
tests.unit.api.test_pipeline.TestPipeline ‑ test_configure
tests.unit.api.test_pipeline.TestPipeline ‑ test_configure_with_file_sink_does_not_init_graph
tests.unit.api.test_pipeline.TestPipeline ‑ test_configure_with_rest_sink_initializes_graph
tests.unit.api.test_pipeline.TestPipeline ‑ test_configure_with_rest_sink_with_additional_props_initializes_graph
tests.unit.api.test_pipeline.TestPipeline ‑ test_configure_without_sink
tests.unit.api.test_pipeline.TestPipeline ‑ test_configure_without_sink_use_system_auth
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_graph_client_mode
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_graph_has_expected_client_mode_and_component
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ALWAYS-no-warnings-no-errors]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ALWAYS-with-errors]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ALWAYS-with-warnings]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ON_NO_ERRORS-no-warnings-no-errors]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ON_NO_ERRORS-with-errors]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ON_NO_ERRORS-with-warnings]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ON_NO_ERRORS_AND_NO_WARNINGS-no-warnings-no-errors]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ON_NO_ERRORS_AND_NO_WARNINGS-with-errors]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_process_commits[ON_NO_ERRORS_AND_NO_WARNINGS-with-warnings]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_return_code[FakeSource-False-0]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_return_code[FakeSourceWithWarnings-False-0]
tests.unit.api.test_pipeline.TestPipeline ‑ test_pipeline_return_code[FakeSourceWithWarnings-True-1]
tests.unit.api.test_pipeline.TestPipeline ‑ test_run_including_fake_transformation
tests.unit.api.test_pipeline.TestPipeline ‑ test_run_including_registered_transformation
tests.unit.api.test_pipeline.TestSinkReportTimingOnClose ‑ test_sink_report_timing_on_close
tests.unit.api.test_plugin_system ‑ test_list_all[False]
tests.unit.api.test_plugin_system ‑ test_list_all[True]
tests.unit.api.test_plugin_system ‑ test_registry
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry0-expected0]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry1-expected1]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry2-expected2]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry3-expected3]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry4-expected4]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry5-expected5]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry6-expected6]
tests.unit.api.test_plugin_system ‑ test_registry_defaults[registry7-expected7]
tests.unit.api.test_source_report ‑ test_report_to_string_sampled
tests.unit.api.test_source_report ‑ test_report_to_string_unsampled
tests.unit.api.test_workunit ‑ test_get_aspects_of_type_mce
tests.unit.api.test_workunit ‑ test_get_aspects_of_type_mcp
tests.unit.api.test_workunit ‑ test_get_aspects_of_type_mcpc
tests.unit.autogenerated.test_lineage_helper ‑ test_get_all_lineage_aspect_names
tests.unit.autogenerated.test_lineage_helper.TestLineageHelper ‑ test_get_all_aspect_names
tests.unit.autogenerated.test_lineage_helper.TestLineageHelper ‑ test_get_all_aspect_names_empty_entities
tests.unit.autogenerated.test_lineage_helper.TestLineageHelper ‑ test_load_lineage_data_file_not_found
tests.unit.autogenerated.test_lineage_helper.TestLineageHelper ‑ test_load_lineage_data_invalid_json
tests.unit.autogenerated.test_lineage_helper.TestLineageHelper ‑ test_load_lineage_data_success
tests.unit.azure_data_factory.test_adf_config.TestAzureCredentialConfigValidation ‑ test_service_principal_requires_client_id
tests.unit.azure_data_factory.test_adf_config.TestAzureCredentialConfigValidation ‑ test_service_principal_requires_client_secret
tests.unit.azure_data_factory.test_adf_config.TestAzureCredentialConfigValidation ‑ test_service_principal_requires_tenant_id
tests.unit.azure_data_factory.test_adf_config.TestAzureCredentialConfigValidation ‑ test_service_principal_valid_when_all_fields_present
tests.unit.azure_data_factory.test_adf_config.TestAzureDataFactoryConfigValidation ‑ test_execution_history_days_accepts_boundary_values
tests.unit.azure_data_factory.test_adf_config.TestAzureDataFactoryConfigValidation ‑ test_execution_history_days_maximum_bound
tests.unit.azure_data_factory.test_adf_config.TestAzureDataFactoryConfigValidation ‑ test_execution_history_days_minimum_bound
tests.unit.azure_data_factory.test_adf_config.TestAzureDataFactoryConfigValidation ‑ test_factory_pattern_deny_filters_correctly
tests.unit.azure_data_factory.test_adf_config.TestAzureDataFactoryConfigValidation ‑ test_pipeline_pattern_filtering
tests.unit.azure_data_factory.test_adf_config.TestAzureDataFactoryConfigValidation ‑ test_subscription_id_required
tests.unit.azure_data_factory.test_adf_config.TestCredentialConfigInteraction ‑ test_service_principal_credential_embedded_in_config
tests.unit.azure_data_factory.test_adf_source.TestActivityRunPropertyExtraction ‑ test_activity_run_error_truncated
tests.unit.azure_data_factory.test_adf_source.TestActivityRunPropertyExtraction ‑ test_activity_run_missing_optional_fields
tests.unit.azure_data_factory.test_adf_source.TestActivityRunPropertyExtraction ‑ test_activity_run_properties_extracted
tests.unit.azure_data_factory.test_adf_source.TestActivityRunToDataJobUrnMapping ‑ test_activity_run_links_to_datajob_not_dataflow
tests.unit.azure_data_factory.test_adf_source.TestActivityRunToDataJobUrnMapping ‑ test_datajob_urn_constructed_from_activity_run
tests.unit.azure_data_factory.test_adf_source.TestActivityRunToDataJobUrnMapping ‑ test_multiple_activities_get_unique_urns
tests.unit.azure_data_factory.test_adf_source.TestActivitySubtypeMapping ‑ test_control_flow_activities_have_descriptive_names
tests.unit.azure_data_factory.test_adf_source.TestActivitySubtypeMapping ‑ test_copy_activity_subtype
tests.unit.azure_data_factory.test_adf_source.TestActivitySubtypeMapping ‑ test_databricks_activities_identifiable
tests.unit.azure_data_factory.test_adf_source.TestActivitySubtypeMapping ‑ test_dataflow_activities_grouped_together
tests.unit.azure_data_factory.test_adf_source.TestFilePathExtractionLogic ‑ test_combine_folder_and_filename
tests.unit.azure_data_factory.test_adf_source.TestFilePathExtractionLogic ‑ test_folder_only_returns_folder
tests.unit.azure_data_factory.test_adf_source.TestFilePathExtractionLogic ‑ test_nested_location_extraction
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_azure_sql_variants_map_to_mssql
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_azure_storage_types_map_to_abs_platform
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_common_open_source_databases_covered
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_databricks_variants_map_correctly
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_major_cloud_databases_covered
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_synapse_variants_map_to_mssql
tests.unit.azure_data_factory.test_adf_source.TestLinkedServicePlatformMapping ‑ test_unknown_service_type_returns_none
tests.unit.azure_data_factory.test_adf_source.TestResourceGroupExtractionLogic ‑ test_extract_from_standard_resource_id
tests.unit.azure_data_factory.test_adf_source.TestResourceGroupExtractionLogic ‑ test_extract_with_complex_resource_group_name
tests.unit.azure_data_factory.test_adf_source.TestRunStatusMapping ‑ test_cancelled_maps_to_skipped
tests.unit.azure_data_factory.test_adf_source.TestRunStatusMapping ‑ test_failed_maps_to_failure
tests.unit.azure_data_factory.test_adf_source.TestRunStatusMapping ‑ test_in_progress_should_return_none
tests.unit.azure_data_factory.test_adf_source.TestRunStatusMapping ‑ test_succeeded_maps_to_success
tests.unit.azure_data_factory.test_adf_source.TestTableNameExtractionLogic ‑ test_combine_schema_and_table
tests.unit.azure_data_factory.test_adf_source.TestTableNameExtractionLogic ‑ test_extract_simple_table_name
tests.unit.azure_data_factory.test_adf_source.TestTableNameExtractionLogic ‑ test_schema_only_returns_schema
tests.unit.azure_data_factory.test_adf_source.TestTableNameExtractionLogic ‑ test_table_only_returns_table
tests.unit.bigquery.test_bigquery_lineage ‑ test_column_level_lineage
tests.unit.bigquery.test_bigquery_lineage ‑ test_lineage_for_external_bq_table
tests.unit.bigquery.test_bigquery_lineage ‑ test_lineage_for_external_bq_table_no_column_lineage
tests.unit.bigquery.test_bigquery_lineage ‑ test_lineage_for_external_table_path_not_matching_specs
tests.unit.bigquery.test_bigquery_lineage ‑ test_lineage_for_external_table_with_non_gcs_uri
tests.unit.bigquery.test_bigquery_lineage ‑ test_lineage_with_timestamps
tests.unit.bigquery.test_bigquery_profiler ‑ test_generate_day_partitioned_partition_profiler_query
tests.unit.bigquery.test_bigquery_profiler ‑ test_generate_day_partitioned_partition_profiler_query_with_set_partition_time
tests.unit.bigquery.test_bigquery_profiler ‑ test_generate_hour_partitioned_partition_profiler_query
tests.unit.bigquery.test_bigquery_profiler ‑ test_generate_ingestion_partitioned_partition_profiler_query
tests.unit.bigquery.test_bigquery_profiler ‑ test_generate_sharded_table_profiler_query
tests.unit.bigquery.test_bigquery_profiler ‑ test_not_generate_partition_profiler_query_if_not_partitioned_sharded_table
tests.unit.bigquery.test_bigquery_queries_extractor.TestBigQueryConfigValidator ‑ test_empty_pushdown_config_is_valid
tests.unit.bigquery.test_bigquery_queries_extractor.TestBigQueryConfigValidator ‑ test_pushdown_config_requires_queries_v2
tests.unit.bigquery.test_bigquery_queries_extractor.TestBigQueryConfigValidator ‑ test_pushdown_config_works_with_queries_v2_enabled
tests.unit.bigquery.test_bigquery_queries_extractor.TestBigQueryConfigValidator ‑ test_pushdown_patterns_strips_whitespace
tests.unit.bigquery.test_bigquery_queries_extractor.TestBigQueryConfigValidator ‑ test_pushdown_rejects_empty_string_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBigQueryConfigValidator ‑ test_pushdown_rejects_whitespace_only_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildEnrichedQueryLogQuery ‑ test_complex_user_filter_in_query
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildEnrichedQueryLogQuery ‑ test_custom_user_filter
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildEnrichedQueryLogQuery ‑ test_default_user_filter
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildEnrichedQueryLogQuery ‑ test_query_structure_with_filter
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_allow_all_with_deny_patterns
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_combined_allow_and_deny_patterns
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_empty_patterns_returns_true
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_multiple_allow_all_patterns_with_deny
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_multiple_allow_patterns
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_multiple_deny_patterns
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_multiple_patterns_including_percent
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_multiple_single_quotes
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_only_deny_patterns
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_parentheses_balanced
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_percent_only_in_allow
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_service_account_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_single_allow_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_single_deny_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_single_quote_escaping
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_sql_injection_attempt_semicolon
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_sql_injection_in_deny_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_sql_injection_union_attack
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_sql_injection_with_multiple_quotes
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_sql_injection_with_quote_breakout
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_unicode_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_very_long_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestBuildUserFilter ‑ test_wildcard_pattern
tests.unit.bigquery.test_bigquery_queries_extractor.TestEscapeForSqlLike ‑ test_multiple_single_quotes
tests.unit.bigquery.test_bigquery_queries_extractor.TestEscapeForSqlLike ‑ test_no_escaping_needed
tests.unit.bigquery.test_bigquery_queries_extractor.TestEscapeForSqlLike ‑ test_percent_preserved
tests.unit.bigquery.test_bigquery_queries_extractor.TestEscapeForSqlLike ‑ test_single_quote_escaped
tests.unit.bigquery.test_bigquery_queries_extractor.TestEscapeForSqlLike ‑ test_underscore_preserved
tests.unit.bigquery.test_bigquery_queries_extractor.TestFetchRegionQueryLogWithPushdown ‑ test_empty_pushdown_patterns_uses_true_filter
tests.unit.bigquery.test_bigquery_queries_extractor.TestFetchRegionQueryLogWithPushdown ‑ test_only_allow_patterns_builds_filter
tests.unit.bigquery.test_bigquery_queries_extractor.TestFetchRegionQueryLogWithPushdown ‑ test_only_deny_patterns_builds_filter
tests.unit.bigquery.test_bigquery_queries_extractor.TestFetchRegionQueryLogWithPushdown ‑ test_pushdown_with_patterns_builds_filter_and_logs
tests.unit.bigquery.test_bigquery_queries_extractor.TestIntegration ‑ test_full_flow_with_allow_deny_patterns
tests.unit.bigquery.test_bigquery_queries_extractor.TestIntegration ‑ test_no_filter_produces_valid_query
tests.unit.bigquery.test_bigquery_queries_extractor.TestIntegration ‑ test_security_sql_injection_in_full_flow
tests.unit.bigquery.test_bigquery_queries_extractor.TestIsAllowAllPattern ‑ test_empty_list_is_allow_all
tests.unit.bigquery.test_bigquery_queries_extractor.TestIsAllowAllPattern ‑ test_multiple_patterns_not_allow_all
tests.unit.bigquery.test_bigquery_queries_extractor.TestIsAllowAllPattern ‑ test_multiple_percent_is_allow_all
tests.unit.bigquery.test_bigquery_queries_extractor.TestIsAllowAllPattern ‑ test_percent_is_allow_all
tests.unit.bigquery.test_bigquery_queries_extractor.TestIsAllowAllPattern ‑ test_specific_pattern_not_allow_all
tests.unit.bigquery.test_bigquery_source ‑ test_bigquery_config_deprecated_schema_pattern
tests.unit.bigquery.test_bigquery_source ‑ test_bigquery_dataset_pattern
tests.unit.bigquery.test_bigquery_source ‑ test_bigquery_filter_is_dataset_allowed
tests.unit.bigquery.test_bigquery_source ‑ test_bigquery_uri
tests.unit.bigquery.test_bigquery_source ‑ test_bigquery_uri_on_behalf
tests.unit.bigquery.test_bigquery_source ‑ test_bigquery_uri_with_credential
tests.unit.bigquery.test_bigquery_source ‑ test_calculate_dynamic_batch_size[100-150-200-medium dataset - 2x scaling]
tests.unit.bigquery.test_bigquery_source ‑ test_calculate_dynamic_batch_size[100-50-100-small dataset - no scaling]
tests.unit.bigquery.test_bigquery_source ‑ test_calculate_dynamic_batch_size[100-500-300-large dataset - 3x scaling]
tests.unit.bigquery.test_bigquery_source ‑ test_calculate_dynamic_batch_size[200-300-500-high base - respects cap]
tests.unit.bigquery.test_bigquery_source ‑ test_default_config_for_excluding_projects_and_datasets
tests.unit.bigquery.test_bigquery_source ‑ test_excluding_empty_projects_from_ingestion
tests.unit.bigquery.test_bigquery_source ‑ test_extract_base_table_name
tests.unit.bigquery.test_bigquery_source ‑ test_gen_snapshot_dataset_workunits
tests.unit.bigquery.test_bigquery_source ‑ test_gen_table_dataset_workunits
tests.unit.bigquery.test_bigquery_source ‑ test_gen_view_dataset_workunits
tests.unit.bigquery.test_bigquery_source ‑ test_get_dataplatform_instance_aspect_returns_project_id
tests.unit.bigquery.test_bigquery_source ‑ test_get_dataplatform_instance_default_no_instance
tests.unit.bigquery.test_bigquery_source ‑ test_get_datasets_for_project_id_with_timestamps
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_by_list
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_filter_by_pattern
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_list_empty
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_list_failure
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_list_fully_filtered
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_with_project_ids
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_with_project_ids_overrides_project_id_pattern
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_with_project_labels
tests.unit.bigquery.test_bigquery_source ‑ test_get_projects_with_single_project_id
tests.unit.bigquery.test_bigquery_source ‑ test_get_snapshots_for_dataset
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[2023-None-2023]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[20231215-None-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[project.dataset.2023-project.dataset.2023-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[project.dataset.20231215-project.dataset.20231215-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[project.dataset.table-project.dataset.table-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[project.dataset.table_2023-project.dataset.table-2023]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[project.dataset.table_20231215-project.dataset.table-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[table-table-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[table_1624046611-table-1624046611]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[table_1624046611000-table_1624046611000-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[table_1624046611000_name-table_1624046611000_name-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[table_2023-table-2023]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_custom_shard_pattern[table_20231215-table-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[20231215-None-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[project.dataset.20231215-project.dataset.20231215-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[project.dataset.table-project.dataset.table-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[project.dataset.table_2023-project.dataset.table_2023-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[project.dataset.table_20231215-project.dataset.table-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[project1.dataset2.20231215-project1.dataset2.20231215-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table-table-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table20231215-table-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table220231215-table220231215-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table2_20231215-table2-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table_1624046611000-table_1624046611000-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table_1624046611000_name-table_1624046611000_name-None]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_default[table_20231215-table-20231215]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_and_shard_extracts_base_name_correctly
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.20230112-project.dataset.dataset]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table20231215-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@-3600000--1800000-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@-3600000--project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@-3600000-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@-9600-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@1624046611000--project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@1624046611000-1612046611000-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table@1624046611000-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table_*-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table_1624046611000-project.dataset.table_1624046611000]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table_1624046611000_name-project.dataset.table_1624046611000_name]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table_2023*-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table_202301*-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_table_name[project.dataset.table_20231215-project.dataset.table]
tests.unit.bigquery.test_bigquery_source ‑ test_get_views_for_dataset
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[123-99-True]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[20231231-20240101-False]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[20240101-20240101-False]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[20240101-20240102-False]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[20240102-20240101-True]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[99-123-False]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[aaa-abc-False]
tests.unit.bigquery.test_bigquery_source ‑ test_is_shard_newer[abc-aaa-True]
tests.unit.bigquery.test_bigquery_source ‑ test_numeric_shard_comparison[20230101-2024-True-mixed length numeric - 20230101 > 2024 numerically]
tests.unit.bigquery.test_bigquery_source ‑ test_numeric_shard_comparison[20230102-20230101-True-same length YYYYMMDD - numeric comparison]
tests.unit.bigquery.test_bigquery_source ‑ test_numeric_shard_comparison[2024-20230101-False-mixed length numeric - 2024 < 20230101 numerically]
tests.unit.bigquery.test_bigquery_source ‑ test_numeric_shard_comparison[20240101-20231231-True-year boundary - numeric comparison]
tests.unit.bigquery.test_bigquery_source ‑ test_numeric_shard_comparison[abc_v2-abc_v1-True-non-numeric - lexicographic comparison]
tests.unit.bigquery.test_bigquery_source ‑ test_platform_instance_config_always_none
tests.unit.bigquery.test_bigquery_source ‑ test_shard_pattern_matching_with_dependency_injection
tests.unit.bigquery.test_bigquery_source ‑ test_shard_pattern_respects_case_insensitivity[TABLE_20240101]
tests.unit.bigquery.test_bigquery_source ‑ test_shard_pattern_respects_case_insensitivity[Table_20240101]
tests.unit.bigquery.test_bigquery_source ‑ test_shard_pattern_respects_case_insensitivity[table_20240101]
tests.unit.bigquery.test_bigquery_source ‑ test_simple_upstream_table_generation
tests.unit.bigquery.test_bigquery_source ‑ test_table_processing_logic
tests.unit.bigquery.test_bigquery_source ‑ test_table_processing_logic_date_named_tables
tests.unit.bigquery.test_bigquery_source ‑ test_upstream_table_column_lineage_with_temp_table
tests.unit.bigquery.test_bigquery_source ‑ test_upstream_table_generation_with_temporary_table_with_multiple_temp_upstream
tests.unit.bigquery.test_bigquery_source ‑ test_upstream_table_generation_with_temporary_table_without_temp_upstream
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_basic
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_camel_case_dataset
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_camel_case_table
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_camel_case_table_and_dataset
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_camel_case_table_and_dataset_joins
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_camel_case_table_and_dataset_joins_and_subquery
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_camel_case_table_and_dataset_subquery
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_create_or_replace_view_name_with_hyphens_is_accepted
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_cte_alias_as_keyword_is_accepted
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_from_as_column_name_is_accepted
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_hash_as_comment_sign_is_accepted
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_keyword_admin_is_accepted
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_keyword_data_is_accepted
tests.unit.bigquery.test_bigquery_sql_lineage ‑ test_bigquery_sql_lineage_source_table_name_with_hyphens_is_accepted
tests.unit.bigquery.test_bigquery_usage ‑ test_get_tables_from_query
tests.unit.bigquery.test_bigquery_usage ‑ test_operational_stats
tests.unit.bigquery.test_bigquery_usage ‑ test_usage_counts_multiple_buckets_and_resources_no_view_usage
tests.unit.bigquery.test_bigquery_usage ‑ test_usage_counts_multiple_buckets_and_resources_view_usage
tests.unit.bigquery.test_bigquery_usage ‑ test_usage_counts_no_columns
tests.unit.bigquery.test_bigquery_usage ‑ test_usage_counts_no_columns_and_top_n_limit_hit
tests.unit.bigquery.test_bigquery_usage ‑ test_usage_counts_no_query_event
tests.unit.bigquery.test_bigquery_usage ‑ test_usage_counts_single_bucket_resource_project
tests.unit.bigquery.test_bigqueryv2_usage_source ‑ test_bigquery_table_sanitasitation
tests.unit.bigquery.test_bigqueryv2_usage_source ‑ test_bigqueryv2_filters
tests.unit.bigquery.test_bigqueryv2_usage_source ‑ test_bigqueryv2_uri_with_credential
tests.unit.bigquery.test_bigqueryv2_usage_source ‑ test_unquote_and_decode_unicode_escape_seq
tests.unit.bigquery.test_bq_get_partition_range ‑ test_get_partition_range_from_partition_id
tests.unit.cli.assertion.test_compile ‑ test_compile_assertion_config_spec_for_snowflake
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_complex_types_in_schema
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_dataset_file_command_exists
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_dry_run_sync
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_dry_run_sync_fail_bad_type
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_dry_run_sync_fail_missing_ref
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_error_handling
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_lint_check_no_issues
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_lint_check_with_issues
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_lint_fix
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_multiple_datasets_in_file
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_run_sync
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_run_sync_fail
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_run_upsert_fail
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_sync_from_datahub_fail
tests.unit.cli.dataset.test_dataset_cmd.TestDatasetCli ‑ test_temporary_file_cleanup
tests.unit.cli.docker.test_docker_check ‑ test_check_upgrade_supported_legacy_version
tests.unit.cli.docker.test_docker_check ‑ test_check_upgrade_supported_matching_services
tests.unit.cli.docker.test_docker_check ‑ test_check_upgrade_supported_mismatched_services
tests.unit.cli.docker.test_docker_check ‑ test_check_upgrade_supported_mismatched_volumes
tests.unit.cli.docker.test_docker_check ‑ test_check_upgrade_supported_no_containers
tests.unit.cli.docker.test_docker_check ‑ test_run_quickstart_preflight_checks_insufficient_disk_space
tests.unit.cli.docker.test_docker_check ‑ test_run_quickstart_preflight_checks_insufficient_memory
tests.unit.cli.docker.test_docker_check ‑ test_run_quickstart_preflight_checks_success
tests.unit.cli.docker.test_docker_cli ‑ test_check_healthy
tests.unit.cli.docker.test_docker_cli ‑ test_check_missing_containers
tests.unit.cli.docker.test_docker_cli ‑ test_check_unhealthy
tests.unit.cli.docker.test_docker_cli ‑ test_check_upgrade_and_show_instructions_upgrade_not_supported
tests.unit.cli.docker.test_docker_cli ‑ test_check_upgrade_and_show_instructions_upgrade_not_supported_repair
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_not_installed
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_plugin_v2
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_plugin_v2_with_v_prefix
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_plugin_v5
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_reject_v1_plugin
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_reject_v1_standalone
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_reject_v1_with_v_prefix
tests.unit.cli.docker.test_docker_cli ‑ test_docker_compose_v2_standalone_v2
tests.unit.cli.docker.test_docker_cli ‑ test_download_compose_files_404_error
tests.unit.cli.docker.test_docker_cli ‑ test_get_github_file_url_custom_base
tests.unit.cli.docker.test_docker_cli ‑ test_get_github_file_url_default
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_forced_not_a_version_tag
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_forced_stable
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_get_older_version
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_version_config
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_version_config_default
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_version_config_stable
tests.unit.cli.docker.test_quickstart_version_mapping ‑ test_quickstart_version_older_than_v1_2_0_uses_commit_hash
tests.unit.cli.test_check ‑ test_check_local_docker
tests.unit.cli.test_check ‑ test_cli_help
tests.unit.cli.test_check ‑ test_cli_version
tests.unit.cli.test_check_upgrade ‑ test_cloud_server_skips_version_warnings
tests.unit.cli.test_check_upgrade ‑ test_get_days
tests.unit.cli.test_check_upgrade ‑ test_is_client_server_compatible
tests.unit.cli.test_check_upgrade ‑ test_is_server_default_cli_ahead
tests.unit.cli.test_check_upgrade ‑ test_non_cloud_server_shows_version_warnings
tests.unit.cli.test_check_upgrade ‑ test_safe_version_stats
tests.unit.cli.test_cli_utils ‑ test_correct_url_when_gms_host_and_port_set
tests.unit.cli.test_cli_utils ‑ test_correct_url_when_gms_host_in_old_format
tests.unit.cli.test_cli_utils ‑ test_correct_url_when_gms_host_port_url_protocol_set
tests.unit.cli.test_cli_utils ‑ test_correct_url_when_gms_host_port_url_set
tests.unit.cli.test_cli_utils ‑ test_correct_url_when_url_set
tests.unit.cli.test_cli_utils ‑ test_first_non_null
tests.unit.cli.test_cli_utils ‑ test_fixup_gms_url
tests.unit.cli.test_cli_utils ‑ test_guess_frontend_url_from_gms_url
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_ensure_datahub_config
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_get_config_from_env
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_get_raw_client_config
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_get_system_auth
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_load_client_config_from_env
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_load_client_config_from_file
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_load_client_config_missing
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_persist_raw_datahub_config
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_require_config_from_env
tests.unit.cli.test_config_utils.TestConfigUtils ‑ test_write_gms_config
tests.unit.cli.test_graphql_cli.TestAdvancedJSONOutputFormatting ‑ test_convert_describe_to_json_with_none_inputs
tests.unit.cli.test_graphql_cli.TestAdvancedJSONOutputFormatting ‑ test_dict_to_graphql_input_edge_cases
tests.unit.cli.test_graphql_cli.TestAdvancedJSONOutputFormatting ‑ test_json_output_with_special_characters
tests.unit.cli.test_graphql_cli.TestAdvancedJSONOutputFormatting ‑ test_operation_list_conversion_with_empty_schema
tests.unit.cli.test_graphql_cli.TestCLIArgumentValidationAndEdgeCases ‑ test_invalid_operation_name_handling
tests.unit.cli.test_graphql_cli.TestCLIArgumentValidationAndEdgeCases ‑ test_output_format_validation_edge_cases
tests.unit.cli.test_graphql_cli.TestCLIArgumentValidationAndEdgeCases ‑ test_parse_variables_empty_input
tests.unit.cli.test_graphql_cli.TestCLIArgumentValidationAndEdgeCases ‑ test_parse_variables_malformed_json
tests.unit.cli.test_graphql_cli.TestCLIFilePathHandling ‑ test_graphql_query_with_file_path
tests.unit.cli.test_graphql_cli.TestCLIFilePathHandling ‑ test_graphql_variables_with_file_path
tests.unit.cli.test_graphql_cli.TestCLIOutputFormatting ‑ test_human_output_format
tests.unit.cli.test_graphql_cli.TestCLIOutputFormatting ‑ test_json_output_format
tests.unit.cli.test_graphql_cli.TestCLIOutputFormatting ‑ test_no_pretty_flag_handling
tests.unit.cli.test_graphql_cli.TestComplexTypeResolutionScenarios ‑ test_deeply_nested_type_resolution
tests.unit.cli.test_graphql_cli.TestComplexTypeResolutionScenarios ‑ test_fetch_type_recursive_with_visited_set
tests.unit.cli.test_graphql_cli.TestComplexTypeResolutionScenarios ‑ test_type_conversion_edge_cases
tests.unit.cli.test_graphql_cli.TestComplexTypeResolutionScenarios ‑ test_unknown_type_kind_handling
tests.unit.cli.test_graphql_cli.TestCoverageImprovementTargets ‑ test_parse_graphql_operations_file_not_found_error
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_describe_operation
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_execution_error
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_list_operations
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_no_arguments
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_no_pretty_output
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_operation_execution_with_mock_error
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_query_from_file
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_query_from_nonexistent_relative_path
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_query_from_relative_path
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_query_with_variables
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_raw_query
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_variables_from_file
tests.unit.cli.test_graphql_cli.TestGraphQLCommand ‑ test_graphql_variables_from_relative_path
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_find_operation_by_name_in_mutations
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_find_operation_by_name_in_queries
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_find_operation_by_name_not_found
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_graphql_type_complex
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_graphql_type_list
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_graphql_type_non_null
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_graphql_type_simple
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_operation_details
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_operation_details_no_args
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_operation_list_empty
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_operation_list_with_operations
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_format_operation_list_without_descriptions
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_absolute_paths
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_existing_file
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_graphql_content
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_json_files
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_non_existing_file
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_relative_paths
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_is_file_path_with_short_strings
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_load_content_or_file_error_handling
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_load_content_or_file_with_absolute_paths
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_load_content_or_file_with_file
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_load_content_or_file_with_literal
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_load_content_or_file_with_relative_paths
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_parse_variables_from_file
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_parse_variables_with_invalid_json
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_parse_variables_with_none
tests.unit.cli.test_graphql_cli.TestHelperFunctions ‑ test_parse_variables_with_valid_json

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 1339 to 1944)

There are 7547 tests, see "Raw output" for the list of tests 1339 to 1944.
Raw output
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_describe_to_json_all_none
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_describe_to_json_operation_only
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_describe_to_json_type_only
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_describe_to_json_with_related_types
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_operation_to_json
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_operation_to_json_no_args
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_operations_list_to_json
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_operations_list_to_json_empty_schema
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_details_to_json_enum
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_details_to_json_input_object
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_to_json_complex
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_to_json_empty
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_to_json_list
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_to_json_non_null
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_convert_type_to_json_simple
tests.unit.cli.test_graphql_cli.TestJSONOutputFormatting ‑ test_json_formatting_preserves_structure
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_both_queries_and_mutations_list
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_describe_mode
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_list_mutations_mode
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_list_operations_mode
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_list_queries_mode
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_operation_execution_mode
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_query_execution_mode
tests.unit.cli.test_graphql_cli.TestMainCLIFunction ‑ test_graphql_with_custom_schema_path
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_dict_to_graphql_input_complex_lists
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_dict_to_graphql_input_nested
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_dict_to_graphql_input_non_dict
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_dict_to_graphql_input_simple
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_boolean_handling
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_complex_variables
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_entity_operations
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_list_operations
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_missing_required_args
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_mutation
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_simple
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_string_escaping
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_with_optional_args
tests.unit.cli.test_graphql_cli.TestOperationGenerationAndQueryBuilding ‑ test_generate_operation_query_with_required_args
tests.unit.cli.test_graphql_cli.TestSchemaFileHandling ‑ test_parse_graphql_operations_from_files_error_fallback
tests.unit.cli.test_graphql_cli.TestSchemaFileHandling ‑ test_parse_graphql_operations_from_files_fallback_on_error
tests.unit.cli.test_graphql_cli.TestSchemaFileHandling ‑ test_parse_graphql_operations_from_files_nonexistent_custom_path
tests.unit.cli.test_graphql_cli.TestSchemaFileHandling ‑ test_parse_graphql_operations_from_files_with_custom_path
tests.unit.cli.test_graphql_cli.TestSchemaFileHandling ‑ test_parse_operations_from_content
tests.unit.cli.test_graphql_cli.TestSchemaFileHandling ‑ test_parse_operations_from_content_with_keywords
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_collect_nested_types
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_collect_nested_types_with_visited
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_extract_base_type_name_empty
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_extract_base_type_name_list
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_extract_base_type_name_nested_wrappers
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_extract_base_type_name_non_null
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_extract_base_type_name_simple
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_fetch_type_recursive
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_fetch_type_recursive_circular_reference
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_fetch_type_recursive_error_handling
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_find_type_by_name
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_find_type_by_name_error
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_find_type_by_name_not_found
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_format_recursive_types
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_format_recursive_types_root_type_missing
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_format_single_type_fields_empty
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_format_single_type_fields_enum
tests.unit.cli.test_graphql_cli.TestTypeIntrospectionAndRecursiveExploration ‑ test_format_single_type_fields_input_object
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_basic_setup_with_cli_password
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_cli_output_path_override
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_cli_password_takes_precedence_over_recipe
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_default_sink_type
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_enabled_always_set_to_true
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_env_var_password_fallback
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_invalid_config_validation_error
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_missing_password_error
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_no_s3_upload_flag
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_no_secret_redaction_flag
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_recipe_config_preserved_in_raw_config
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_recipe_password_when_no_cli_or_env
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_run_id_from_config
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_run_id_generation
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_run_id_generation_with_unknown_source
tests.unit.cli.test_ingest_cli.TestSetupRecording ‑ test_s3_upload_with_output_path
tests.unit.cli.test_init_cli.TestAutoDetectionAndDeprecation ‑ test_init_auto_detect_token_generation
tests.unit.cli.test_init_cli.TestAutoDetectionAndDeprecation ‑ test_init_use_password_deprecated
tests.unit.cli.test_init_cli.TestBackwardCompatibility ‑ test_interactive_mode_password_flow
tests.unit.cli.test_init_cli.TestBackwardCompatibility ‑ test_interactive_mode_token_flow
tests.unit.cli.test_init_cli.TestBackwardCompatibility ‑ test_partial_args_prompts_for_missing
tests.unit.cli.test_init_cli.TestNonInteractiveCLIFlags ‑ test_init_force_overwrite
tests.unit.cli.test_init_cli.TestNonInteractiveCLIFlags ‑ test_init_with_password_args
tests.unit.cli.test_init_cli.TestNonInteractiveCLIFlags ‑ test_init_with_token_args
tests.unit.cli.test_init_cli.TestNonInteractiveCLIFlags ‑ test_init_without_force_prompts
tests.unit.cli.test_init_cli.TestNonInteractiveEnvVars ‑ test_cli_args_override_env_vars
tests.unit.cli.test_init_cli.TestNonInteractiveEnvVars ‑ test_init_with_env_vars
tests.unit.cli.test_init_cli.TestNonInteractiveEnvVars ‑ test_init_with_password_env_vars
tests.unit.cli.test_init_cli.TestRealWorldScenarios ‑ test_agent_scenario_cli_args
tests.unit.cli.test_init_cli.TestRealWorldScenarios ‑ test_agent_scenario_env_vars
tests.unit.cli.test_init_cli.TestRealWorldScenarios ‑ test_ci_cd_scenario
tests.unit.cli.test_init_cli.TestTokenDuration ‑ test_init_case_insensitive_duration
tests.unit.cli.test_init_cli.TestTokenDuration ‑ test_init_default_duration_one_hour
tests.unit.cli.test_init_cli.TestTokenDuration ‑ test_init_env_vars_with_duration
tests.unit.cli.test_init_cli.TestTokenDuration ‑ test_init_with_custom_token_duration
tests.unit.cli.test_init_cli.TestTokenDuration ‑ test_init_with_no_expiry_duration
tests.unit.cli.test_init_cli.TestTokenDuration ‑ test_init_with_password_flag_and_duration
tests.unit.cli.test_init_cli.TestURLHandling ‑ test_gms_url_fixup
tests.unit.cli.test_init_cli.TestValidation ‑ test_validation_password_without_username
tests.unit.cli.test_init_cli.TestValidation ‑ test_validation_token_and_password
tests.unit.cli.test_init_cli.TestValidation ‑ test_validation_token_and_username_password
tests.unit.cli.test_init_cli.TestValidation ‑ test_validation_token_duration_without_credentials
tests.unit.cli.test_init_cli.TestValidation ‑ test_validation_username_without_password
tests.unit.cli.user.test_user_cli.TestCreateNativeUserInDatahub ‑ test_email_as_user_id
tests.unit.cli.user.test_user_cli.TestCreateNativeUserInDatahub ‑ test_invalid_role
tests.unit.cli.user.test_user_cli.TestCreateNativeUserInDatahub ‑ test_operational_error
tests.unit.cli.user.test_user_cli.TestCreateNativeUserInDatahub ‑ test_successful_user_creation
tests.unit.cli.user.test_user_cli.TestCreateNativeUserInDatahub ‑ test_successful_user_creation_with_role
tests.unit.cli.user.test_user_cli.TestCreateNativeUserInDatahub ‑ test_user_already_exists
tests.unit.cli.user.test_user_cli.TestValidateUserIdOptions ‑ test_error_when_both_provided
tests.unit.cli.user.test_user_cli.TestValidateUserIdOptions ‑ test_error_when_neither_provided
tests.unit.cli.user.test_user_cli.TestValidateUserIdOptions ‑ test_valid_with_email_as_id
tests.unit.cli.user.test_user_cli.TestValidateUserIdOptions ‑ test_valid_with_user_id
tests.unit.config.test_allow_deny ‑ test_allow_all
tests.unit.config.test_allow_deny ‑ test_case_sensitivity
tests.unit.config.test_allow_deny ‑ test_default_deny
tests.unit.config.test_allow_deny ‑ test_deny_all
tests.unit.config.test_allow_deny ‑ test_fully_speced
tests.unit.config.test_allow_deny ‑ test_is_allowed
tests.unit.config.test_allow_deny ‑ test_prefix_match
tests.unit.config.test_allow_deny ‑ test_single_table
tests.unit.config.test_config_clean ‑ test_remove_protocol_http
tests.unit.config.test_config_clean ‑ test_remove_protocol_http_accidental_multiple
tests.unit.config.test_config_clean ‑ test_remove_protocol_https
tests.unit.config.test_config_clean ‑ test_remove_suffix
tests.unit.config.test_config_clean ‑ test_url_with_multiple_slashes
tests.unit.config.test_config_clean ‑ test_url_with_suffix
tests.unit.config.test_config_clean ‑ test_url_without_slash_suffix
tests.unit.config.test_config_enum ‑ test_config_enum
tests.unit.config.test_config_loader ‑ test_load_error[tests/unit/config/bad_complex_variable_expansion.yml-env3-MissingClosingBrace]
tests.unit.config.test_config_loader ‑ test_load_error[tests/unit/config/bad_extension.whatevenisthis-env2-ConfigurationError]
tests.unit.config.test_config_loader ‑ test_load_error[tests/unit/config/bad_variable_expansion.yml-env0-ParameterNullOrNotSet]
tests.unit.config.test_config_loader ‑ test_load_error[tests/unit/config/this_file_does_not_exist.yml-env1-ConfigurationError]
tests.unit.config.test_config_loader ‑ test_load_strict_env_syntax
tests.unit.config.test_config_loader ‑ test_load_success[tests/unit/config/basic.toml-golden_config1-env1-None]
tests.unit.config.test_config_loader ‑ test_load_success[tests/unit/config/basic.yml-golden_config0-env0-referenced_env_vars0]
tests.unit.config.test_config_loader ‑ test_load_success[tests/unit/config/complex_variable_expansion.yml-golden_config3-env3-referenced_env_vars3]
tests.unit.config.test_config_loader ‑ test_load_success[tests/unit/config/simple_variable_expansion.yml-golden_config2-env2-referenced_env_vars2]
tests.unit.config.test_config_loader ‑ test_write_file_directive
tests.unit.config.test_config_model ‑ test_config_redaction
tests.unit.config.test_config_model ‑ test_config_redaction_2
tests.unit.config.test_config_model ‑ test_default_object_copy
tests.unit.config.test_config_model ‑ test_extras_allowed
tests.unit.config.test_config_model ‑ test_extras_not_allowed
tests.unit.config.test_config_model ‑ test_shared_defaults
tests.unit.config.test_connection_resolver ‑ test_auto_connection_resolver
tests.unit.config.test_datetime_parser ‑ test_user_time_parser
tests.unit.config.test_key_value_pattern ‑ test_basic_pattern
tests.unit.config.test_key_value_pattern ‑ test_empty_pattern
tests.unit.config.test_key_value_pattern ‑ test_fallthrough_pattern
tests.unit.config.test_key_value_pattern ‑ test_fullmatch_mix_pattern
tests.unit.config.test_key_value_pattern ‑ test_fullmatch_pattern
tests.unit.config.test_key_value_pattern ‑ test_no_fallthrough_pattern
tests.unit.config.test_key_value_pattern ‑ test_regex_pattern
tests.unit.config.test_nested_secrets.TestConfigLoggingMasking ‑ test_config_secrets_masked_at_all_log_levels
tests.unit.config.test_nested_secrets.TestConfigLoggingMasking ‑ test_config_secrets_masked_in_logs
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_dict_of_nested_configs
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_direct_secret_field
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_empty_secret_not_registered
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_list_of_nested_configs
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_mixed_direct_and_nested_secrets
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_multiple_levels_of_nesting
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_nested_secret_field
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_none_nested_config_handled
tests.unit.config.test_nested_secrets.TestNestedSecretRegistration ‑ test_real_world_unity_catalog_scenario
tests.unit.config.test_pydantic_validators ‑ test_field_deprecated
tests.unit.config.test_pydantic_validators ‑ test_field_multiple_fields_rename
tests.unit.config.test_pydantic_validators ‑ test_field_remove
tests.unit.config.test_pydantic_validators ‑ test_field_rename
tests.unit.config.test_pydantic_validators ‑ test_multiline_string_fixer
tests.unit.config.test_time_window_config ‑ test_absolute_start_time
tests.unit.config.test_time_window_config ‑ test_default_start_end_time
tests.unit.config.test_time_window_config ‑ test_default_start_end_time_hour_bucket_duration
tests.unit.config.test_time_window_config ‑ test_invalid_relative_start_time
tests.unit.config.test_time_window_config ‑ test_relative_start_time
tests.unit.config.test_transparent_secret_str.TestEdgeCases ‑ test_empty_string_serializes
tests.unit.config.test_transparent_secret_str.TestEdgeCases ‑ test_excluded_field_not_in_dump
tests.unit.config.test_transparent_secret_str.TestEdgeCases ‑ test_excluded_field_still_accessible
tests.unit.config.test_transparent_secret_str.TestEdgeCases ‑ test_optional_none
tests.unit.config.test_transparent_secret_str.TestEdgeCases ‑ test_optional_with_value
tests.unit.config.test_transparent_secret_str.TestMaskingPreservation ‑ test_model_repr_masked
tests.unit.config.test_transparent_secret_str.TestMaskingPreservation ‑ test_repr_masked
tests.unit.config.test_transparent_secret_str.TestMaskingPreservation ‑ test_str_masked
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_dict_nested_masked
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_direct_field_masked
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_list_nested_masked
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_mixed_secrets_masked
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_nested_field_masked
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_optional_none_in_redacted
tests.unit.config.test_transparent_secret_str.TestModelDumpRedacted ‑ test_optional_present_in_redacted
tests.unit.config.test_transparent_secret_str.TestSecretRegistration ‑ test_collect_secrets_finds_transparent
tests.unit.config.test_transparent_secret_str.TestSecretRegistration ‑ test_direct_field_registered
tests.unit.config.test_transparent_secret_str.TestSecretRegistration ‑ test_empty_secret_not_registered
tests.unit.config.test_transparent_secret_str.TestSecretRegistration ‑ test_nested_field_registered
tests.unit.config.test_transparent_secret_str.TestSerializationFidelity ‑ test_json_dumps_model_dump_no_typeerror
tests.unit.config.test_transparent_secret_str.TestSerializationFidelity ‑ test_model_dump_json_returns_unmasked
tests.unit.config.test_transparent_secret_str.TestSerializationFidelity ‑ test_model_dump_mode_json
tests.unit.config.test_transparent_secret_str.TestSerializationFidelity ‑ test_model_dump_returns_plain_str
tests.unit.config.test_transparent_secret_str.TestSerializationFidelity ‑ test_nested_json_dumps_roundtrip
tests.unit.config.test_transparent_secret_str.TestSerializationFidelity ‑ test_nested_model_dump_returns_plain_str
tests.unit.config.test_transparent_secret_str.TestTransportFidelity ‑ test_dict_roundtrip
tests.unit.config.test_transparent_secret_str.TestTransportFidelity ‑ test_nested_dict_roundtrip
tests.unit.config.test_transparent_secret_str.TestTypeIdentity ‑ test_accepts_secret_str_input
tests.unit.config.test_transparent_secret_str.TestTypeIdentity ‑ test_get_secret_value
tests.unit.config.test_transparent_secret_str.TestTypeIdentity ‑ test_isinstance_secret_str
tests.unit.configuration.test_env_vars ‑ test_is_ci_false_when_no_indicators
tests.unit.configuration.test_env_vars ‑ test_is_ci_false_with_github_actions_not_true
tests.unit.configuration.test_env_vars ‑ test_is_ci_false_with_invalid_ci_value
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_ci_1
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_ci_and_github_actions_both_true
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_ci_mixed_case
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_ci_true
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_ci_yes
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_empty_ci_value
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_github_actions
tests.unit.configuration.test_env_vars ‑ test_is_ci_with_github_actions_fallback
tests.unit.configuration.test_hide_input_in_errors ‑ test_connection_model_hides_input_when_debug_disabled
tests.unit.configuration.test_hide_input_in_errors ‑ test_hide_input_in_errors_when_debug_disabled
tests.unit.configuration.test_hide_input_in_errors ‑ test_show_input_in_errors_when_debug_enabled
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_add_partition_columns_basic[partition_keys0-expected_field_paths0]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_add_partition_columns_basic[partition_keys1-expected_field_paths1]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_add_partition_columns_basic[partition_keys2-expected_field_paths2]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_add_partition_columns_basic[partition_keys3-expected_field_paths3]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_empty_fields_list
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_fieldpath_version_detection[existing_fields0-False]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_fieldpath_version_detection[existing_fields1-True]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_fieldpath_version_detection[existing_fields2-True]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_fieldpath_version_detection[existing_fields3-False]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_no_partitions_detected[None]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_no_partitions_detected[partition_result1]
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_preserves_existing_fields
tests.unit.data_lake.test_data_lake_utils.TestAddPartitionColumnsToSchema ‑ test_real_world_complex_partition_scenario
tests.unit.data_lake.test_object_store ‑ test_abs_https_uri_parsing[https://account.blob.core.windows.net/container-container-]
tests.unit.data_lake.test_object_store ‑ test_abs_https_uri_parsing[https://account.blob.core.windows.net/container/-container-]
tests.unit.data_lake.test_object_store ‑ test_abs_https_uri_parsing[https://account.blob.core.windows.net/container/path/file.txt-container-path/file.txt]
tests.unit.data_lake.test_object_store ‑ test_abs_https_uri_parsing[https://mystorageaccount.blob.core.windows.net/data/2023/logs/app.log-data-2023/logs/app.log]
tests.unit.data_lake.test_object_store ‑ test_abs_https_uri_parsing[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-settler-import_export_services/message_data_randomized.csv]
tests.unit.data_lake.test_object_store ‑ test_gcs_prefix_stripping[-]
tests.unit.data_lake.test_object_store ‑ test_gcs_prefix_stripping[gs://bucket/-bucket/]
tests.unit.data_lake.test_object_store ‑ test_gcs_prefix_stripping[gs://bucket/nested/path/file.json-bucket/nested/path/file.json]
tests.unit.data_lake.test_object_store ‑ test_gcs_prefix_stripping[gs://bucket/path/to/file.parquet-bucket/path/to/file.parquet]
tests.unit.data_lake.test_object_store ‑ test_gcs_prefix_stripping[s3://bucket/path/to/file.parquet-s3://bucket/path/to/file.parquet]
tests.unit.data_lake.test_object_store ‑ test_gcs_uri_normalization_for_pattern_matching[-]
tests.unit.data_lake.test_object_store ‑ test_gcs_uri_normalization_for_pattern_matching[gs://bucket/-s3://bucket/]
tests.unit.data_lake.test_object_store ‑ test_gcs_uri_normalization_for_pattern_matching[gs://bucket/nested/path/file.json-s3://bucket/nested/path/file.json]
tests.unit.data_lake.test_object_store ‑ test_gcs_uri_normalization_for_pattern_matching[gs://bucket/path/to/file.parquet-s3://bucket/path/to/file.parquet]
tests.unit.data_lake.test_object_store ‑ test_gcs_uri_normalization_for_pattern_matching[s3://bucket/path/to/file.parquet-s3://bucket/path/to/file.parquet]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_fallback_bucket_name_resolution[https://account.blob.core.windows.net/container/path-container]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_fallback_bucket_name_resolution[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-settler]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_container_extraction[https://account.blob.core.windows.net/container/path-container]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_container_extraction[https://myaccount123.blob.core.windows.net/data/file.json-data]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_container_extraction[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-settler]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_object_key_extraction[https://account.blob.core.windows.net/container/path-path]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_object_key_extraction[https://myaccount123.blob.core.windows.net/data/file.json-file.json]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_object_key_extraction[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-import_export_services/message_data_randomized.csv]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_prefix_extraction[https://account.blob.core.windows.net/container/path-https://account.blob.core.windows.net/]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_prefix_extraction[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-https://odedmdatacatalog.blob.core.windows.net/]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_uri_detection[https://account.blob.core.windows.net/container/path-True]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_uri_detection[https://example.com/path-False]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_uri_detection[https://google.com/path-False]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_uri_detection[https://myaccount123.blob.core.windows.net/data/file.json-True]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_https_uri_detection[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-True]
tests.unit.data_lake.test_object_store.TestABSHTTPSSupport ‑ test_mixed_format_compatibility
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_bucket_name[abfss://container@account.dfs.core.windows.net/path-container]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_bucket_name[https://account.blob.core.windows.net/container/path-container]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_bucket_name[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-settler]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_bucket_name_invalid_uri
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_object_key[abfss://container@account.dfs.core.windows.net/path-path]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_object_key[abfss://container@account.dfs.core.windows.net/path/to/file.txt-path/to/file.txt]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_object_key[https://account.blob.core.windows.net/container/path-path]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_object_key[https://account.blob.core.windows.net/container/path/to/file.txt-path/to/file.txt]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_object_key[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-import_export_services/message_data_randomized.csv]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_object_key_invalid_uri
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_prefix[abfss://container@account.dfs.core.windows.net/path-abfss://]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_prefix[https://account.blob.core.windows.net/container/path-https://account.blob.core.windows.net/]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_prefix[https://example.com/path-None]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_prefix[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-https://odedmdatacatalog.blob.core.windows.net/]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_get_prefix[s3://bucket/path-None]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_is_uri[abfss://container@account.dfs.core.windows.net/path-True]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_is_uri[gs://bucket/path-False]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_is_uri[https://account.blob.core.windows.net/container/path-True]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_is_uri[https://example.com/path-False]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_is_uri[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-True]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_is_uri[s3://bucket/path-False]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_strip_prefix[abfss://container@account.dfs.core.windows.net/path-container@account.dfs.core.windows.net/path]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_strip_prefix[https://account.blob.core.windows.net/container/path-container/path]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_strip_prefix[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-settler/import_export_services/message_data_randomized.csv]
tests.unit.data_lake.test_object_store.TestABSObjectStore ‑ test_strip_prefix_invalid_uri
tests.unit.data_lake.test_object_store.TestCreateObjectStoreAdapter ‑ test_create_adapter[abs-None-myaccount-abs-Azure Blob Storage]
tests.unit.data_lake.test_object_store.TestCreateObjectStoreAdapter ‑ test_create_adapter[gcs-None-None-gcs-Google Cloud Storage]
tests.unit.data_lake.test_object_store.TestCreateObjectStoreAdapter ‑ test_create_adapter[s3-us-west-2-None-s3-Amazon S3]
tests.unit.data_lake.test_object_store.TestCreateObjectStoreAdapter ‑ test_create_adapter[unknown-None-None-unknown-Unknown (unknown)]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_bucket_name[gs://bucket/path-bucket]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_bucket_name[gs://my-bucket/path/to/file-my-bucket]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_bucket_name_invalid_uri
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_object_key[gs://bucket-]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_object_key[gs://bucket/-]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_object_key[gs://bucket/path-path]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_object_key[gs://bucket/path/to/file.txt-path/to/file.txt]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_object_key_invalid_uri
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_prefix[gs://bucket/path-gs://]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_get_prefix[s3://bucket/path-None]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_is_uri[abfss://container@account.dfs.core.windows.net/path-False]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_is_uri[gs://bucket/path-True]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_is_uri[https://account.blob.core.windows.net/container/path-False]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_is_uri[s3://bucket/path-False]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_strip_prefix[gs://bucket/path-bucket/path]
tests.unit.data_lake.test_object_store.TestGCSObjectStore ‑ test_strip_prefix_invalid_uri
tests.unit.data_lake.test_object_store.TestGCSURINormalization ‑ test_gcs_adapter_applied_to_mock_source
tests.unit.data_lake.test_object_store.TestGCSURINormalization ‑ test_gcs_adapter_customizations
tests.unit.data_lake.test_object_store.TestGCSURINormalization ‑ test_gcs_path_creation_via_adapter
tests.unit.data_lake.test_object_store.TestGCSURINormalization ‑ test_pattern_matching_scenario
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_adapter_initialization
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_apply_customizations
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_create_abs_path[container-path/to/file.txt-storage-abfss://container@storage.dfs.core.windows.net/path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_create_abs_path[data-file.json-myaccount-abfss://data@myaccount.dfs.core.windows.net/file.json]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_create_gcs_path[bucket-path/to/file.txt-gs://bucket/path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_create_gcs_path[my-bucket-file.json-gs://my-bucket/file.json]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_create_s3_path[bucket-path/to/file.txt-s3://bucket/path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_create_s3_path[my-bucket-file.json-s3://my-bucket/file.json]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_abs_external_url[abfss://container@account.dfs.core.windows.net/path/to/file.txt-https://portal.azure.com/#blade/Microsoft_Azure_Storage/ContainerMenuBlade/overview/storageAccountId/account/containerName/container]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_abs_external_url[https://account.blob.core.windows.net/container/path/to/file.txt-https://portal.azure.com/#blade/Microsoft_Azure_Storage/ContainerMenuBlade/overview/storageAccountId/account/containerName/container]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_abs_external_url[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-https://portal.azure.com/#blade/Microsoft_Azure_Storage/ContainerMenuBlade/overview/storageAccountId/odedmdatacatalog/containerName/settler]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_abs_external_url[s3://bucket/path-None]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_external_url[abs-abfss://container@account.dfs.core.windows.net/path/to/file.txt-https://portal.azure.com/#blade/Microsoft_Azure_Storage/ContainerMenuBlade/overview/storageAccountId/account/containerName/container]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_external_url[abs-https://account.blob.core.windows.net/container/path/to/file.txt-https://portal.azure.com/#blade/Microsoft_Azure_Storage/ContainerMenuBlade/overview/storageAccountId/account/containerName/container]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_external_url[gcs-gs://bucket/path/to/file.txt-https://console.cloud.google.com/storage/browser/bucket/path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_external_url[s3-s3://bucket/path/to/file.txt-https://us-east-1.console.aws.amazon.com/s3/buckets/bucket?prefix=path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_gcs_external_url[gs://bucket/path/to/file.txt-https://console.cloud.google.com/storage/browser/bucket/path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_gcs_external_url[s3://bucket/path-None]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_s3_external_url[gs://bucket/path-None-None]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_s3_external_url[s3://bucket/path/to/file.txt-None-https://us-east-1.console.aws.amazon.com/s3/buckets/bucket?prefix=path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_get_s3_external_url[s3://bucket/path/to/file.txt-us-west-2-https://us-west-2.console.aws.amazon.com/s3/buckets/bucket?prefix=path/to/file.txt]
tests.unit.data_lake.test_object_store.TestObjectStoreSourceAdapter ‑ test_register_customization
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_bucket_name[s3://bucket/path-bucket]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_bucket_name[s3a://bucket.name/file.txt-bucket.name]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_bucket_name[s3n://my-bucket/path/to/file-my-bucket]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_bucket_name_invalid_uri
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_object_key[s3://bucket-]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_object_key[s3://bucket/-]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_object_key[s3://bucket/path-path]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_object_key[s3://bucket/path/to/file.txt-path/to/file.txt]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_object_key_invalid_uri
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_prefix[gs://bucket/path-None]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_prefix[s3://bucket/path-s3://]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_prefix[s3a://bucket/path-s3a://]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_get_prefix[s3n://bucket/path-s3n://]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[abfss://container@account.dfs.core.windows.net/path-False]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[file:///path/to/file-False]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[gs://bucket/path-False]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[https://account.blob.core.windows.net/container/path-False]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[s3://bucket/path-True]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[s3a://bucket/path-True]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_is_uri[s3n://bucket/path-True]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_strip_prefix[s3://bucket/path-bucket/path]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_strip_prefix[s3a://bucket/path-bucket/path]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_strip_prefix[s3n://bucket/path-bucket/path]
tests.unit.data_lake.test_object_store.TestS3ObjectStore ‑ test_strip_prefix_invalid_uri
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_key[abfss://container@account.dfs.core.windows.net/path-path]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_key[gs://bucket/path/to/file.txt-path/to/file.txt]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_key[https://account.blob.core.windows.net/container/path-path]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_key[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-import_export_services/message_data_randomized.csv]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_key[s3://bucket/path-path]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_key_invalid_uri
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_bucket_name[abfss://container@account.dfs.core.windows.net/path-container]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_bucket_name[gs://bucket/path-bucket]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_bucket_name[https://account.blob.core.windows.net/container/path-container]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_bucket_name[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-settler]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_bucket_name[s3://bucket/path-bucket]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_bucket_name_invalid_uri
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_for_uri[abfss://container@account.dfs.core.windows.net/path-ABSObjectStore]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_for_uri[file:///path/to/file-None]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_for_uri[gs://bucket/path-GCSObjectStore]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_for_uri[https://account.blob.core.windows.net/container/path-ABSObjectStore]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_for_uri[https://odedmdatacatalog.blob.core.windows.net/settler/import_export_services/message_data_randomized.csv-ABSObjectStore]
tests.unit.data_lake.test_object_store.TestUtilityFunctions ‑ test_get_object_store_for_uri[s3://bucket/path-S3ObjectStore]
tests.unit.data_lake.test_path_spec ‑ test_allowed_hidden_path_excluded
tests.unit.data_lake.test_path_spec ‑ test_allowed_hidden_path_included
tests.unit.data_lake.test_path_spec ‑ test_allowed_ignore_extension
tests.unit.data_lake.test_path_spec ‑ test_allowed_ignores_depth_mismatch[s3://bucket/{table}/{partition0}/*.csv-s3://bucket/table/p1/p2/test.csv-False]
tests.unit.data_lake.test_path_spec ‑ test_allowed_ignores_depth_mismatch[s3://bucket/{table}/{partition0}/*.csv-s3://bucket/table/p1/test.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_allowed_tables_filter_pattern[s3://bucket/table-111/p1/test.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_allowed_tables_filter_pattern[s3://bucket/table-222/p1/test.csv-False]
tests.unit.data_lake.test_path_spec ‑ test_allowed_with_debug_logging
tests.unit.data_lake.test_path_spec ‑ test_allowed_with_default_extension
tests.unit.data_lake.test_path_spec ‑ test_allowed_with_exclude_patterns
tests.unit.data_lake.test_path_spec ‑ test_allowed_with_file_extension_filter
tests.unit.data_lake.test_path_spec ‑ test_cached_properties
tests.unit.data_lake.test_path_spec ‑ test_compiled_folder_include_cached_property
tests.unit.data_lake.test_path_spec ‑ test_compiled_folder_include_with_debug
tests.unit.data_lake.test_path_spec ‑ test_compiled_include_cached_property
tests.unit.data_lake.test_path_spec ‑ test_compiled_include_with_debug
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_depth_check
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_tables_filter_pattern[s3://bucket/table-111/p1/-True]
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_tables_filter_pattern[s3://bucket/table-222/p1/-False]
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_with_debug_logging
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_with_double_star
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_with_exclude
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_with_table_filter_pattern[s3://bucket/{table}/1/*.json-s3://bucket/table/1/]
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_with_table_filter_pattern[s3://bucket/{table}/1/*/*.json-s3://bucket/table/1/2/]
tests.unit.data_lake.test_path_spec ‑ test_dir_allowed_with_table_filter_pattern[s3://bucket/{table}/1/*/*.json-s3://bucket/table/1/]
tests.unit.data_lake.test_path_spec ‑ test_extract_datetime_partition_folder
tests.unit.data_lake.test_path_spec ‑ test_extract_datetime_partition_no_date_format
tests.unit.data_lake.test_path_spec ‑ test_extract_datetime_partition_no_match
tests.unit.data_lake.test_path_spec ‑ test_extract_datetime_partition_no_sort_key
tests.unit.data_lake.test_path_spec ‑ test_extract_datetime_partition_valid
tests.unit.data_lake.test_path_spec ‑ test_extract_table_name_and_path[s3://bucket/user_log/p1/*.csv-s3://bucket/user_log/p1/test.csv-test.csv-s3://bucket/user_log/p1/test.csv]
tests.unit.data_lake.test_path_spec ‑ test_extract_table_name_and_path[s3://bucket/{table}/{partition0}/*.csv-s3://bucket/user_log/p1/test.csv-user_log-s3://bucket/user_log]
tests.unit.data_lake.test_path_spec ‑ test_extract_table_name_and_path_no_table_in_path
tests.unit.data_lake.test_path_spec ‑ test_extract_table_name_and_path_with_table
tests.unit.data_lake.test_path_spec ‑ test_extract_table_name_no_table_name_set
tests.unit.data_lake.test_path_spec ‑ test_extract_table_name_with_variables
tests.unit.data_lake.test_path_spec ‑ test_extract_variable_names
tests.unit.data_lake.test_path_spec ‑ test_folder_traversal_method_values
tests.unit.data_lake.test_path_spec ‑ test_get_folder_named_vars
tests.unit.data_lake.test_path_spec ‑ test_get_named_vars_basic
tests.unit.data_lake.test_path_spec ‑ test_get_named_vars_no_match
tests.unit.data_lake.test_path_spec ‑ test_get_named_vars_with_table_double_star
tests.unit.data_lake.test_path_spec ‑ test_get_parsable_include[s3://bucket/table/*.csv-s3://bucket/table/{folder[0]}.csv]
tests.unit.data_lake.test_path_spec ‑ test_get_parsable_include[s3://bucket/{table}/**-s3://bucket/{table}/]
tests.unit.data_lake.test_path_spec ‑ test_get_parsable_include[s3://bucket/{table}/*.csv-s3://bucket/{table}/{folder[0]}.csv]
tests.unit.data_lake.test_path_spec ‑ test_get_parsable_include[s3://bucket/{table}/*/-s3://bucket/{table}/{folder[0]}/]
tests.unit.data_lake.test_path_spec ‑ test_get_parsable_include_with_table_double_star
tests.unit.data_lake.test_path_spec ‑ test_get_partition_from_path_key_value_format
tests.unit.data_lake.test_path_spec ‑ test_get_partition_from_path_named_variables
tests.unit.data_lake.test_path_spec ‑ test_get_partition_from_path_no_table
tests.unit.data_lake.test_path_spec ‑ test_get_partition_from_path_simple_values
tests.unit.data_lake.test_path_spec ‑ test_glob_include_cached_property
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[-False]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[.hidden/file.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[/normal/path/file.csv-False]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[_underscore/file.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[normal/.hidden/file.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[normal/_underscore/file.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[normal/path/.hidden_file.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[normal/path/_hidden_file.csv-True]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[normal/path/file.csv-False0]
tests.unit.data_lake.test_path_spec ‑ test_is_path_hidden[normal/path/file.csv-False1]
tests.unit.data_lake.test_path_spec ‑ test_no_named_fields_in_exclude_invalid
tests.unit.data_lake.test_path_spec ‑ test_no_named_fields_in_exclude_valid
tests.unit.data_lake.test_path_spec ‑ test_path_spec_basic_initialization
tests.unit.data_lake.test_path_spec ‑ test_path_spec_with_custom_values
tests.unit.data_lake.test_path_spec ‑ test_sampling_enabled_for_s3
tests.unit.data_lake.test_path_spec ‑ test_sort_key_complex_date_format
tests.unit.data_lake.test_path_spec ‑ test_sort_key_date_format_conversion
tests.unit.data_lake.test_path_spec ‑ test_sort_key_date_format_none
tests.unit.data_lake.test_path_spec ‑ test_sort_key_type_string_representation
tests.unit.data_lake.test_path_spec ‑ test_table_name_auto_set
tests.unit.data_lake.test_path_spec ‑ test_table_name_custom_invalid
tests.unit.data_lake.test_path_spec ‑ test_table_name_custom_valid
tests.unit.data_lake.test_path_spec ‑ test_turn_off_sampling_for_non_s3
tests.unit.data_lake.test_path_spec ‑ test_validate_default_extension_invalid
tests.unit.data_lake.test_path_spec ‑ test_validate_default_extension_valid
tests.unit.data_lake.test_path_spec ‑ test_validate_file_types_invalid
tests.unit.data_lake.test_path_spec ‑ test_validate_file_types_none
tests.unit.data_lake.test_path_spec ‑ test_validate_no_double_stars_allowed
tests.unit.data_lake.test_path_spec ‑ test_validate_no_double_stars_forbidden
tests.unit.data_lake.test_path_spec ‑ test_validate_path_spec_autodetect_partitions
tests.unit.data_lake.test_path_spec ‑ test_validate_path_spec_autodetect_partitions_with_slash
tests.unit.data_lake.test_path_spec ‑ test_validate_path_spec_compression_extension
tests.unit.data_lake.test_path_spec ‑ test_validate_path_spec_invalid_extension
tests.unit.data_lake.test_path_spec ‑ test_validate_path_spec_missing_fields
tests.unit.data_lake.test_schema_inference ‑ test_infer_schema_avro
tests.unit.data_lake.test_schema_inference ‑ test_infer_schema_csv
tests.unit.data_lake.test_schema_inference ‑ test_infer_schema_json
tests.unit.data_lake.test_schema_inference ‑ test_infer_schema_jsonl
tests.unit.data_lake.test_schema_inference ‑ test_infer_schema_parquet
tests.unit.data_lake.test_schema_inference ‑ test_infer_schema_tsv
tests.unit.datahub.emitter.test_composite_emitter ‑ test_composite_emitter_emit
tests.unit.datahub.emitter.test_composite_emitter ‑ test_composite_emitter_flush
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_async_flag
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_delete
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_none_no_aspect
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_patch
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_search_sync_flag
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_upsert
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_upsert_with_system_metadata
tests.unit.datahub.emitter.test_request_helper ‑ test_from_mcp_upsert_without_wrapper
tests.unit.datahub.emitter.test_request_helper ‑ test_patch_unsupported_operation
tests.unit.datahub.emitter.test_request_helper ‑ test_upsert_incompatible_content_type
tests.unit.datahub.emitter.test_response_helper ‑ test_invalid_json_format
tests.unit.datahub.emitter.test_response_helper ‑ test_invalid_status_code
tests.unit.datahub.emitter.test_response_helper ‑ test_invalid_trace_id_timestamp_extraction
tests.unit.datahub.emitter.test_response_helper ‑ test_json_decode_error
tests.unit.datahub.emitter.test_response_helper ‑ test_mcps_invalid_status_code
tests.unit.datahub.emitter.test_response_helper ‑ test_mcps_missing_attributes
tests.unit.datahub.emitter.test_response_helper ‑ test_mcps_missing_trace_header
tests.unit.datahub.emitter.test_response_helper ‑ test_mcps_with_aspect_filter
tests.unit.datahub.emitter.test_response_helper ‑ test_mcps_with_wrapper
tests.unit.datahub.emitter.test_response_helper ‑ test_missing_trace_header
tests.unit.datahub.emitter.test_response_helper ‑ test_missing_urn
tests.unit.datahub.emitter.test_response_helper ‑ test_multiple_trace_id_timestamp_extractions
tests.unit.datahub.emitter.test_response_helper ‑ test_successful_extraction_all_aspects
tests.unit.datahub.emitter.test_response_helper ‑ test_successful_extraction_specific_aspects
tests.unit.datahub.emitter.test_response_helper ‑ test_successful_mcp_extraction
tests.unit.datahub.emitter.test_response_helper ‑ test_trace_id_timestamp_extraction
tests.unit.datahub.utilities.test_urn ‑ test_guess_platform_name
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_config_both_apis
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_config_default_values
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_config_entries_only
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_config_project_id_backward_compatibility
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_config_validation_requires_project_ids
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_config_with_filter_patterns
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_credentials_configuration
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_entries_location_default
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_filter_config_only_entities_patterns
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_filter_config_only_entries_dataset_pattern
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_lineage_configuration
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_lineage_retry_configuration_bounds
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_lineage_retry_configuration_custom_values
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_lineage_retry_configuration_defaults
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_lineage_retry_configuration_edge_values
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_location_validation_warnings
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_minimal_config
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_multiple_projects
tests.unit.dataplex.test_dataplex_config.TestDataplexConfig ‑ test_schema_configuration
tests.unit.dataplex.test_dataplex_config.TestDataplexFilterConfig ‑ test_dataplex_filter_config_defaults
tests.unit.dataplex.test_dataplex_config.TestDataplexFilterConfig ‑ test_dataplex_filter_config_with_nested_patterns
tests.unit.dataplex.test_dataplex_config.TestDataplexFilterConfig ‑ test_entities_filter_config_defaults
tests.unit.dataplex.test_dataplex_config.TestDataplexFilterConfig ‑ test_entities_filter_config_with_patterns
tests.unit.dataplex.test_dataplex_config.TestDataplexFilterConfig ‑ test_entries_filter_config_defaults
tests.unit.dataplex.test_dataplex_config.TestDataplexFilterConfig ‑ test_entries_filter_config_with_patterns
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryContainers ‑ test_generate_containers_empty_dataset_set
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryContainers ‑ test_generate_containers_multiple_datasets
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryContainers ‑ test_generate_containers_no_datasets
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryContainers ‑ test_generate_containers_single_dataset
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryContainers ‑ test_generate_containers_wrong_project
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryDatasetContainer ‑ test_generate_dataset_container
tests.unit.dataplex.test_dataplex_containers.TestGenBigQueryProjectContainer ‑ test_generate_project_container
tests.unit.dataplex.test_dataplex_containers.TestTrackBigQueryContainer ‑ test_track_duplicate_dataset
tests.unit.dataplex.test_dataplex_containers.TestTrackBigQueryContainer ‑ test_track_existing_project
tests.unit.dataplex.test_dataplex_containers.TestTrackBigQueryContainer ‑ test_track_new_project
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_bigquery_entry_asset_metadata
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_bigquery_entry_insufficient_parts
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_bigquery_entry_valid
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_bigquery_entry_zone_metadata
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_custom_properties
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_filtered_by_pattern
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_fqn_without_colon
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_with_invalid_fqn
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_with_schema_extraction_disabled
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_with_schema_extraction_enabled
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_without_entry_source
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_without_fqn
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_entry_without_timestamps
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_gcs_entry_asset_metadata
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_gcs_entry_insufficient_parts
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_gcs_entry_valid
tests.unit.dataplex.test_dataplex_entries.TestProcessEntry ‑ test_multiple_entries_same_project
tests.unit.dataplex.test_dataplex_helpers.TestDetermineEntityPlatform ‑ test_determine_platform_api_error
tests.unit.dataplex.test_dataplex_helpers.TestDetermineEntityPlatform ‑ test_determine_platform_attribute_error
tests.unit.dataplex.test_dataplex_helpers.TestDetermineEntityPlatform ‑ test_determine_platform_bigquery
tests.unit.dataplex.test_dataplex_helpers.TestDetermineEntityPlatform ‑ test_determine_platform_gcs
tests.unit.dataplex.test_dataplex_helpers.TestDetermineEntityPlatform ‑ test_determine_platform_no_asset
tests.unit.dataplex.test_dataplex_helpers.TestEntityDataTuple ‑ test_create_entity_data_tuple
tests.unit.dataplex.test_dataplex_helpers.TestEntityDataTuple ‑ test_entity_data_tuple_default_is_entry
tests.unit.dataplex.test_dataplex_helpers.TestEntityDataTuple ‑ test_entity_data_tuple_hashable
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_bigquery_metadata
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_bigquery_metadata_simple_name
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_gcs_metadata_full_path
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_gcs_metadata_gs_url
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_gcs_metadata_simple_name
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_metadata_api_error
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_metadata_attribute_error
tests.unit.dataplex.test_dataplex_helpers.TestExtractEntityMetadata ‑ test_extract_metadata_fallback_zone_id
tests.unit.dataplex.test_dataplex_helpers.TestMakeAuditStamp ‑ test_make_audit_stamp_none
tests.unit.dataplex.test_dataplex_helpers.TestMakeAuditStamp ‑ test_make_audit_stamp_with_timestamp
tests.unit.dataplex.test_dataplex_helpers.TestMakeBigQueryDatasetContainerKey ‑ test_make_container_key
tests.unit.dataplex.test_dataplex_helpers.TestMakeDataplexExternalUrl ‑ test_make_external_url
tests.unit.dataplex.test_dataplex_helpers.TestMakeEntityDatasetUrn ‑ test_make_dataset_urn_bigquery
tests.unit.dataplex.test_dataplex_helpers.TestMakeEntityDatasetUrn ‑ test_make_dataset_urn_gcs
tests.unit.dataplex.test_dataplex_helpers.TestMapDataplexFieldToDatahub ‑ test_map_field_repeated_mode
tests.unit.dataplex.test_dataplex_helpers.TestMapDataplexFieldToDatahub ‑ test_map_field_simple_type
tests.unit.dataplex.test_dataplex_helpers.TestMapDataplexTypeToDatahub ‑ test_map_known_type
tests.unit.dataplex.test_dataplex_helpers.TestMapDataplexTypeToDatahub ‑ test_map_unknown_type_defaults_to_string
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqn ‑ test_parse_bigquery_fqn_dataset_only
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqn ‑ test_parse_bigquery_fqn_full
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqn ‑ test_parse_bigquery_fqn_single_part
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqn ‑ test_parse_fqn_no_colon
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqn ‑ test_parse_gcs_fqn
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqn ‑ test_parse_other_platform_fqn
tests.unit.dataplex.test_dataplex_helpers.TestParseEntryFqnEdgeCases ‑ test_parse_bigquery_fqn_one_part_warning
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_list_primitives
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_map_composite
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_none
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_primitive_bool
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_primitive_float
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_primitive_int
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_primitive_string
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_regular_dict
tests.unit.dataplex.test_dataplex_helpers.TestSerializeFieldValue ‑ test_serialize_repeated_composite
tests.unit.dataplex.test_dataplex_lineage ‑ test_batched_lineage_memory_cleanup
tests.unit.dataplex.test_dataplex_lineage ‑ test_batched_lineage_processing
tests.unit.dataplex.test_dataplex_lineage ‑ test_batched_lineage_with_batch_size_larger_than_entities
tests.unit.dataplex.test_dataplex_lineage ‑ test_batched_lineage_with_batching_disabled
tests.unit.dataplex.test_dataplex_lineage ‑ test_build_lineage_map
tests.unit.dataplex.test_dataplex_lineage ‑ test_construct_fqn_bigquery
tests.unit.dataplex.test_dataplex_lineage ‑ test_construct_fqn_gcs_bucket_only
tests.unit.dataplex.test_dataplex_lineage ‑ test_construct_fqn_gcs_with_path
tests.unit.dataplex.test_dataplex_lineage ‑ test_construct_fqn_unknown_platform
tests.unit.dataplex.test_dataplex_lineage ‑ test_extract_entity_id_from_fqn_bigquery
tests.unit.dataplex.test_dataplex_lineage ‑ test_extract_entity_id_from_fqn_gcs
tests.unit.dataplex.test_dataplex_lineage ‑ test_extract_entity_id_from_fqn_invalid
tests.unit.dataplex.test_dataplex_lineage ‑ test_extract_entity_id_from_fqn_no_prefix

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 1945 to 2551)

There are 7547 tests, see "Raw output" for the list of tests 1945 to 2551.
Raw output
tests.unit.dataplex.test_dataplex_lineage ‑ test_fqn_round_trip_bigquery
tests.unit.dataplex.test_dataplex_lineage ‑ test_fqn_round_trip_gcs
tests.unit.dataplex.test_dataplex_lineage ‑ test_gen_lineage_workunits
tests.unit.dataplex.test_dataplex_lineage ‑ test_get_lineage_for_entity_with_upstream
tests.unit.dataplex.test_dataplex_lineage ‑ test_get_lineage_for_table_no_lineage
tests.unit.dataplex.test_dataplex_lineage ‑ test_get_lineage_for_table_with_lineage
tests.unit.dataplex.test_dataplex_lineage ‑ test_lineage_edge_creation
tests.unit.dataplex.test_dataplex_lineage ‑ test_lineage_extraction_disabled
tests.unit.dataplex.test_dataplex_lineage ‑ test_lineage_extractor_initialization
tests.unit.dataplex.test_dataplex_lineage ‑ test_lineage_with_cross_platform_references
tests.unit.dataplex.test_dataplex_lineage ‑ test_pagination_automatic_handling
tests.unit.dataplex.test_dataplex_lineage ‑ test_pagination_with_large_result_set
tests.unit.dataplex.test_dataplex_lineage ‑ test_search_links_by_source
tests.unit.dataplex.test_dataplex_lineage ‑ test_search_links_by_target
tests.unit.dataplex.test_dataplex_lineage ‑ test_workunit_aspect_completeness
tests.unit.dataplex.test_dataplex_lineage ‑ test_workunit_generation_with_no_lineage
tests.unit.dataplex.test_dataplex_lineage ‑ test_workunit_upstream_urn_format
tests.unit.dataplex.test_dataplex_lineage ‑ test_workunit_urn_structure_validation
tests.unit.dataplex.test_dataplex_properties.TestExtractAspectsToCustomProperties ‑ test_extract_aspects_updates_existing_dict
tests.unit.dataplex.test_dataplex_properties.TestExtractAspectsToCustomProperties ‑ test_extract_aspects_with_complex_path
tests.unit.dataplex.test_dataplex_properties.TestExtractAspectsToCustomProperties ‑ test_extract_aspects_with_data
tests.unit.dataplex.test_dataplex_properties.TestExtractAspectsToCustomProperties ‑ test_extract_aspects_with_empty_data
tests.unit.dataplex.test_dataplex_properties.TestExtractAspectsToCustomProperties ‑ test_extract_aspects_with_none_data
tests.unit.dataplex.test_dataplex_properties.TestExtractAspectsToCustomProperties ‑ test_extract_aspects_without_data
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_basic_properties
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_all_properties
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_aspects
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_asset
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_catalog_entry
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_compatibility
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_data_path
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_format
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_system
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_with_zone_type
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_without_aspects
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_without_catalog_entry
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_without_compatibility
tests.unit.dataplex.test_dataplex_properties.TestExtractEntityCustomProperties ‑ test_extract_entity_without_zone_type
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_basic_properties
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_aspects
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_entry_source_all_fields
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_entry_source_missing_attributes
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_entry_source_platform
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_entry_source_resource
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_entry_source_system
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_with_parent_entry
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_without_aspects
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_without_entry_source
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_without_entry_type
tests.unit.dataplex.test_dataplex_properties.TestExtractEntryCustomProperties ‑ test_extract_entry_without_parent_entry
tests.unit.dataplex.test_dataplex_schema.TestExtractFieldValue ‑ test_extract_from_dict_missing_key
tests.unit.dataplex.test_dataplex_schema.TestExtractFieldValue ‑ test_extract_from_dict_none_value
tests.unit.dataplex.test_dataplex_schema.TestExtractFieldValue ‑ test_extract_from_dict_with_primitive
tests.unit.dataplex.test_dataplex_schema.TestExtractFieldValue ‑ test_extract_from_dict_with_string_value
tests.unit.dataplex.test_dataplex_schema.TestExtractFieldValue ‑ test_extract_from_object_missing_attribute
tests.unit.dataplex.test_dataplex_schema.TestExtractFieldValue ‑ test_extract_from_object_with_attribute
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_no_aspects
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_no_schema_aspect
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_aspect_no_data
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_aspect_no_fields
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_exception_handling
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_fallback_aspect_key
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_no_valid_fields
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_with_column_name_fallback
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_with_columns_list_value
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_with_datatype_fallback
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaFromEntryAspects ‑ test_extract_schema_with_fields_iterable
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaMetadata ‑ test_extract_schema_no_fields
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaMetadata ‑ test_extract_schema_no_schema
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaMetadata ‑ test_extract_schema_with_nested_fields
tests.unit.dataplex.test_dataplex_schema.TestExtractSchemaMetadata ‑ test_extract_schema_with_simple_fields
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_array_type
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_boolean_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_bytes_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_float_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_integer_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_record_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_string_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_time_types
tests.unit.dataplex.test_dataplex_schema.TestMapAspectTypeToDatahub ‑ test_map_unknown_type
tests.unit.dataplex.test_dataplex_schema.TestProcessSchemaFieldItem ‑ test_process_dict_like_object
tests.unit.dataplex.test_dataplex_schema.TestProcessSchemaFieldItem ‑ test_process_none_value
tests.unit.dataplex.test_dataplex_schema.TestProcessSchemaFieldItem ‑ test_process_struct_value
tests.unit.dataplex.test_dataplex_urn_generation.TestEntryValidation ‑ test_bigquery_entry_validation_asset_metadata
tests.unit.dataplex.test_dataplex_urn_generation.TestEntryValidation ‑ test_bigquery_entry_validation_valid_table
tests.unit.dataplex.test_dataplex_urn_generation.TestEntryValidation ‑ test_gcs_entry_validation_asset_metadata
tests.unit.dataplex.test_dataplex_urn_generation.TestEntryValidation ‑ test_gcs_entry_validation_valid_file
tests.unit.dataplex.test_dataplex_urn_generation.TestFqnParsing ‑ test_invalid_fqn_format
tests.unit.dataplex.test_dataplex_urn_generation.TestFqnParsing ‑ test_parse_bigquery_fqn
tests.unit.dataplex.test_dataplex_urn_generation.TestFqnParsing ‑ test_parse_gcs_fqn
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_bigquery_entity_urn_format
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_bigquery_entry_urn_format
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_different_environments_produce_different_urns
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_entity_entry_urn_alignment_bigquery
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_entity_entry_urn_alignment_multiple_tables
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_gcs_entity_urn_format
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_urn_components_extraction
tests.unit.dataplex.test_dataplex_urn_generation.TestUrnGeneration ‑ test_urn_generation_preserves_special_characters
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_environment_api_failure
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_filters_by_generate_docs
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_filters_by_job_pattern
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_jobs_api_failure
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_no_matching_jobs
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_no_production_environment_raises
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoverProjectsAndJobs ‑ test_auto_discover_production_environment_only
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoveryConfig ‑ test_auto_discovery_config_defaults
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestAutoDiscoveryConfig ‑ test_auto_discovery_config_with_pattern
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestDBTCloudConfigValidation ‑ test_auto_discovery_disabled_requires_job_id
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestDBTCloudConfigValidation ‑ test_auto_discovery_mode_without_job_id_succeeds
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestDBTCloudConfigValidation ‑ test_auto_discovery_with_job_id_succeeds
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestDBTCloudConfigValidation ‑ test_explicit_mode_requires_job_id
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestDBTCloudConfigValidation ‑ test_explicit_mode_with_job_id_succeeds
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetEnvironmentsForProject ‑ test_get_environments_empty_data
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetEnvironmentsForProject ‑ test_get_environments_http_error
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetEnvironmentsForProject ‑ test_get_environments_invalid_json
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetEnvironmentsForProject ‑ test_get_environments_skips_null_deployment_type
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetEnvironmentsForProject ‑ test_get_environments_success
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetJobsForProject ‑ test_get_jobs_http_error
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetJobsForProject ‑ test_get_jobs_invalid_json
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestGetJobsForProject ‑ test_get_jobs_success
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestIsAutoDiscoveryEnabled ‑ test_is_auto_discovery_enabled_when_disabled
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestIsAutoDiscoveryEnabled ‑ test_is_auto_discovery_enabled_when_enabled
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestIsAutoDiscoveryEnabled ‑ test_is_auto_discovery_enabled_when_none
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestParseIntoDBTNodeFreshness ‑ test_model_node_has_no_freshness
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestParseIntoDBTNodeFreshness ‑ test_source_with_freshness_pass
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestParseIntoDBTNodeFreshness ‑ test_source_with_freshness_warn
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestParseIntoDBTNodeFreshness ‑ test_source_with_only_warn_after_criteria
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestParseIntoDBTNodeFreshness ‑ test_source_without_freshness_checked
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestTestConnection ‑ test_connection_auto_discovery_mode_failure
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestTestConnection ‑ test_connection_auto_discovery_mode_success
tests.unit.dbt.test_dbt_cloud_autodiscovery.TestTestConnection ‑ test_connection_explicit_mode_success
tests.unit.dbt.test_dbt_query_emission ‑ test_disabling_query_emission_skips_all_queries_including_valid_ones
tests.unit.dbt.test_dbt_query_emission ‑ test_emits_query_properties_and_subjects_for_each_meta_query
tests.unit.dbt.test_dbt_query_emission ‑ test_generates_urn_from_model_and_query_name
tests.unit.dbt.test_dbt_query_emission ‑ test_increments_report_counters_on_emit_and_fail
tests.unit.dbt.test_dbt_query_emission ‑ test_max_queries_limit_behavior[at_limit]
tests.unit.dbt.test_dbt_query_emission ‑ test_max_queries_limit_behavior[over_limit]
tests.unit.dbt.test_dbt_query_emission ‑ test_max_queries_limit_behavior[unlimited]
tests.unit.dbt.test_dbt_query_emission ‑ test_queries_emit_independently_of_node_type_settings[models_no_queries_yes]
tests.unit.dbt.test_dbt_query_emission ‑ test_queries_emit_independently_of_node_type_settings[queries_only_mode]
tests.unit.dbt.test_dbt_query_emission ‑ test_query_names_collide_after_sanitization
tests.unit.dbt.test_dbt_query_emission ‑ test_rejects_unknown_fields_with_helpful_error
tests.unit.dbt.test_dbt_query_emission ‑ test_shows_all_validation_errors_not_just_first
tests.unit.dbt.test_dbt_query_emission ‑ test_skips_duplicate_query_names
tests.unit.dbt.test_dbt_query_emission ‑ test_skips_non_list_meta_queries_with_warning
tests.unit.dbt.test_dbt_query_emission ‑ test_skips_queries_on_ephemeral_model_with_warning
tests.unit.dbt.test_dbt_query_emission ‑ test_skips_query_with_missing_required_fields
tests.unit.dbt.test_dbt_query_emission ‑ test_sql_at_max_length_not_truncated
tests.unit.dbt.test_dbt_query_emission ‑ test_sql_exceeding_max_length_is_truncated
tests.unit.dbt.test_dbt_query_emission ‑ test_timestamp_cached_across_nodes
tests.unit.dbt.test_dbt_query_emission ‑ test_timestamp_fallback_behavior[no_manifest]
tests.unit.dbt.test_dbt_query_emission ‑ test_timestamp_fallback_behavior[unknown_value]
tests.unit.dbt.test_dbt_query_emission ‑ test_timestamp_fallback_behavior[unparseable]
tests.unit.dbt.test_dbt_query_emission ‑ test_timestamp_fallback_behavior[valid_timestamp]
tests.unit.dbt.test_dbt_source ‑ test_create_exposure_mcps_basic
tests.unit.dbt.test_dbt_source ‑ test_create_exposure_mcps_with_missing_upstream
tests.unit.dbt.test_dbt_source ‑ test_create_exposure_mcps_with_owner_extraction_disabled
tests.unit.dbt.test_dbt_source ‑ test_create_exposure_mcps_with_owner_name_only
tests.unit.dbt.test_dbt_source ‑ test_create_exposure_mcps_with_strip_user_ids_from_email
tests.unit.dbt.test_dbt_source ‑ test_dbt_cll_skip_python_model
tests.unit.dbt.test_dbt_source ‑ test_dbt_cloud_config_access_url
tests.unit.dbt.test_dbt_source ‑ test_dbt_cloud_config_with_defined_metadata_endpoint
tests.unit.dbt.test_dbt_source ‑ test_dbt_cloud_load_exposures
tests.unit.dbt.test_dbt_source ‑ test_dbt_cloud_parse_into_dbt_exposure
tests.unit.dbt.test_dbt_source ‑ test_dbt_cloud_source_description_fallback
tests.unit.dbt.test_dbt_source ‑ test_dbt_cloud_source_description_precedence
tests.unit.dbt.test_dbt_source ‑ test_dbt_config_prefer_sql_parser_lineage
tests.unit.dbt.test_dbt_source ‑ test_dbt_config_skip_sources_in_lineage
tests.unit.dbt.test_dbt_source ‑ test_dbt_core_load_exposures
tests.unit.dbt.test_dbt_source ‑ test_dbt_entities_enabled_exposures_default
tests.unit.dbt.test_dbt_source ‑ test_dbt_entity_emission_configuration
tests.unit.dbt.test_dbt_source ‑ test_dbt_entity_emission_configuration_helpers
tests.unit.dbt.test_dbt_source ‑ test_dbt_exposure_get_urn
tests.unit.dbt.test_dbt_source ‑ test_dbt_exposure_get_urn_with_platform_instance
tests.unit.dbt.test_dbt_source ‑ test_dbt_prefer_sql_parser_lineage_no_self_reference
tests.unit.dbt.test_dbt_source ‑ test_dbt_s3_config
tests.unit.dbt.test_dbt_source ‑ test_dbt_semantic_view_subtype
tests.unit.dbt.test_dbt_source ‑ test_dbt_sibling_aspects_creation
tests.unit.dbt.test_dbt_source ‑ test_dbt_source_patching_no_conflict
tests.unit.dbt.test_dbt_source ‑ test_dbt_source_patching_no_new
tests.unit.dbt.test_dbt_source ‑ test_dbt_source_patching_tags
tests.unit.dbt.test_dbt_source ‑ test_dbt_source_patching_terms
tests.unit.dbt.test_dbt_source ‑ test_dbt_source_patching_with_conflict
tests.unit.dbt.test_dbt_source ‑ test_dbt_source_patching_with_conflict_null_source_type_in_existing_owner
tests.unit.dbt.test_dbt_source ‑ test_dbt_time_parsing
tests.unit.dbt.test_dbt_source ‑ test_default_convert_column_urns_to_lowercase
tests.unit.dbt.test_dbt_source ‑ test_drop_duplicate_sources
tests.unit.dbt.test_dbt_source ‑ test_extract_dbt_entities
tests.unit.dbt.test_dbt_source ‑ test_extract_dbt_exposures_basic
tests.unit.dbt.test_dbt_source ‑ test_extract_dbt_exposures_minimal
tests.unit.dbt.test_dbt_source ‑ test_get_column_type_redshift
tests.unit.dbt.test_dbt_source ‑ test_include_database_name[false-False]
tests.unit.dbt.test_dbt_source ‑ test_include_database_name[true-True]
tests.unit.dbt.test_dbt_source ‑ test_include_database_name_default
tests.unit.dbt.test_dbt_source ‑ test_infer_metadata_endpoint
tests.unit.dbt.test_dbt_source ‑ test_make_assertion_from_freshness
tests.unit.dbt.test_dbt_source ‑ test_make_assertion_result_from_freshness[error-False-False]
tests.unit.dbt.test_dbt_source ‑ test_make_assertion_result_from_freshness[pass-False-True]
tests.unit.dbt.test_dbt_source ‑ test_make_assertion_result_from_freshness[warn-False-True]
tests.unit.dbt.test_dbt_source ‑ test_make_assertion_result_from_freshness[warn-True-False]
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_case_handling
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_chained_derived_metrics
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_circular_metric_reference
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_derived_metric_missing_reference
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_derived_metrics
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_malformed_sql
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_missing_upstream_node
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_multiple_aggregations
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_multiple_tables_same_column
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_production_pattern
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_table_not_in_mapping
tests.unit.dbt.test_dbt_source ‑ test_parse_semantic_view_cll_with_table_aliases
tests.unit.dbt.test_dbt_source ‑ test_semantic_view_cll_empty_results
tests.unit.dbt.test_dbt_source ‑ test_semantic_view_cll_integration_by_materialization
tests.unit.dbt.test_dbt_source ‑ test_semantic_view_cll_integration_missing_code
tests.unit.dbt.test_dbt_source ‑ test_semantic_view_cll_integration_multiple_upstreams
tests.unit.dbt.test_dbt_source ‑ test_semantic_view_cll_integration_with_node
tests.unit.dbt.test_dbt_source ‑ test_semantic_view_cll_non_snowflake_adapter
tests.unit.dbt.test_dbt_source_cll ‑ test_parse_semantic_view_cll_with_sql_comments_after_columns
tests.unit.dbt.test_dbt_source_cll ‑ test_parse_semantic_view_cll_with_various_functions
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_execute_query_iter_job_failure
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_execute_query_iter_success
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_execute_query_iter_timeout
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_extract_all_queries
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_all_results_empty_rows
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_all_results_missing_rows_key
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_all_results_normal_case
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_all_results_with_error_message
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_results_iter_incremental_yielding
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_results_iter_missing_rows_key
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_results_iter_normal_case
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_fetch_results_iter_with_error
tests.unit.dremio.test_dremio_api_pagination.TestDremioAPIPagination ‑ test_get_all_tables_and_columns
tests.unit.dremio.test_dremio_iterator_integration.TestDremioIteratorIntegration ‑ test_iterator_handles_exceptions_gracefully
tests.unit.dremio.test_dremio_iterator_integration.TestDremioIteratorIntegration ‑ test_source_uses_iterators_by_default
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_allow_and_deny_patterns
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_basic_allow_pattern
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_basic_deny_pattern
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_case_insensitive_matching
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_empty_patterns
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_hierarchical_matching
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_partial_path_matching
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_partial_start_end_chars
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_specific_dotstar_pattern_issue
tests.unit.dremio.test_dremio_schema_filter.TestDremioContainerFiltering ‑ test_wildcard_patterns
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_lowercase_option[MySource-Sales-Customers.Archive-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.mysource.sales.customers.archive,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_lowercase_option[MySource-Sales-Orders-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.mysource.sales.orders,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_mixed_case_platform_instance
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_real_world_example_deep_hierarchy
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_real_world_example_samples_dataset
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_table_already_with_dremio_prefix_mixed_case
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[None-None-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[None-space-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.space.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[dremio-source-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[my-source-my_schema-my.table.with.dots-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.my-source.my_schema.my.table.with.dots,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[source-None-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[source-folder1-folder2.folder3.folder4.table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.folder1.folder2.folder3.folder4.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[source-folder1-folder2.subfolder.table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.folder1.folder2.subfolder.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[source-folder1-folder2.table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.folder1.folder2.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_urn_generation[source-schema-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.schema.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolver ‑ test_with_platform_instance
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_home_folder_with_at_symbol
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_multi_part_table_name_with_parts
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_sqlglot_complex_query_with_joins
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_sqlglot_quoted_identifiers
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_sqlglot_table_parsing[SELECT * FROM source.folder1.folder2.table-source-folder1-folder2.table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.folder1.folder2.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_sqlglot_table_parsing[SELECT * FROM source.schema.table-source-schema-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.source.schema.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_sqlglot_table_parsing[SELECT * FROM space.table-None-space-table-urn:li:dataset:(urn:li:dataPlatform:dremio,dremio.space.table,PROD)]
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_sqlglot_with_default_db
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_standard_3_part_table_names_still_work
tests.unit.dremio.test_dremio_schema_resolver.TestDremioSchemaResolverWithSQLGlot ‑ test_unquoted_multi_part_table_names
tests.unit.dremio.test_dremio_source_map ‑ test_build_source_map_same_platform_multiple_sources
tests.unit.dremio.test_dremio_source_map ‑ test_build_source_map_simple
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_cloud_query_structure_unchanged
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_default_timestamp_format
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_default_timestamp_values
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_get_query_all_jobs_cloud_with_custom_timestamps
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_get_query_all_jobs_cloud_with_defaults
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_get_query_all_jobs_with_custom_timestamps
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_get_query_all_jobs_with_defaults
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_partial_timestamp_specification
tests.unit.dremio.test_dremio_timestamp_filtering.TestDremioTimestampFiltering ‑ test_query_structure_unchanged
tests.unit.dremio.test_dremio_validation.TestDremioReflectionFiltering ‑ test_normal_dataset_is_processed
tests.unit.dremio.test_dremio_validation.TestDremioReflectionFiltering ‑ test_reflection_dataset_is_dropped
tests.unit.dremio.test_dremio_validation.TestDremioReflectionFiltering ‑ test_reflection_with_nested_path
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_catalog_dataset_no_warning
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_file_path_triggers_warning
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_hdfs_path_triggers_warning
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_multiple_datasets_mixed
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_s3_path_triggers_warning
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_unknown_dataset_debug_log
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_query_with_versioned_reference_triggers_warning
tests.unit.dremio.test_dremio_validation.TestQueryLineageValidation ‑ test_validation_case_insensitive
tests.unit.dynamodb.test_dynamodb.TestDynamoDBSchemaSampling ‑ test_schema_sampling_size_used_in_pagination
tests.unit.dynamodb.test_dynamodb.TestDynamoDBTagsIngestion ‑ test_tag_format_variations[tags_input0-expected_urns0]
tests.unit.dynamodb.test_dynamodb.TestDynamoDBTagsIngestion ‑ test_tag_format_variations[tags_input1-expected_urns1]
tests.unit.dynamodb.test_dynamodb.TestDynamoDBTagsIngestion ‑ test_tags_extraction_error_handling
tests.unit.dynamodb.test_dynamodb.TestDynamoDBTagsIngestion ‑ test_tags_extraction_from_aws
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_empty_patch
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_from_dict
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_from_dict_empty_path_component
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_from_dict_invalid_op
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_from_dict_with_quoted_paths
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_round_trip
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_to_dict[False-False]
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_to_dict[True-True]
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_to_generic_aspect
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_to_generic_aspect_serialization_error
tests.unit.emitter.test_mcp_patch_builder ‑ test_generic_json_patch_with_unit_separator
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path[/tags/test-expected0]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path[/tags/test~0tilde-expected3]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path[/tags/test~1path-expected2]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path[/tags/urn:li:tag:test-expected1]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path[/tags/urn:li:tag:test/attribution-expected4]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path_empty_components[//tags]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path_empty_components[/a//b//c]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path_empty_components[/a//b]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path_empty_components[/tags//attribution]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path_empty_components[/tags/]
tests.unit.emitter.test_mcp_patch_builder ‑ test_parse_patch_path_invalid
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_path_component[test-test]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_path_component[test/path-test~1path]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_path_component[test~1/path-test~01~1path]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_path_component[test~tilde-test~0tilde]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_round_trip[complex~1/path]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_round_trip[simple]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_round_trip[with/slash]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_quote_unquote_round_trip[with~tilde]
tests.unit.emitter.test_mcp_patch_builder ‑ test_patch_to_obj
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_active_sheet_name_property
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_extract_metadata
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_find_footer_start
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_find_header_row
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_get_table
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_get_tables
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_load_workbook_with_exception
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_load_workbook_with_invalid_data_type
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_load_workbook_with_readable_seekable_bytesio
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_read_excel_properties
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_sheet_names_property
tests.unit.excel.test_excel_file.TestExcelFile ‑ test_workbook_properties_property
tests.unit.excel.test_excel_samples ‑ test_sample_files
tests.unit.fabric_onelake.test_auth.TestFabricAuthHelper ‑ test_get_authorization_header_format
tests.unit.fabric_onelake.test_auth.TestFabricAuthHelper ‑ test_get_credential_creates_token_credential
tests.unit.fabric_onelake.test_auth.TestFabricAuthHelper ‑ test_token_caching
tests.unit.fabric_onelake.test_auth.TestFabricAuthHelper ‑ test_token_refresh_on_expiry
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_api_timeout_accepts_valid_range
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_api_timeout_maximum_bound
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_api_timeout_minimum_bound
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_config_with_default_credential
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_config_with_service_principal
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_extract_flags_can_be_disabled
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_extract_flags_defaults
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_lakehouse_pattern_filtering
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_table_pattern_filtering
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_warehouse_pattern_filtering
tests.unit.fabric_onelake.test_config.TestFabricOneLakeSourceConfig ‑ test_workspace_pattern_filtering
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_connection_info_preferred_after_connection_string_empty_extract
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_none_on_api_exception[Lakehouse-workspaces/ws-1/lakehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_none_on_api_exception[Warehouse-workspaces/ws-1/warehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_none_when_no_endpoint_in_response[Lakehouse-workspaces/ws-1/lakehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_none_when_no_endpoint_in_response[Warehouse-workspaces/ws-1/warehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_url_from_connection_info[Lakehouse-workspaces/ws-1/lakehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_url_from_connection_info[Warehouse-workspaces/ws-1/warehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_url_from_properties_connection_string[Lakehouse-workspaces/ws-1/lakehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_url_from_properties_connection_string[Warehouse-workspaces/ws-1/warehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_url_from_sql_endpoint_properties[Lakehouse-workspaces/ws-1/lakehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestGetSqlAnalyticsEndpointUrl ‑ test_returns_url_from_sql_endpoint_properties[Warehouse-workspaces/ws-1/warehouses/item-1]
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_close
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_create_engine_token_injection
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_get_all_table_columns
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_get_connection_string_custom_options
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_get_connection_string_default
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_get_engine_caching
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_get_table_columns_error_handling
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_get_table_columns_success
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_init
tests.unit.fabric_onelake.test_schema_client.TestSqlAnalyticsEndpointClient ‑ test_token_struct_encoding
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_make_onelake_urn[ff23fbe3-7418-42f8-a675-9f10eb2b78cb-2afa2dbd-555b-48c8-b082-35d94f4b7836-green_tripdata_2017-None-PROD-None-urn:li:dataset:(urn:li:dataPlatform:fabric-onelake,ff23fbe3-7418-42f8-a675-9f10eb2b78cb.2afa2dbd-555b-48c8-b082-35d94f4b7836.dbo.green_tripdata_2017,PROD)]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_make_onelake_urn[ff23fbe3-7418-42f8-a675-9f10eb2b78cb-2afa2dbd-555b-48c8-b082-35d94f4b7836-green_tripdata_2017-dbo-PROD-None-urn:li:dataset:(urn:li:dataPlatform:fabric-onelake,ff23fbe3-7418-42f8-a675-9f10eb2b78cb.2afa2dbd-555b-48c8-b082-35d94f4b7836.dbo.green_tripdata_2017,PROD)]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_make_onelake_urn[ff23fbe3-7418-42f8-a675-9f10eb2b78cb-2afa2dbd-555b-48c8-b082-35d94f4b7836-green_tripdata_2017-dbo-PROD-my-instance-urn:li:dataset:(urn:li:dataPlatform:fabric-onelake,my-instance.ff23fbe3-7418-42f8-a675-9f10eb2b78cb.2afa2dbd-555b-48c8-b082-35d94f4b7836.dbo.green_tripdata_2017,PROD)]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_lakehouse_name-kwargs1-workspace-123-guid.lakehouse-456-guid]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_schema_name-kwargs3-workspace-123-guid.lakehouse-456-guid.dbo]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_table_name-kwargs4-workspace-123-guid.lakehouse-456-guid.dbo.customers]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_table_name-kwargs5-workspace-123-guid.warehouse-789-guid.sales.orders]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_table_name-kwargs6-workspace-123-guid.lakehouse-456-guid.dbo.customers]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_warehouse_name-kwargs2-workspace-123-guid.warehouse-789-guid]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_generation[make_workspace_name-kwargs0-workspace-123-guid]
tests.unit.fabric_onelake.test_urn_generator.TestURNGenerator ‑ test_urn_pattern_consistency
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_connector_workunits_generates_warning_when_gsheets_details_invalid
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_connection_details_by_id_api_error
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_connection_details_by_id_with_caching
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_connection_details_by_id_with_null_succeeded_at
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_gsheet_named_range_dataset_id
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_gsheet_named_range_dataset_id_returns_none_when_sheet_id_fails
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_gsheet_sheet_id_from_url_returns_none_for_invalid_url
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_gsheet_sheet_id_from_url_with_full_url
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_get_gsheet_sheet_id_from_url_with_plain_id
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_google_sheets_connector_detection
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_google_sheets_connector_type_constant
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_google_sheets_lineage_generation
tests.unit.fivetran.test_fivetran_google_sheets_integration.TestFivetranGoogleSheetsIntegration ‑ test_lineage_not_generated_when_sheet_id_is_none
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_column_lineage_query_uses_configured_limit
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_case_insensitive
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_edge_cases
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_invalid_already_quoted
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_invalid_empty
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_invalid_special_characters
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_invalid_starts_with_number
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_valid_cases
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_valid_starts_with_underscore
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_is_valid_unquoted_identifier_valid_with_numbers
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_set_schema_affects_query_output
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_set_schema_properly_quotes_identifier
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_sync_logs_query_uses_configured_limit
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_table_lineage_query_uses_configured_limit
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_use_database_properly_quotes_identifier
tests.unit.fivetran.test_fivetran_query.TestFivetranLogQuery ‑ test_use_database_with_quoted_identifier
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_filters_extra_fields
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_http_error
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_json_decode_error
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_missing_code_field
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_missing_data_field
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_non_success_code
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_parse_error
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_request_exception
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_success
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_get_connection_details_by_id_with_null_succeeded_at
tests.unit.fivetran.test_fivetran_rest_api.TestFivetranAPIClient ‑ test_init
tests.unit.glue.test_aws_common.TestAssumeRole ‑ test_assume_role_success
tests.unit.glue.test_aws_common.TestAssumeRole ‑ test_assume_role_with_existing_credentials
tests.unit.glue.test_aws_common.TestAssumeRole ‑ test_assume_role_with_external_id
tests.unit.glue.test_aws_common.TestAwsAssumeRoleConfig ‑ test_dict_method
tests.unit.glue.test_aws_common.TestAwsAssumeRoleConfig ‑ test_init_all_fields
tests.unit.glue.test_aws_common.TestAwsAssumeRoleConfig ‑ test_init_required_fields
tests.unit.glue.test_aws_common.TestAwsEnvironment ‑ test_enum_values
tests.unit.glue.test_aws_common.TestAwsServicePrincipal ‑ test_enum_values
tests.unit.glue.test_aws_common.TestAwsSourceConfig ‑ test_inheritance_from_aws_connection_config
tests.unit.glue.test_aws_common.TestAwsSourceConfig ‑ test_init_with_custom_patterns
tests.unit.glue.test_aws_common.TestAwsSourceConfig ‑ test_init_with_defaults
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_app_runner_environment
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_beanstalk_environment
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_cloud_formation_environment
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_ec2_environment
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_ecs_environment_v3
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_ecs_environment_v4
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_eks_environment
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_lambda_environment
tests.unit.glue.test_aws_common.TestDetectAwsEnvironment ‑ test_detect_unknown_environment
tests.unit.glue.test_aws_common.TestGetCurrentIdentity ‑ test_get_app_runner_identity
tests.unit.glue.test_aws_common.TestGetCurrentIdentity ‑ test_get_ecs_identity
tests.unit.glue.test_aws_common.TestGetCurrentIdentity ‑ test_get_eks_identity
tests.unit.glue.test_aws_common.TestGetCurrentIdentity ‑ test_get_lambda_identity
tests.unit.glue.test_aws_common.TestGetCurrentIdentity ‑ test_get_unknown_identity
tests.unit.glue.test_aws_common.TestMetadataFunctions ‑ test_get_instance_metadata_token_bad_status
tests.unit.glue.test_aws_common.TestMetadataFunctions ‑ test_get_instance_metadata_token_failure
tests.unit.glue.test_aws_common.TestMetadataFunctions ‑ test_get_instance_metadata_token_success
tests.unit.glue.test_aws_common.TestMetadataFunctions ‑ test_is_running_on_ec2_no_token
tests.unit.glue.test_aws_common.TestMetadataFunctions ‑ test_is_running_on_ec2_request_failure
tests.unit.glue.test_aws_common.TestMetadataFunctions ‑ test_is_running_on_ec2_success
tests.unit.glue.test_empty_s3_key_fix ‑ test_empty_s3_key_handling
tests.unit.glue.test_empty_s3_key_fix ‑ test_get_dataflow_graph_with_empty_key_directly
tests.unit.glue.test_empty_s3_key_fix ‑ test_original_error_scenario
tests.unit.glue.test_empty_s3_key_fix ‑ test_param_validation_error_handling
tests.unit.glue.test_glue_source ‑ test_column_type[array]
tests.unit.glue.test_glue_source ‑ test_column_type[char]
tests.unit.glue.test_glue_source ‑ test_column_type[map]
tests.unit.glue.test_glue_source ‑ test_column_type[struct]
tests.unit.glue.test_glue_source ‑ test_config_without_platform
tests.unit.glue.test_glue_source ‑ test_get_databases_filters_by_catalog
tests.unit.glue.test_glue_source ‑ test_glue_ingest[None-glue_mces.json-glue_mces_golden.json]
tests.unit.glue.test_glue_source ‑ test_glue_ingest[some_instance_name-glue_mces_platform_instance.json-glue_mces_platform_instance_golden.json]
tests.unit.glue.test_glue_source ‑ test_glue_ingest_include_column_lineage[None-glue_mces.json-glue_mces_golden_table_column_lineage.json]
tests.unit.glue.test_glue_source ‑ test_glue_ingest_include_table_lineage[None-glue_mces.json-glue_mces_golden_table_lineage.json]
tests.unit.glue.test_glue_source ‑ test_glue_ingest_with_lake_formation_tag_extraction[None-glue_mces_lake_formation_tags.json-glue_mces_lake_formation_tags_golden.json]
tests.unit.glue.test_glue_source ‑ test_glue_ingest_with_profiling
tests.unit.glue.test_glue_source ‑ test_glue_stateful
tests.unit.glue.test_glue_source ‑ test_glue_with_delta_schema_ingest
tests.unit.glue.test_glue_source ‑ test_glue_with_malformed_delta_schema_ingest
tests.unit.glue.test_glue_source ‑ test_ignore_resource_links[False-all_databases_and_tables_result1]
tests.unit.glue.test_glue_source ‑ test_ignore_resource_links[True-all_databases_and_tables_result0]
tests.unit.glue.test_glue_source ‑ test_platform_config
tests.unit.glue.test_glue_source ‑ test_platform_must_be_valid
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_as_platform_resource
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_datahub_linked_resources
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_get_from_datahub_no_existing_resources
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_get_from_datahub_with_existing_resources
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_get_from_datahub_with_mismatched_platform_instance
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_get_id
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_init
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResource ‑ test_is_managed_by_datahub
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_from_datahub_tag
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_from_tag_with_existing_resource
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_from_tag_with_no_existing_resource
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_init_with_all_fields
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_init_with_required_fields
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_resource_type_method
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_search_by_urn_no_results
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_search_by_urn_with_results
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_to_platform_resource_key_with_catalog
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagPlatformResourceId ‑ test_to_platform_resource_key_without_catalog
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagSyncContext ‑ test_init_with_defaults
tests.unit.glue.test_lake_formation_tag_platform_resource.TestLakeFormationTagSyncContext ‑ test_init_with_values
tests.unit.grafana.test_grafana_api ‑ test_create_session
tests.unit.grafana.test_grafana_api ‑ test_get_dashboard_error
tests.unit.grafana.test_grafana_api ‑ test_get_dashboard_success
tests.unit.grafana.test_grafana_api ‑ test_get_dashboards_error
tests.unit.grafana.test_grafana_api ‑ test_get_dashboards_success
tests.unit.grafana.test_grafana_api ‑ test_get_folders_error
tests.unit.grafana.test_grafana_api ‑ test_get_folders_success
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_chart_mcps
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_chart_mcps_no_tags
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_custom_properties
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_dashboard_mcps
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_dashboard_mcps_no_owners
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_dashboard_properties
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_ownership
tests.unit.grafana.test_grafana_entity_mcp_builder ‑ test_build_ownership_full_email
tests.unit.grafana.test_grafana_field_utils ‑ test_datasource_ref_field_access
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_fields_from_panel_with_empty_fields
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_prometheus_fields
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_raw_sql_fields
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_raw_sql_fields_case_insensitive
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_raw_sql_fields_invalid
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_raw_sql_fields_with_text_panel
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_sql_column_fields
tests.unit.grafana.test_grafana_field_utils ‑ test_extract_time_format_fields
tests.unit.grafana.test_grafana_field_utils ‑ test_get_fields_from_field_config
tests.unit.grafana.test_grafana_field_utils ‑ test_get_fields_from_field_config_empty
tests.unit.grafana.test_grafana_field_utils ‑ test_get_fields_from_field_config_none
tests.unit.grafana.test_grafana_field_utils ‑ test_get_fields_from_transformations
tests.unit.grafana.test_grafana_field_utils ‑ test_panel_safe_field_config_property
tests.unit.grafana.test_grafana_lineage ‑ test_create_basic_lineage
tests.unit.grafana.test_grafana_lineage ‑ test_create_column_lineage
tests.unit.grafana.test_grafana_lineage ‑ test_extract_panel_lineage_mysql
tests.unit.grafana.test_grafana_lineage ‑ test_extract_panel_lineage_no_datasource
tests.unit.grafana.test_grafana_lineage ‑ test_extract_panel_lineage_postgres
tests.unit.grafana.test_grafana_lineage ‑ test_extract_panel_lineage_prometheus
tests.unit.grafana.test_grafana_lineage ‑ test_extract_panel_lineage_unknown_datasource
tests.unit.grafana.test_grafana_models ‑ test_dashboard_basic
tests.unit.grafana.test_grafana_models ‑ test_dashboard_from_grafana_api_response
tests.unit.grafana.test_grafana_models ‑ test_dashboard_missing_created_by
tests.unit.grafana.test_grafana_models ‑ test_dashboard_missing_folder_id
tests.unit.grafana.test_grafana_models ‑ test_dashboard_missing_optional_fields
tests.unit.grafana.test_grafana_models ‑ test_dashboard_missing_tags_field
tests.unit.grafana.test_grafana_models ‑ test_dashboard_nested_panels
tests.unit.grafana.test_grafana_models ‑ test_dashboard_refresh_boolean_conversion
tests.unit.grafana.test_grafana_models ‑ test_dashboard_skip_text_panels
tests.unit.grafana.test_grafana_models ‑ test_dashboard_with_invalid_panel_skips
tests.unit.grafana.test_grafana_models ‑ test_dashboard_with_panels_missing_fields
tests.unit.grafana.test_grafana_models ‑ test_dashboard_with_text_panel
tests.unit.grafana.test_grafana_models ‑ test_folder
tests.unit.grafana.test_grafana_models ‑ test_nested_panels_with_missing_fields
tests.unit.grafana.test_grafana_models ‑ test_panel_basic
tests.unit.grafana.test_grafana_models ‑ test_panel_integer_id_conversion
tests.unit.grafana.test_grafana_models ‑ test_panel_missing_optional_fields
tests.unit.grafana.test_grafana_models ‑ test_panel_with_datasource
tests.unit.grafana.test_grafana_models ‑ test_panel_without_title
tests.unit.grafana.test_grafana_query_extraction.TestExtractQueryFromPanel ‑ test_datasource_to_language_mapping[influxdb]
tests.unit.grafana.test_grafana_query_extraction.TestExtractQueryFromPanel ‑ test_datasource_to_language_mapping[mysql]
tests.unit.grafana.test_grafana_query_extraction.TestExtractQueryFromPanel ‑ test_datasource_to_language_mapping[postgres]
tests.unit.grafana.test_grafana_query_extraction.TestExtractQueryFromPanel ‑ test_datasource_to_language_mapping[prometheus]
tests.unit.grafana.test_grafana_query_extraction.TestExtractQueryFromPanel ‑ test_datasource_to_language_mapping[unknown]
tests.unit.grafana.test_grafana_query_extraction.TestExtractQueryFromPanel ‑ test_query_extraction_handles_realworld_scenarios
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[braced_with_format]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[deprecated_brackets]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[macro_without_parens]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[multiple_variables]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[no_variables]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[realworld_complex]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[realworld_user_query]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[simple_dollar]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[time_filter_macro]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[time_macros]
tests.unit.grafana.test_grafana_query_extraction.TestGrafanaTemplateVariableCleaning ‑ test_removes_all_grafana_variable_formats[variable_in_quotes]
tests.unit.grafana.test_grafana_query_extraction.TestQueryInfoModel ‑ test_validation_rejects_empty_and_cleans_whitespace
tests.unit.grafana.test_grafana_query_extraction.TestSqlFormatting ‑ test_formats_for_known_databases_and_degrades_gracefully
tests.unit.grafana.test_grafana_query_extraction.TestSqlFormatting ‑ test_preserves_grafana_variables_for_display
tests.unit.grafana.test_grafana_report ‑ test_grafana_report_initialization
tests.unit.grafana.test_grafana_report ‑ test_multiple_report_types
tests.unit.grafana.test_grafana_report ‑ test_report_chart_scanned
tests.unit.grafana.test_grafana_report ‑ test_report_dashboard_scanned
tests.unit.grafana.test_grafana_report ‑ test_report_dataset_scanned
tests.unit.grafana.test_grafana_report ‑ test_report_folder_scanned
tests.unit.grafana.test_grafana_source ‑ test_process_dashboard
tests.unit.grafana.test_grafana_source ‑ test_process_dashboard_with_folder
tests.unit.grafana.test_grafana_source ‑ test_process_folder
tests.unit.grafana.test_grafana_source ‑ test_source_close
tests.unit.grafana.test_grafana_source ‑ test_source_get_report
tests.unit.grafana.test_grafana_source ‑ test_source_get_workunits_internal
tests.unit.grafana.test_grafana_source ‑ test_source_initialization
tests.unit.grafana.test_grafana_source ‑ test_source_platform_instance_none
tests.unit.grafana.test_grafana_validation ‑ test_dashboard_completely_minimal
tests.unit.grafana.test_grafana_validation ‑ test_dashboard_missing_tags_validation
tests.unit.grafana.test_grafana_validation ‑ test_dashboard_with_incomplete_panels
tests.unit.grafana.test_grafana_validation ‑ test_multiple_panels_without_id_or_title
tests.unit.grafana.test_grafana_validation ‑ test_panel_completely_minimal
tests.unit.grafana.test_grafana_validation ‑ test_panel_validation_with_missing_fields
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_all_null_optional_fields
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_missing_id
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_null_description
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_null_field_config
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_null_id
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_null_targets
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_null_transformations
tests.unit.grafana.test_grafana_validation ‑ test_panel_with_string_datasource
tests.unit.grafana.test_grafana_validation ‑ test_panels_identical_except_position

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 2552 to 3188)

There are 7547 tests, see "Raw output" for the list of tests 2552 to 3188.
Raw output
tests.unit.grafana.test_grafana_validation ‑ test_realistic_grafana_api_response
tests.unit.grafana.test_grafana_validation ‑ test_text_panel_like_real_grafana
tests.unit.hex.test_api.TestHexAPI ‑ test_fetch_projects_failure_http_error
tests.unit.hex.test_api.TestHexAPI ‑ test_fetch_projects_failure_response_validation
tests.unit.hex.test_api.TestHexAPI ‑ test_fetch_projects_pagination
tests.unit.hex.test_api.TestHexAPI ‑ test_fetch_projects_warning_model_mapping
tests.unit.hex.test_api.TestHexAPI ‑ test_map_data_component
tests.unit.hex.test_api.TestHexAPI ‑ test_map_data_project
tests.unit.hex.test_hex.TestHexSourceConfig ‑ test_lineage_config
tests.unit.hex.test_hex.TestHexSourceConfig ‑ test_minimum_config
tests.unit.hex.test_hex.TestHexSourceConfig ‑ test_required_fields
tests.unit.hex.test_mapper.TestMapper ‑ test_dashboard_usage_statistics
tests.unit.hex.test_mapper.TestMapper ‑ test_dataset_edges
tests.unit.hex.test_mapper.TestMapper ‑ test_external_urls
tests.unit.hex.test_mapper.TestMapper ‑ test_get_dashboard_urn
tests.unit.hex.test_mapper.TestMapper ‑ test_global_tags_all
tests.unit.hex.test_mapper.TestMapper ‑ test_global_tags_categories
tests.unit.hex.test_mapper.TestMapper ‑ test_global_tags_collections
tests.unit.hex.test_mapper.TestMapper ‑ test_global_tags_status
tests.unit.hex.test_mapper.TestMapper ‑ test_map_component
tests.unit.hex.test_mapper.TestMapper ‑ test_map_project
tests.unit.hex.test_mapper.TestMapper ‑ test_map_project_with_upstream_datasets
tests.unit.hex.test_mapper.TestMapper ‑ test_map_workspace
tests.unit.hex.test_mapper.TestMapper ‑ test_ownership
tests.unit.hex.test_mapper.TestMapper ‑ test_platform_instance_aspect
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_complex_urls
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_context_app_view
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_context_logic_view
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_context_unexpected
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_custom_domain
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_http_protocol
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_invalid_json
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_invalid_url_format_returns_none
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_matching_workspace
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_missing_context
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_missing_project_id
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_no_metadata
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_with_non_matching_workspace
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherExtractHexMetadata ‑ test_extract_hex_metadata_without_url_returns_none
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherFetch ‑ test_fetch_with_missing_hex_query_metadata
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherFetch ‑ test_fetch_with_missing_not_matching_workspace
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherFetch ‑ test_fetch_with_no_subjects
tests.unit.hex.test_query_fetcher.TestHexQueryFetcherFetch ‑ test_fetch_with_valid_data
tests.unit.ingestion.recording.test_patcher.TestConnectionWrapping ‑ test_connection_proxy_delegates_methods
tests.unit.ingestion.recording.test_patcher.TestConnectionWrapping ‑ test_connection_proxy_wraps_cursor
tests.unit.ingestion.recording.test_patcher.TestHTTPPatching ‑ test_http_recorder_context_manager
tests.unit.ingestion.recording.test_patcher.TestHTTPPatching ‑ test_vcr_bypass_context_manager
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_cursor_proxy_iteration_after_execute
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_cursor_proxy_wraps_execute
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_patcher_context_manager
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_patcher_initialization
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_replay_connection_serves_recorded_queries
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_snowflake_connect_wrapper_recording_mode
tests.unit.ingestion.recording.test_patcher.TestModulePatcher ‑ test_snowflake_connect_wrapper_replay_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_get_dataset_recording_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_get_dataset_replay_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_get_dataset_replay_mode_not_found
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_get_dataset_replay_mode_with_error
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_datasets_recording_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_datasets_recording_mode_exception
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_datasets_replay_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_datasets_replay_mode_not_found
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_datasets_replay_mode_with_error
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_tables_recording_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_tables_replay_mode
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_tables_replay_mode_expiration_ms_conversion
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_list_tables_replay_mode_with_none_require_partition_filter
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_wrapped_client_recording_mode_init
tests.unit.ingestion.recording.test_patcher.TestWrappedClient ‑ test_wrapped_client_replay_mode_init
tests.unit.ingestion.recording.test_patcher_error_handling.TestRecordingValidation ‑ test_validation_with_queries
tests.unit.ingestion.recording.test_patcher_error_handling.TestRecordingValidation ‑ test_validation_without_queries
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Certificate validation error]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Connection refused]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Connection reset by peer]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Name resolution failed]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[Proxy authentication required]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[SSL certificate verify failed]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_error_pattern_matching[SSL handshake failure]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Authentication failed]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Invalid credentials]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Permission denied]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Syntax error in query]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_non_vcr_errors_not_detected[Table not found]
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_active_with_matching_error_returns_true
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_active_with_non_matching_error_returns_false
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_not_active_returns_false
tests.unit.ingestion.recording.test_patcher_error_handling.TestVCRInterferenceDetection ‑ test_vcr_not_installed
tests.unit.ingestion.recording.test_recording_helpers.TestConvertExpirationMs ‑ test_float_converted_to_int
tests.unit.ingestion.recording.test_recording_helpers.TestConvertExpirationMs ‑ test_int_returns_unchanged
tests.unit.ingestion.recording.test_recording_helpers.TestConvertExpirationMs ‑ test_invalid_string_returns_none_with_warning
tests.unit.ingestion.recording.test_recording_helpers.TestConvertExpirationMs ‑ test_invalid_type_returns_none
tests.unit.ingestion.recording.test_recording_helpers.TestConvertExpirationMs ‑ test_none_returns_none
tests.unit.ingestion.recording.test_recording_helpers.TestConvertExpirationMs ‑ test_string_converted_to_int
tests.unit.ingestion.recording.test_recording_helpers.TestCreateTimePartitioning ‑ test_creates_time_partitioning_from_dict
tests.unit.ingestion.recording.test_recording_helpers.TestCreateTimePartitioning ‑ test_handles_missing_keys
tests.unit.ingestion.recording.test_recording_helpers.TestCreateTimePartitioning ‑ test_handles_none_values
tests.unit.ingestion.recording.test_recording_helpers.TestCreateTimePartitioning ‑ test_handles_string_expiration_ms
tests.unit.ingestion.recording.test_recording_helpers.TestCreateTimePartitioning ‑ test_returns_none_on_error
tests.unit.ingestion.recording.test_recording_helpers.TestMockQueryResult ‑ test_iteration
tests.unit.ingestion.recording.test_recording_helpers.TestMockQueryResult ‑ test_len
tests.unit.ingestion.recording.test_recording_helpers.TestMockQueryResult ‑ test_result_method
tests.unit.ingestion.recording.test_recording_helpers.TestMockQueryResult ‑ test_rows_are_mock_rows
tests.unit.ingestion.recording.test_recording_helpers.TestMockQueryResult ‑ test_total_rows
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_attribute_access
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_dict_access
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_get_method
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_iteration
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_keys_method
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_missing_attribute_returns_none
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_private_attribute_raises
tests.unit.ingestion.recording.test_recording_helpers.TestMockRow ‑ test_repr
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_clustering_fields_property
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_expires_property
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_initialization
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_labels_property
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_properties_attribute
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_table_type_property
tests.unit.ingestion.recording.test_recording_helpers.TestMockTableListItem ‑ test_time_partitioning_property
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_binary_non_utf8_returns_as_is
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_empty_body_returns_as_is
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_filters_non_comma_values_unchanged
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_filters_with_comma_separated_values_sorted
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_json_bytes_decoded_and_normalized
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_json_object_normalized_with_sorted_keys
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_nested_json_structure_preserved
tests.unit.ingestion.recording.test_recording_helpers.TestNormalizeJsonBody ‑ test_non_json_string_returns_as_is
tests.unit.ingestion.recording.test_recording_helpers.TestQueryRecorderContextManager ‑ test_context_manager_handles_exception
tests.unit.ingestion.recording.test_recording_helpers.TestQueryRecorderContextManager ‑ test_context_manager_records_queries
tests.unit.ingestion.recording.test_recording_helpers.TestQueryRecorderContextManager ‑ test_context_manager_returns_recorder
tests.unit.ingestion.recording.test_recording_helpers.TestQueryRecorderContextManager ‑ test_context_manager_starts_and_stops_recording
tests.unit.ingestion.recording.test_recording_helpers.TestQueryRecorderContextManager ‑ test_del_closes_file_handle
tests.unit.ingestion.recording.test_recording_helpers.TestS3DownloadErrorHandling ‑ test_local_path_returns_unchanged
tests.unit.ingestion.recording.test_recording_helpers.TestS3DownloadErrorHandling ‑ test_s3_download_failure_cleans_up_temp_file
tests.unit.ingestion.recording.test_recording_helpers.TestS3DownloadErrorHandling ‑ test_s3_download_success_returns_local_path
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_advanced_configuration
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_both_auth_methods_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_cloud_without_api_token_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_cloud_without_username_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_combined_space_and_page_filtering
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_document_id_pattern_excludes_directory
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_hierarchy_strategy_defaults_to_confluence
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_max_pages_per_space_default
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_max_spaces_default
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_minimal_cloud_config_valid
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_minimal_datacenter_config_valid
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_missing_auth_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_no_filtering_is_valid
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_and_deny_together
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_empty_list_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_invalid_url_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_mixed_ids_and_urls
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_non_numeric_id_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_with_cloud_urls
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_with_datacenter_urls
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_allow_with_page_ids
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_page_deny_with_page_ids
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_platform_instance_empty_string_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_platform_instance_invalid_characters_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_platform_instance_none_is_valid
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_platform_instance_valid_values
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_recursive_default
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_allow_and_deny_together
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_allow_empty_list_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_allow_invalid_url_raises_error
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_allow_mixed_keys_and_urls
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_allow_with_space_keys
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_allow_with_urls
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_space_deny_with_space_keys
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_adds_wiki_for_cloud
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_datacenter_unchanged
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_datacenter_with_context_path
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_strips_home
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_strips_pages
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_strips_spaces
tests.unit.ingestion.source.confluence.test_confluence_config ‑ test_url_normalization_strips_trailing_slash
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_empty_strings_in_space_allow
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_exclude_archived_content_common_pattern
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_exclude_personal_spaces_common_pattern
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_fixture_api_calls
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_fixture_structure
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_mixed_valid_invalid_page_ids
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_no_filters_ingests_all_spaces
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_no_page_filters_ingests_all_pages
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_allow_and_deny_combined
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_allow_ignores_both_space_filters
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_allow_includes_only_specified_pages
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_allow_overrides_space_allow
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_allow_with_page_deny_complex
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_allow_with_urls
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_deny_excludes_specified_pages
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_deny_only_filters_across_all_spaces
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_deny_with_space_deny
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_page_url_malformed
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_space_allow_and_deny_combined
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_space_allow_includes_only_specified_spaces
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_space_allow_with_urls
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_space_and_page_filters_combined
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_space_deny_excludes_specified_spaces
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_space_url_without_wiki
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_specific_documentation_tree_common_pattern
tests.unit.ingestion.source.confluence.test_confluence_filtering ‑ test_whitespace_only_strings
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_browse_path_v2_ancestor_not_ingested
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_browse_path_v2_fallback_to_space_key
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_browse_path_v2_missing_space
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_browse_path_v2_root_page
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_browse_path_v2_with_ancestors
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_parent_urn_custom_platform
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_build_parent_urn_default_platform
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_ancestors_empty
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_ancestors_multi_level
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_page_title
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_page_title_missing
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_page_url_direct
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_page_url_from_links
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_page_url_missing
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_parent_id_empty_metadata
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_parent_id_invalid_ancestors
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_parent_id_missing_ancestors
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_parent_id_no_parent
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_parent_id_none_metadata
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_parent_id_with_parent
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_space_key_missing
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_space_key_nested
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_space_key_top_level
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_space_name_missing
tests.unit.ingestion.source.confluence.test_confluence_hierarchy ‑ test_extract_space_name_nested
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_browse_path_ancestor_not_ingested
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_browse_path_deep_hierarchy
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_browse_path_emitted_for_nested_page
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_browse_path_emitted_for_root_page
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_build_page_urn
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_connection_failed
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_connection_successful
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_cycle_detection_prevents_infinite_loop
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_data_center_hash_uniqueness
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_explicit_platform_instance
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_extract_parent_urn_no_parent
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_extract_parent_urn_parent_not_ingested
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_extract_parent_urn_with_parent
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_extract_text_from_page
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_get_pages_recursively
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_get_pages_recursively_non_recursive
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_get_report
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_get_spaces_auto_discover
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_get_spaces_with_space_allow
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_get_spaces_with_space_deny
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_hash_based_instance_id
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_is_page_allowed_with_page_allow
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_is_page_allowed_with_page_deny
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_multi_instance_urn_uniqueness
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_source_initialization_cloud
tests.unit.ingestion.source.confluence.test_confluence_source ‑ test_source_initialization_datacenter
tests.unit.ingestion.source.notion.test_notion_config ‑ test_empty_api_key
tests.unit.ingestion.source.notion.test_notion_config ‑ test_filtering_config_defaults
tests.unit.ingestion.source.notion.test_notion_config ‑ test_hierarchy_defaults_to_notion_strategy
tests.unit.ingestion.source.notion.test_notion_config ‑ test_invalid_database_id_format
tests.unit.ingestion.source.notion.test_notion_config ‑ test_invalid_page_id_non_hex
tests.unit.ingestion.source.notion.test_notion_config ‑ test_invalid_page_id_too_long
tests.unit.ingestion.source.notion.test_notion_config ‑ test_invalid_page_id_too_short
tests.unit.ingestion.source.notion.test_notion_config ‑ test_missing_api_key
tests.unit.ingestion.source.notion.test_notion_config ‑ test_missing_both_page_and_database_ids
tests.unit.ingestion.source.notion.test_notion_config ‑ test_multiple_page_ids
tests.unit.ingestion.source.notion.test_notion_config ‑ test_processing_config_defaults
tests.unit.ingestion.source.notion.test_notion_config ‑ test_recursive_default
tests.unit.ingestion.source.notion.test_notion_config ‑ test_recursive_false
tests.unit.ingestion.source.notion.test_notion_config ‑ test_valid_config_with_both_ids
tests.unit.ingestion.source.notion.test_notion_config ‑ test_valid_config_with_database_ids
tests.unit.ingestion.source.notion.test_notion_config ‑ test_valid_config_with_hyphens
tests.unit.ingestion.source.notion.test_notion_config ‑ test_valid_config_with_page_ids
tests.unit.ingestion.source.notion.test_notion_config ‑ test_valid_config_without_hyphens
tests.unit.ingestion.source.notion.test_notion_config ‑ test_whitespace_api_key
tests.unit.ingestion.source.notion.test_notion_source ‑ test_calculate_document_hash_changes_with_config
tests.unit.ingestion.source.notion.test_notion_source ‑ test_calculate_document_hash_changes_with_content
tests.unit.ingestion.source.notion.test_notion_source ‑ test_calculate_document_hash_includes_config
tests.unit.ingestion.source.notion.test_notion_source ‑ test_embedding_stats_aggregation
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_parent_urn_database_parent
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_parent_urn_no_parent
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_parent_urn_page_parent
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_parent_urn_with_ingested_pages
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_parent_urn_workspace_parent
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_url
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_url_missing_page_id
tests.unit.ingestion.source.notion.test_notion_source ‑ test_extract_notion_url_not_in_map
tests.unit.ingestion.source.notion.test_notion_source ‑ test_get_processing_config_fingerprint
tests.unit.ingestion.source.notion.test_notion_source ‑ test_get_processing_config_fingerprint_no_chunking
tests.unit.ingestion.source.notion.test_notion_source ‑ test_report_is_notion_source_report
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_process_document_content_changed
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_process_document_new_document
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_process_document_stateful_disabled
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_process_document_unchanged
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_skip_file_empty_document
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_skip_file_page_id_filter_match
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_skip_file_page_id_filter_no_match
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_skip_file_text_long_enough
tests.unit.ingestion.source.notion.test_notion_source ‑ test_should_skip_file_text_too_short
tests.unit.ingestion.source.notion.test_notion_source ‑ test_source_initialization
tests.unit.ingestion.source.notion.test_notion_source ‑ test_source_platform_attribute
tests.unit.ingestion.source.notion.test_notion_source ‑ test_stateful_ingestion_config_disabled_by_default
tests.unit.ingestion.source.notion.test_notion_source ‑ test_stateful_ingestion_config_settings
tests.unit.ingestion.source.notion.test_notion_source ‑ test_stateful_ingestion_handler_initialized
tests.unit.ingestion.source.notion.test_notion_source ‑ test_update_document_state
tests.unit.ingestion.source.unstructured.test_backward_compatibility ‑ test_new_server_with_semantic_search_disabled_fails
tests.unit.ingestion.source.unstructured.test_backward_compatibility ‑ test_old_server_with_break_glass_flag
tests.unit.ingestion.source.unstructured.test_backward_compatibility ‑ test_old_server_with_local_config_succeeds
tests.unit.ingestion.source.unstructured.test_backward_compatibility ‑ test_old_server_without_local_config_uses_defaults
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_batch_mode_no_embedding_model
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_document_processed_without_embeddings_on_failure
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_embedding_failure_batch_mode
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_embedding_failure_reporting_inline_mode
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_embedding_success_batch_mode
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_embedding_success_reporting_inline_mode
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_inline_mode_no_embedding_model
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_mixed_success_and_failure
tests.unit.ingestion.source.unstructured.test_chunking_source ‑ test_multiple_embedding_failures
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_allow_local_embedding_config_flag
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_default_values
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_from_server_bedrock
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_from_server_cohere
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_get_default_config
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_get_default_config_has_local_config
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_has_local_config_empty
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_has_local_config_with_both
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_has_local_config_with_model
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_has_local_config_with_provider
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_bedrock_variants
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_cohere_variants
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_from_server_bedrock
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_from_server_cohere
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_from_server_openai
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_from_server_unsupported
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_normalize_provider_unknown
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_error_includes_fix_suggestions
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_model_mismatch
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_multiple_errors
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_provider_mismatch
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_region_mismatch
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_success_bedrock
tests.unit.ingestion.source.unstructured.test_embedding_validation ‑ test_validate_against_server_success_cohere
tests.unit.looker.test_looker_common.TestExploreUpstreamViewFieldFormFieldName ‑ test_returns_none_for_empty_field_name[test_view.   ]
tests.unit.looker.test_looker_common.TestExploreUpstreamViewFieldFormFieldName ‑ test_returns_none_for_empty_field_name[test_view.]
tests.unit.looker.test_looker_common.TestExploreUpstreamViewFieldFormFieldName ‑ test_returns_none_for_invalid_field_format
tests.unit.looker.test_looker_common.TestExploreUpstreamViewFieldFormFieldName ‑ test_variant_removal_causing_empty_name
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_field_splitting_combines_results_from_multiple_chunks
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_field_splitting_statistics_reporting
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_field_splitting_triggered_when_exceeding_threshold
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_get_fields_from_looker_api_filters_by_view
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_individual_field_fallback_when_chunk_fails
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_max_workers_validation_maximum
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_max_workers_validation_minimum
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_no_partial_lineage_when_disabled
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_parallel_processing_with_multiple_workers
tests.unit.lookml.test_lookml_api_based_view_upstream.TestFieldSplittingAndParallelProcessing ‑ test_partial_lineage_allowed_when_parsing_errors_occur
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_api_failure_fallback
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_class_level_cache_different_explores
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_class_level_cache_for_explore_fields
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_create_fields
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_create_fields_no_column_lineage
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_duration_dimension_group_handling
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_duration_dimension_group_without_intervals
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_execute_query_invalid_response_format
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_execute_query_no_sql_response
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_execute_query_success
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_field_name_from_looker_api_field_name
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_field_name_from_looker_api_field_name_mismatch
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_looker_api_field_name
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_spr_column_error
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_spr_table_error
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_sql_write_query_no_fields
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_sql_write_query_success
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_upstream_column_ref
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_upstream_column_ref_dimension_group
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_get_upstream_dataset_urn
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_latency_tracking
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_optimization_algorithm_edge_cases
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_optimization_algorithm_performance
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_time_dimension_group_handling
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_time_dimension_group_without_timeframes
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_view_optimization_algorithm
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_view_optimization_efficiency
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_view_optimization_empty_input
tests.unit.lookml.test_lookml_api_based_view_upstream.TestLookMLAPIBasedViewUpstream ‑ test_view_optimization_single_view_multiple_explores
tests.unit.lookml.test_lookml_config ‑ test_connection_to_platform_map_full_dict_preserved
tests.unit.lookml.test_lookml_config ‑ test_connection_to_platform_map_legacy_string_with_dot_upconverted
tests.unit.lookml.test_lookml_config ‑ test_connection_to_platform_map_legacy_string_without_dot_upconverted
tests.unit.lookml.test_lookml_config ‑ test_git_info_validator_handles_dict_with_deploy_key_file
tests.unit.lookml.test_lookml_config ‑ test_git_info_validator_handles_non_dict_input
tests.unit.lookml.test_lookml_config ‑ test_looker_environment_dev_accepted
tests.unit.lookml.test_lookml_config ‑ test_looker_environment_invalid_raises
tests.unit.lookml.test_lookml_config ‑ test_max_workers_above_100_capped_to_100
tests.unit.lookml.test_lookml_config ‑ test_max_workers_below_one_raises
tests.unit.lookml.test_lookml_config ‑ test_missing_base_folder_and_git_info_raises
tests.unit.lookml.test_lookml_config ‑ test_missing_connection_map_and_api_raises
tests.unit.lookml.test_lookml_config ‑ test_missing_project_name_and_api_raises
tests.unit.lookml.test_lookml_config ‑ test_project_dependencies_git_info_deserializes_to_git_info
tests.unit.lookml.test_lookml_config ‑ test_project_dependencies_local_path_deserializes_to_directory_path
tests.unit.lookml.test_lookml_config ‑ test_project_dependencies_mixed_local_path_and_git_info
tests.unit.lookml.test_lookml_config ‑ test_project_dependencies_nonexistent_path_raises_validation_error
tests.unit.lookml.test_lookml_config ‑ test_use_api_for_view_lineage_without_api_raises
tests.unit.mock_data.test_datahub_mock_data_report.TestDataHubMockDataReport ‑ test_first_urn_capture
tests.unit.mock_data.test_datahub_mock_data_report.TestDataHubMockDataReport ‑ test_no_urns_when_lineage_disabled
tests.unit.mock_data.test_mock_data_source ‑ test_aspect_generation
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[0-3-None-3]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[0-5-2-5]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[1-3-0-0]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[1-3-2-2]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[1-3-None-3]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[10-100-50-50]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[2-4-1-1]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_fanout_for_level_parametrized[2-5-None-5]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[1-3-None-4-expected_levels2]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[2-1-None-3-expected_levels1]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[3-0-None-1-expected_levels0]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[3-10-None-88573-expected_levels6]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[3-3-1-10-expected_levels5]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[3-3-2-22-expected_levels3]
tests.unit.mock_data.test_mock_data_source ‑ test_calculate_lineage_tables_parametrized[5-4-1-21-expected_levels4]
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_empty_subtype_types
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_invalid_pattern
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_patterns[all_table-None-None-test_cases3]
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_patterns[all_view-None-None-test_cases4]
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_patterns[alternating-None-None-test_cases0]
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_patterns[alternating-None-subtype_types1-test_cases1]
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_patterns[alternating-None-subtype_types2-test_cases2]
tests.unit.mock_data.test_mock_data_source ‑ test_determine_subtype_patterns[level_based-level_subtypes5-None-test_cases5]
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_gen1_disabled
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_gen1_lineage_relationships
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_gen1_no_hops
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_gen1_table_naming
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_gen1_workunit_counts_parametrized[2-1-14]
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_gen1_workunit_counts_parametrized[4-1-24]
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_subtypes_disabled
tests.unit.mock_data.test_mock_data_source ‑ test_generate_lineage_data_with_subtypes
tests.unit.mock_data.test_mock_data_source ‑ test_get_subtypes_aspect
tests.unit.mock_data.test_mock_data_source ‑ test_lineage_config_gen1_custom_values
tests.unit.mock_data.test_mock_data_source ‑ test_mock_data_source_basic_functionality
tests.unit.mock_data.test_mock_data_source ‑ test_subtype_pattern_enum_values
tests.unit.mock_data.test_mock_data_source ‑ test_subtype_types_with_three_types_and_two_hops
tests.unit.mock_data.test_mock_data_source ‑ test_subtypes_config_custom_values
tests.unit.mock_data.test_mock_data_source ‑ test_subtypes_config_defaults
tests.unit.mock_data.test_mock_data_source ‑ test_subtypes_level_based_pattern
tests.unit.mock_data.test_mock_data_source ‑ test_table_naming_helper_integration
tests.unit.mock_data.test_table_naming_helper ‑ test_table_naming_helper_generate_table_name
tests.unit.mock_data.test_table_naming_helper ‑ test_table_naming_helper_invalid_input
tests.unit.mock_data.test_table_naming_helper ‑ test_table_naming_helper_is_valid_table_name
tests.unit.mock_data.test_table_naming_helper ‑ test_table_naming_helper_parse_table_name
tests.unit.mock_data.test_table_naming_helper ‑ test_table_naming_helper_round_trip
tests.unit.mock_data.test_table_naming_helper ‑ test_table_naming_helper_with_prefix
tests.unit.patch.test_patch_builder ‑ test_basic_chart_patch_builder
tests.unit.patch.test_patch_builder ‑ test_basic_dashboard_patch_builder
tests.unit.patch.test_patch_builder ‑ test_basic_dataset_patch_builder
tests.unit.patch.test_patch_builder ‑ test_complex_dataset_patch
tests.unit.patch.test_patch_builder ‑ test_datajob_patch_builder[both_timestamps]
tests.unit.patch.test_patch_builder ‑ test_datajob_patch_builder[no_timestamps]
tests.unit.patch.test_patch_builder ‑ test_datajob_patch_builder[only_created]
tests.unit.patch.test_patch_builder ‑ test_datajob_patch_builder[only_modified]
tests.unit.patch.test_siblings_patch ‑ test_add_sibling_patch
tests.unit.patch.test_siblings_patch ‑ test_add_sibling_patch_with_primary
tests.unit.patch.test_siblings_patch ‑ test_multiple_sibling_operations
tests.unit.patch.test_siblings_patch ‑ test_remove_sibling_patch
tests.unit.patch.test_siblings_patch ‑ test_set_siblings_patch
tests.unit.patch.test_siblings_patch ‑ test_sibling_patch_builder_inheritance
tests.unit.patch.test_siblings_patch ‑ test_sibling_patch_with_complex_urns
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_database_only_mapping_valid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_database_schema_mapping_valid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_empty_dict_valid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_mixed_mapping_valid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_non_dict_type_invalid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_omitted_field_defaults_to_empty_valid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_dsn_to_database_schema_config[dsn_too_many_dots_invalid]
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_get_from_dataset_type_mapping_exact_match
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_get_from_dataset_type_mapping_no_spaces
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_get_from_dataset_type_mapping_normalized_match
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_get_from_dataset_type_mapping_normalized_not_found
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_is_platform_in_dataset_type_mapping
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_map_data_platform_no_postgresql
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_map_data_platform_postgresql_conversion
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_raise_error_for_dataset_type_mapping
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_validate_athena_table_platform_override_empty
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_validate_athena_table_platform_override_invalid
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_validate_extract_column_level_lineage_false
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_validate_extract_column_level_lineage_missing_flags
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_validate_extract_dataset_schema_false
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_workspace_id_backward_compatibility
tests.unit.powerbi.test_config.TestPowerBiConfig ‑ test_workspace_id_ignored_when_pattern_set
tests.unit.powerbi.test_odbc ‑ test_driver_extraction
tests.unit.powerbi.test_odbc ‑ test_dsn_mapping
tests.unit.powerbi.test_odbc ‑ test_platform_extraction
tests.unit.powerbi.test_odbc ‑ test_server_extraction
tests.unit.recording.test_archive.TestArchiveManifest ‑ test_create_manifest
tests.unit.recording.test_archive.TestArchiveManifest ‑ test_manifest_from_dict
tests.unit.recording.test_archive.TestArchiveManifest ‑ test_manifest_to_dict
tests.unit.recording.test_archive.TestComputeChecksum ‑ test_checksum_different_content
tests.unit.recording.test_archive.TestComputeChecksum ‑ test_compute_checksum
tests.unit.recording.test_archive.TestPrepareRecipeForReplay ‑ test_replace_markers_in_list
tests.unit.recording.test_archive.TestPrepareRecipeForReplay ‑ test_replace_markers_nested
tests.unit.recording.test_archive.TestPrepareRecipeForReplay ‑ test_replace_markers_simple
tests.unit.recording.test_archive.TestPrepareRecipeForReplay ‑ test_roundtrip
tests.unit.recording.test_archive.TestRedactSecrets ‑ test_non_secret_fields_preserved
tests.unit.recording.test_archive.TestRedactSecrets ‑ test_redact_api_key
tests.unit.recording.test_archive.TestRedactSecrets ‑ test_redact_in_list
tests.unit.recording.test_archive.TestRedactSecrets ‑ test_redact_nested
tests.unit.recording.test_archive.TestRedactSecrets ‑ test_redact_password
tests.unit.recording.test_archive.TestRedactSecrets ‑ test_redact_token
tests.unit.recording.test_config ‑ test_replay_dummy_constants
tests.unit.recording.test_config.TestGetRecordingPasswordFromEnv ‑ test_admin_password_fallback
tests.unit.recording.test_config.TestGetRecordingPasswordFromEnv ‑ test_datahub_password_takes_precedence
tests.unit.recording.test_config.TestGetRecordingPasswordFromEnv ‑ test_datahub_recording_password
tests.unit.recording.test_config.TestGetRecordingPasswordFromEnv ‑ test_no_env_vars
tests.unit.recording.test_config.TestRecordingConfig ‑ test_default_disabled
tests.unit.recording.test_config.TestRecordingConfig ‑ test_disabled_s3_allows_missing_output_path
tests.unit.recording.test_config.TestRecordingConfig ‑ test_disabled_s3_with_output_path
tests.unit.recording.test_config.TestRecordingConfig ‑ test_enabled_requires_password
tests.unit.recording.test_config.TestRecordingConfig ‑ test_enabled_with_password
tests.unit.recording.test_config.TestReplayConfig ‑ test_live_sink_mode
tests.unit.recording.test_config.TestReplayConfig ‑ test_required_fields
tests.unit.recording.test_db_proxy.TestConnectionProxy ‑ test_cursor_returns_proxy
tests.unit.recording.test_db_proxy.TestCursorProxy ‑ test_recording_mode
tests.unit.recording.test_db_proxy.TestCursorProxy ‑ test_replay_missing_query_raises
tests.unit.recording.test_db_proxy.TestCursorProxy ‑ test_replay_mode
tests.unit.recording.test_db_proxy.TestQueryRecorder ‑ test_load_multiple_recordings
tests.unit.recording.test_db_proxy.TestQueryRecorder ‑ test_record_and_retrieve
tests.unit.recording.test_db_proxy.TestQueryRecording ‑ test_create_recording
tests.unit.recording.test_db_proxy.TestQueryRecording ‑ test_from_dict
tests.unit.recording.test_db_proxy.TestQueryRecording ‑ test_get_key_consistent
tests.unit.recording.test_db_proxy.TestQueryRecording ‑ test_get_key_unique
tests.unit.recording.test_db_proxy.TestQueryRecording ‑ test_to_dict
tests.unit.recording.test_db_proxy.TestReplayConnection ‑ test_replay_connection_cursor
tests.unit.recording.test_db_proxy.TestReplayConnection ‑ test_replay_connection_noop_methods
tests.unit.recording.test_http_recorder.TestHTTPRecorder ‑ test_recording_creates_cassette
tests.unit.recording.test_http_recorder.TestHTTPRecorder ‑ test_replaying_requires_cassette
tests.unit.recording.test_http_recorder.TestHTTPRecorder ‑ test_request_count_property
tests.unit.recording.test_http_recorder.TestHTTPReplayerForLiveSink ‑ test_live_hosts_configuration
tests.unit.redshift.test_redshift_config ‑ test_incremental_lineage_default_to_false
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_database_get_inbound_datashare_success
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_database_get_partial_inbound_datashare_success
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_database_no_inbound_datashare
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_generate_lineage_malformed_share_platform_resource
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_generate_lineage_missing_graph_reports_warning
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_generate_lineage_missing_producer_platform_resource
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_generate_lineage_shared_database_with_no_tables
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_generate_lineage_success
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_generate_lineage_success_partial_inbound_share
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_shared_database_no_inbound_datashare
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_to_platform_resource_edge_case_single_share
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_to_platform_resource_empty_input
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_to_platform_resource_exception_handling
tests.unit.redshift.test_redshift_datashares.TestDatasharesHelper ‑ test_to_platform_resource_success
tests.unit.redshift.test_redshift_lineage ‑ test_build
tests.unit.redshift.test_redshift_lineage ‑ test_build_s3_path_from_row
tests.unit.redshift.test_redshift_lineage ‑ test_cll
tests.unit.redshift.test_redshift_lineage ‑ test_external_schema_get_upstream_schema_success
tests.unit.redshift.test_redshift_lineage ‑ test_external_schema_no_upstream_schema
tests.unit.redshift.test_redshift_lineage ‑ test_get_s3_path
tests.unit.redshift.test_redshift_lineage ‑ test_get_sources
tests.unit.redshift.test_redshift_lineage ‑ test_get_sources_from_query
tests.unit.redshift.test_redshift_lineage ‑ test_get_sources_from_query_with_database
tests.unit.redshift.test_redshift_lineage ‑ test_get_sources_from_query_with_non_default_database
tests.unit.redshift.test_redshift_lineage ‑ test_get_sources_from_query_with_only_table
tests.unit.redshift.test_redshift_lineage ‑ test_get_sources_from_query_with_only_table_name
tests.unit.redshift.test_redshift_lineage ‑ test_get_target_lineage
tests.unit.redshift.test_redshift_lineage ‑ test_local_schema_no_upstream_schema
tests.unit.redshift.test_redshift_lineage ‑ test_make_filtered_target
tests.unit.redshift.test_redshift_lineage ‑ test_parse_alter_table_rename
tests.unit.redshift.test_redshift_lineage ‑ test_process_table_renames_integration
tests.unit.redshift.test_redshift_source ‑ test_add_redshift_query_tag
tests.unit.redshift.test_redshift_source ‑ test_add_redshift_query_tag_existing_leading_comment
tests.unit.redshift.test_redshift_source ‑ test_add_redshift_query_tag_leading_whitespace_and_blank_lines
tests.unit.redshift.test_redshift_source ‑ test_add_redshift_query_tag_multiline_query_preserves_text
tests.unit.redshift.test_redshift_source ‑ test_gen_dataset_workunits_patch_custom_properties_patch
tests.unit.redshift.test_redshift_source ‑ test_gen_dataset_workunits_patch_custom_properties_upsert
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_default_config
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_empty_structures
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_json_serializable
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_mixed_nested_structure
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_nested_dict_with_sets
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_nested_lists_with_sets
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_non_set_data
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_simple_set
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_tuple_with_sets
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_unique_key_gen[all_things]
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_unique_key_gen[minimal]
tests.unit.reporting.test_datahub_ingestion_reporter ‑ test_unique_key_gen[with_pipeline_name]
tests.unit.reporting.test_ingestion_stage ‑ test_ingestion_high_stage_context_records_duration
tests.unit.reporting.test_ingestion_stage ‑ test_ingestion_stage_context_handles_exceptions
tests.unit.reporting.test_ingestion_stage ‑ test_ingestion_stage_context_records_duration
tests.unit.reporting.test_ingestion_stage ‑ test_ingestion_stage_context_report_handles_multiple_stages
tests.unit.reporting.test_ingestion_stage ‑ test_ingestion_stage_context_report_handles_nested_stages
tests.unit.reporting.test_ingestion_stage ‑ test_ingestion_stage_with_high_stage
tests.unit.s3.test_s3_config.TestS3Config ‑ test_config_platform_inference
tests.unit.s3.test_s3_config.TestS3Config ‑ test_empty_path_specs_fails
tests.unit.s3.test_s3_config.TestS3Config ‑ test_mixed_platform_path_specs_fails
tests.unit.s3.test_s3_config.TestS3Config ‑ test_s3_tags_with_non_s3_platform_fails
tests.unit.s3.test_s3_source ‑ test_container_generation_with_folder
tests.unit.s3.test_s3_source ‑ test_container_generation_with_multiple_folders
tests.unit.s3.test_s3_source ‑ test_container_generation_without_folders
tests.unit.s3.test_s3_source ‑ test_get_folder_info_ignores_disallowed_path
tests.unit.s3.test_s3_source ‑ test_get_folder_info_returns_expected_folder
tests.unit.s3.test_s3_source ‑ test_get_folder_info_returns_latest_file_in_each_folder
tests.unit.s3.test_s3_source ‑ test_partition_comparator_numeric_folder_name
tests.unit.s3.test_s3_source ‑ test_partition_comparator_numeric_folder_name2
tests.unit.s3.test_s3_source ‑ test_partition_comparator_string_folder
tests.unit.s3.test_s3_source ‑ test_partition_comparator_string_same_folder
tests.unit.s3.test_s3_source ‑ test_partition_comparator_with_equal_sign_in_name
tests.unit.s3.test_s3_source ‑ test_partition_comparator_with_numeric_partition
tests.unit.s3.test_s3_source ‑ test_partition_comparator_with_padded_numeric_partition
tests.unit.s3.test_s3_source ‑ test_partition_comparator_with_string_partition
tests.unit.s3.test_s3_source ‑ test_partition_multi_level_key
tests.unit.s3.test_s3_source ‑ test_path_spec
tests.unit.s3.test_s3_source ‑ test_path_spec_dir_allowed
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[autodetect_partitions]
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[indexed partition keys]
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[named partition keys]
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[partition autodetect with non partitioned path]
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[partition autodetect with partition values only]
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[partition_key and partition set]
tests.unit.s3.test_s3_source ‑ test_path_spec_partition_detection[partition_key and value set]
tests.unit.s3.test_s3_source ‑ test_path_spec_with_double_star_ending
tests.unit.s3.test_s3_source ‑ test_s3_region_in_external_url
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_buckets_single_wildcard
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_buckets_wildcard_at_end
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_complex_nested_pattern
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_empty_folders
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_nested_wildcards
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_no_wildcard
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_path_normalization
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_remaining_pattern_with_leading_slash
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_single_wildcard
tests.unit.s3.test_s3_source.TestResolveTemplatedFolders ‑ test_resolve_templated_folders_wildcard_at_end
tests.unit.sagemaker.test_sagemaker_source ‑ test_doc_test_run
tests.unit.sagemaker.test_sagemaker_source ‑ test_sagemaker_ingest
tests.unit.schema.test_json_schema_util ‑ test_anyof_with_properties
tests.unit.schema.test_json_schema_util ‑ test_array_handling
tests.unit.schema.test_json_schema_util ‑ test_const_description_pulled_correctly
tests.unit.schema.test_json_schema_util ‑ test_datahub_json_schemas_parses_okay
tests.unit.schema.test_json_schema_util ‑ test_description_extraction
tests.unit.schema.test_json_schema_util ‑ test_ignore_exceptions
tests.unit.schema.test_json_schema_util ‑ test_json_sample_payment_schema_to_schema_fields_with_nesting

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 3189 to 3840)

There are 7547 tests, see "Raw output" for the list of tests 3189 to 3840.
Raw output
tests.unit.schema.test_json_schema_util ‑ test_json_schema_ref_loop_in_definitions
tests.unit.schema.test_json_schema_util ‑ test_json_schema_to_events_with_nullable_fields[optional_field_via_union_type]
tests.unit.schema.test_json_schema_util ‑ test_json_schema_to_mce_fields_sample_events_with_different_field_types
tests.unit.schema.test_json_schema_util ‑ test_json_schema_to_mce_fields_toplevel_isnt_a_record
tests.unit.schema.test_json_schema_util ‑ test_json_schema_to_record_with_two_fields
tests.unit.schema.test_json_schema_util ‑ test_json_schema_to_schema_fields_with_nesting_across_records
tests.unit.schema.test_json_schema_util ‑ test_json_schema_with_recursion
tests.unit.schema.test_json_schema_util ‑ test_key_schema_handling
tests.unit.schema.test_json_schema_util ‑ test_map_of_union_of_int_and_record_of_union
tests.unit.schema.test_json_schema_util ‑ test_needs_disambiguation_nested_union_of_records_with_same_field_name
tests.unit.schema.test_json_schema_util ‑ test_nested_arrays
tests.unit.schema.test_json_schema_util ‑ test_non_str_enums
tests.unit.schema.test_json_schema_util ‑ test_recursive_json
tests.unit.schema.test_json_schema_util ‑ test_required_field
tests.unit.schema.test_json_schema_util ‑ test_simple_array
tests.unit.schema.test_json_schema_util ‑ test_simple_nested_record_with_a_string_field_for_key_schema
tests.unit.schema.test_json_schema_util ‑ test_simple_object
tests.unit.schema.test_json_schema_util ‑ test_simple_record_with_primitive_types
tests.unit.schema.test_json_schema_util ‑ test_top_level_trival_allof
tests.unit.schema.test_json_schema_util ‑ test_union_with_nested_record_of_union
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_array_with_mixed_item_types
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_array_with_varying_field_counts
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_arrays_with_nested_objects
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_arrays_with_nested_objects_nullable_fields
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_basic_types
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_complex_nested_arrays
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_custom_delimiter
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_deeply_nested_objects
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_default_delimiter
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_empty_arrays
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_empty_collection
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_empty_documents
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_int_float_coercion
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_mixed_types
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_mongodb_example
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_nested_objects
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_nullable_fields
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_simple_arrays
tests.unit.schema.test_schema_inference_for_docs ‑ test_construct_schema_with_none_values
tests.unit.sdk.test_client ‑ test_get_aspect
tests.unit.sdk.test_client ‑ test_graphql_entity_types
tests.unit.sdk.test_document.TestDocumentAspects ‑ test_as_mcps
tests.unit.sdk.test_document.TestDocumentAspects ‑ test_as_workunits
tests.unit.sdk.test_document.TestDocumentAspects ‑ test_document_info_aspect
tests.unit.sdk.test_document.TestDocumentAspects ‑ test_document_settings_aspect
tests.unit.sdk.test_document.TestDocumentCreation ‑ test_create_document_minimal
tests.unit.sdk.test_document.TestDocumentCreation ‑ test_create_document_unpublished
tests.unit.sdk.test_document.TestDocumentCreation ‑ test_create_document_with_all_fields
tests.unit.sdk.test_document.TestDocumentCreation ‑ test_create_external_document
tests.unit.sdk.test_document.TestDocumentCreation ‑ test_create_external_document_platform_shorthand
tests.unit.sdk.test_document.TestDocumentCreation ‑ test_create_external_document_without_text
tests.unit.sdk.test_document.TestDocumentErrors ‑ test_ensure_document_info_raises_on_empty
tests.unit.sdk.test_document.TestDocumentErrors ‑ test_text_on_empty_document
tests.unit.sdk.test_document.TestDocumentErrors ‑ test_title_on_empty_document
tests.unit.sdk.test_document.TestDocumentExternalUrlValidation ‑ test_create_external_document_accepts_valid_url
tests.unit.sdk.test_document.TestDocumentExternalUrlValidation ‑ test_create_external_document_rejects_missing_scheme
tests.unit.sdk.test_document.TestDocumentExternalUrlValidation ‑ test_create_external_document_validates_url
tests.unit.sdk.test_document.TestDocumentLifecycle ‑ test_publish
tests.unit.sdk.test_document.TestDocumentLifecycle ‑ test_set_status
tests.unit.sdk.test_document.TestDocumentLifecycle ‑ test_unpublish
tests.unit.sdk.test_document.TestDocumentMethodChaining ‑ test_method_chaining
tests.unit.sdk.test_document.TestDocumentMoveParent ‑ test_move_document_to_new_parent
tests.unit.sdk.test_document.TestDocumentMoveParent ‑ test_move_document_to_top_level
tests.unit.sdk.test_document.TestDocumentProperties ‑ test_custom_properties
tests.unit.sdk.test_document.TestDocumentProperties ‑ test_set_source
tests.unit.sdk.test_document.TestDocumentProperties ‑ test_set_text
tests.unit.sdk.test_document.TestDocumentProperties ‑ test_set_title
tests.unit.sdk.test_document.TestDocumentProperties ‑ test_urn
tests.unit.sdk.test_document.TestDocumentRelationships ‑ test_parent_document
tests.unit.sdk.test_document.TestDocumentRelationships ‑ test_related_assets
tests.unit.sdk.test_document.TestDocumentRelationships ‑ test_related_documents
tests.unit.sdk.test_document.TestDocumentRelationships ‑ test_set_related_assets
tests.unit.sdk.test_document.TestDocumentSelfReferenceValidation ‑ test_add_related_document_rejects_self_reference
tests.unit.sdk.test_document.TestDocumentSelfReferenceValidation ‑ test_create_document_rejects_self_parent
tests.unit.sdk.test_document.TestDocumentSelfReferenceValidation ‑ test_create_document_rejects_self_related
tests.unit.sdk.test_document.TestDocumentSelfReferenceValidation ‑ test_set_parent_document_rejects_self_reference
tests.unit.sdk.test_document.TestDocumentSelfReferenceValidation ‑ test_set_related_documents_rejects_self_reference
tests.unit.sdk.test_document.TestDocumentSetRelatedDocuments ‑ test_set_related_documents_replaces_existing
tests.unit.sdk.test_document.TestDocumentStatusValidation ‑ test_create_document_validates_status
tests.unit.sdk.test_document.TestDocumentStatusValidation ‑ test_set_status_accepts_published
tests.unit.sdk.test_document.TestDocumentStatusValidation ‑ test_set_status_accepts_unpublished
tests.unit.sdk.test_document.TestDocumentStatusValidation ‑ test_set_status_validates_value
tests.unit.sdk.test_document.TestDocumentSubtype ‑ test_set_subtype
tests.unit.sdk.test_document.TestDocumentSubtype ‑ test_subtype_on_create
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_create_external_document
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_create_native_document
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_document_with_metadata
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_hidden_document
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_publish_unpublish
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_related_entities
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_update_document
tests.unit.sdk.test_document.TestDocumentTutorialExamples ‑ test_tutorial_visibility
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_add_related_asset_accepts_valid_urn
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_add_related_asset_validates_urn_format
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_add_related_document_accepts_document_urn_object
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_add_related_document_accepts_valid_document_urn
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_add_related_document_rejects_invalid_urn
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_add_related_document_validates_urn_type
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_set_parent_document_accepts_none
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_set_parent_document_accepts_valid_urn
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_set_parent_document_validates_urn_type
tests.unit.sdk.test_document.TestDocumentUrnValidation ‑ test_set_related_documents_validates_all_urns
tests.unit.sdk.test_document.TestDocumentVisibility ‑ test_hide_from_global_context_method
tests.unit.sdk.test_document.TestDocumentVisibility ‑ test_hide_from_global_context_on_create
tests.unit.sdk.test_document.TestDocumentVisibility ‑ test_set_show_in_global_context
tests.unit.sdk.test_document.TestDocumentVisibility ‑ test_show_in_global_context_default
tests.unit.sdk.test_document.TestDocumentVisibility ‑ test_show_in_global_search_method
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_emit_mce_and_mcp
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_emit_mce_without_mce_key
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_kafka_emitter_config
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_kafka_emitter_config_missing_mce_key
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_kafka_emitter_config_old_and_new
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_kafka_emitter_config_topic_upgrade
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_kafka_emitter_no_oauth_initialization_without_oauth
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_kafka_emitter_oauth_initialization_with_oauth
tests.unit.sdk.test_kafka_emitter.KafkaEmitterTest ‑ test_no_producer_for_mce_key
tests.unit.sdk.test_links ‑ test_links
tests.unit.sdk.test_mce_builder ‑ test_can_add_aspect
tests.unit.sdk.test_mce_builder ‑ test_create_urns_with_reserved_chars
tests.unit.sdk.test_mce_builder ‑ test_make_group_urn
tests.unit.sdk.test_mce_builder ‑ test_make_user_urn
tests.unit.sdk.test_mce_builder ‑ test_ts_millis
tests.unit.sdk.test_mcp_builder ‑ test_entity_supports_aspect
tests.unit.sdk.test_mcp_builder ‑ test_guid_generator
tests.unit.sdk.test_mcp_builder ‑ test_guid_generator_with_empty_instance
tests.unit.sdk.test_mcp_builder ‑ test_guid_generator_with_env
tests.unit.sdk.test_mcp_builder ‑ test_guid_generator_with_instance
tests.unit.sdk.test_mcp_builder ‑ test_guid_generator_with_instance_and_env
tests.unit.sdk.test_mcp_builder ‑ test_guid_generators
tests.unit.sdk.test_mcp_builder ‑ test_parent_key
tests.unit.sdk.test_mcp_builder ‑ test_parent_key_on_container_key
tests.unit.sdk.test_mcp_builder ‑ test_parent_key_with_backcompat_env_as_instance
tests.unit.sdk.test_mcp_wrapper ‑ test_mcpw_case_coercion
tests.unit.sdk.test_mcp_wrapper ‑ test_mcpw_from_obj
tests.unit.sdk.test_mcp_wrapper ‑ test_mcpw_inference
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_await_status_empty_trace_data
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_await_status_logging
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_await_status_multiple_aspects
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_await_status_persistence_failure
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_await_status_successful_completion
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_await_status_timeout
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_custom_ttl
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_default_ttl
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_manual_invalidation
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_multiple_emitters
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_ttl
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_with_connection_error
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_cache_with_pre_set_config
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_config_property_uses_fetch_method
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_connection_error_reraising
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_datahub_rest_emitter_construction
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_datahub_rest_emitter_extra_params
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_datahub_rest_emitter_general_timeout_construction
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_datahub_rest_emitter_missing_gms_server
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_datahub_rest_emitter_retry_construction
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_datahub_rest_emitter_timeout_construction
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_emit_mcp_delete_functionality
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_emit_mcp_delete_payload_structure
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_emit_mcp_delete_vs_upsert_different_urls
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_emit_mcp_delete_with_key_aspects_only
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit_mcp_with_tracing
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit_mcps
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit_mcps_max_bytes
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit_mcps_max_items
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit_mcps_multiple_entity_types
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_emit_mcps_with_tracing
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_invalid_status_code
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_missing_trace_header
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_mixed_method_chunking
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_same_url_different_methods
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_trace_failure
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_emitter_trace_timeout
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_openapi_sync_full_emit_mode
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_preserve_unicode_escapes_function_directly
tests.unit.sdk.test_rest_emitter.TestDataHubRestEmitter ‑ test_unicode_character_emission
tests.unit.sdk.test_rest_emitter.TestOpenApiIntegration ‑ test_explicit_openapi_parameter_uses_openapi_api
tests.unit.sdk.test_rest_emitter.TestOpenApiIntegration ‑ test_ingestion_mode_uses_restli_by_default
tests.unit.sdk.test_rest_emitter.TestOpenApiIntegration ‑ test_openapi_batch_endpoint_selection
tests.unit.sdk.test_rest_emitter.TestOpenApiIntegration ‑ test_sdk_mode_uses_openapi_by_default
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_constructor_param_false_overrides_all
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_constructor_param_true_overrides_all
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_debug_logging
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_env_var_openapi_any_client_mode
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_env_var_restli_overrides_sdk_mode
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_non_sdk_client_mode_no_env_var
tests.unit.sdk.test_rest_emitter.TestOpenApiModeSelection ‑ test_sdk_client_mode_no_env_var
tests.unit.sdk.test_rest_emitter.TestRequestsSessionConfig ‑ test_get_client_mode_from_session
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_429_weighted_retry_with_multiplier_2
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_429_weighted_retry_with_multiplier_3
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_429_with_total_none
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_429_without_response_object
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_effective_retry_count_increase
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_mixed_429_and_non_429_responses
tests.unit.sdk.test_rest_emitter.TestWeightedRetry ‑ test_non_429_status_decrements_total_normally
tests.unit.sdk.test_run_assertions.TestRunAssertion ‑ test_run_assertion_minimal
tests.unit.sdk.test_run_assertions.TestRunAssertion ‑ test_run_assertion_with_async_flag
tests.unit.sdk.test_run_assertions.TestRunAssertion ‑ test_run_assertion_with_parameters
tests.unit.sdk.test_run_assertions.TestRunAssertion ‑ test_run_assertion_with_save_result
tests.unit.sdk.test_run_assertions.TestRunAssertions ‑ test_run_assertions_minimal
tests.unit.sdk.test_run_assertions.TestRunAssertions ‑ test_run_assertions_with_async_flag
tests.unit.sdk.test_run_assertions.TestRunAssertions ‑ test_run_assertions_with_parameters
tests.unit.sdk.test_run_assertions.TestRunAssertions ‑ test_run_assertions_with_save_result
tests.unit.sdk.test_run_assertions.TestRunAssertionsForAsset ‑ test_run_assertions_for_asset_minimal
tests.unit.sdk.test_run_assertions.TestRunAssertionsForAsset ‑ test_run_assertions_for_asset_with_async_flag
tests.unit.sdk.test_run_assertions.TestRunAssertionsForAsset ‑ test_run_assertions_for_asset_with_parameters
tests.unit.sdk.test_run_assertions.TestRunAssertionsForAsset ‑ test_run_assertions_for_asset_with_tag_urns
tests.unit.sdk_v2.test_assertions_client ‑ test_use_assertions_client_fails_if_not_installed
tests.unit.sdk_v2.test_chart ‑ test_chart_audit_stamps_golden
tests.unit.sdk_v2.test_chart ‑ test_chart_audit_stamps_integration
tests.unit.sdk_v2.test_chart ‑ test_chart_audit_stamps_with_input_datasets
tests.unit.sdk_v2.test_chart ‑ test_chart_basic
tests.unit.sdk_v2.test_chart ‑ test_chart_complex
tests.unit.sdk_v2.test_chart ‑ test_chart_set_chart_type
tests.unit.sdk_v2.test_chart ‑ test_client_get_chart
tests.unit.sdk_v2.test_client_v2 ‑ test_client_creation
tests.unit.sdk_v2.test_client_v2 ‑ test_client_init_errors
tests.unit.sdk_v2.test_client_v2 ‑ test_resolve_user
tests.unit.sdk_v2.test_container ‑ test_container_basic
tests.unit.sdk_v2.test_container ‑ test_container_complex
tests.unit.sdk_v2.test_dashboard ‑ test_client_get_dashboard
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_audit_stamps
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_audit_stamps_edge_cases
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_audit_stamps_golden
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_audit_stamps_integration
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_audit_stamps_setters
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_basic
tests.unit.sdk_v2.test_dashboard ‑ test_dashboard_complex
tests.unit.sdk_v2.test_dataflow ‑ test_client_get_dataflow
tests.unit.sdk_v2.test_dataflow ‑ test_dataflow_basic
tests.unit.sdk_v2.test_dataflow ‑ test_dataflow_complex
tests.unit.sdk_v2.test_dataflow ‑ test_dataflow_with_container
tests.unit.sdk_v2.test_datajob ‑ test_client_get_datajob
tests.unit.sdk_v2.test_datajob ‑ test_datajob_basic
tests.unit.sdk_v2.test_datajob ‑ test_datajob_browse_path_with_container
tests.unit.sdk_v2.test_datajob ‑ test_datajob_browse_path_with_containers
tests.unit.sdk_v2.test_datajob ‑ test_datajob_browse_path_without_container
tests.unit.sdk_v2.test_datajob ‑ test_datajob_complex
tests.unit.sdk_v2.test_datajob ‑ test_datajob_init_with_flow_urn
tests.unit.sdk_v2.test_datajob ‑ test_datajob_inlets_outlets
tests.unit.sdk_v2.test_datajob ‑ test_datajob_invalid_inlets_outlets
tests.unit.sdk_v2.test_datajob ‑ test_datajob_with_non_prod_env
tests.unit.sdk_v2.test_datajob ‑ test_invalid_init
tests.unit.sdk_v2.test_dataset ‑ test_browse_path
tests.unit.sdk_v2.test_dataset ‑ test_dataset_basic
tests.unit.sdk_v2.test_dataset ‑ test_dataset_complex
tests.unit.sdk_v2.test_dataset ‑ test_dataset_ingestion
tests.unit.sdk_v2.test_dataset ‑ test_links_add_remove
tests.unit.sdk_v2.test_dataset ‑ test_owners_add_remove
tests.unit.sdk_v2.test_dataset ‑ test_structured_properties
tests.unit.sdk_v2.test_dataset ‑ test_tags_add_remove
tests.unit.sdk_v2.test_dataset ‑ test_terms_add_remove
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_auto_parses_lineage
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_auto_parses_lineage_cross_database
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_cte_handling
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_different_platforms
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_duplicate_table_refs
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_explicit_upstreams_not_overwritten
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_force_parse_in_ingestion_mode
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_invalid_sql_graceful
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_no_tables_in_sql
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_non_sql_language_skipped
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_parse_false_skips_parsing
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_skipped_in_ingestion_mode
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_sqlglot_error
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_sqlglot_not_installed
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_unexpected_error
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_view_properties_class_input
tests.unit.sdk_v2.test_dataset ‑ test_view_definition_with_multiple_sources
tests.unit.sdk_v2.test_entity_client ‑ test_container_creation_flow
tests.unit.sdk_v2.test_entity_client ‑ test_container_read_modify_write
tests.unit.sdk_v2.test_entity_client ‑ test_create_existing_dataset_fails
tests.unit.sdk_v2.test_entity_client ‑ test_create_with_emit_mode
tests.unit.sdk_v2.test_entity_client ‑ test_create_without_emit_mode
tests.unit.sdk_v2.test_entity_client ‑ test_dataset_creation
tests.unit.sdk_v2.test_entity_client ‑ test_dataset_read_modify_write
tests.unit.sdk_v2.test_entity_client ‑ test_delete_entity[cascade_delete_not_supported]
tests.unit.sdk_v2.test_entity_client ‑ test_delete_entity[delete_nonexistent_entity_with_check]
tests.unit.sdk_v2.test_entity_client ‑ test_delete_entity[delete_without_exists_check]
tests.unit.sdk_v2.test_entity_client ‑ test_delete_entity[successful_hard_delete_with_urn_object]
tests.unit.sdk_v2.test_entity_client ‑ test_delete_entity[successful_soft_delete_with_exists_check]
tests.unit.sdk_v2.test_entity_client ‑ test_get_nonexistent_dataset_fails
tests.unit.sdk_v2.test_entity_client ‑ test_update_with_emit_mode
tests.unit.sdk_v2.test_entity_client ‑ test_update_with_metadata_patch_proposal_and_emit_mode
tests.unit.sdk_v2.test_entity_client ‑ test_update_without_emit_mode
tests.unit.sdk_v2.test_entity_client ‑ test_upsert_with_emit_mode
tests.unit.sdk_v2.test_entity_client ‑ test_upsert_without_emit_mode
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_chart_as_downstream
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_dashboard_as_downstream
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_datajob_as_downstream
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_dataset_as_downstream
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_dataset_to_dataset_copy_basic
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_dataset_to_dataset_copy_custom_mapping
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_dataset_to_dataset_transform
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_invalid_lineage_combination
tests.unit.sdk_v2.test_lineage_client ‑ test_add_lineage_invalid_parameter_combinations
tests.unit.sdk_v2.test_lineage_client ‑ test_get_fuzzy_column_lineage[upstream_fields0-downstream_fields0-expected0]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_fuzzy_column_lineage[upstream_fields1-downstream_fields1-expected1]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_fuzzy_column_lineage[upstream_fields2-downstream_fields2-expected2]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_fuzzy_column_lineage[upstream_fields3-downstream_fields3-expected3]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_fuzzy_column_lineage[upstream_fields4-downstream_fields4-expected4]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_fuzzy_column_lineage[upstream_fields5-downstream_fields5-expected5]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_basic
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_column_lineage_with_schema_field_urn
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_column_lineage_with_source_column
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_downstream
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_multiple_hops
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_no_platform
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_no_results
tests.unit.sdk_v2.test_lineage_client ‑ test_get_lineage_with_entity_type_filters
tests.unit.sdk_v2.test_lineage_client ‑ test_get_strict_column_lineage[upstream_fields0-downstream_fields0-expected0]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_strict_column_lineage[upstream_fields1-downstream_fields1-expected1]
tests.unit.sdk_v2.test_lineage_client ‑ test_get_strict_column_lineage[upstream_fields2-downstream_fields2-expected2]
tests.unit.sdk_v2.test_lineage_client ‑ test_infer_lineage_from_sql
tests.unit.sdk_v2.test_lineage_client ‑ test_infer_lineage_from_sql_with_multiple_upstreams
tests.unit.sdk_v2.test_mlmodel ‑ test_client_get_mlmodel
tests.unit.sdk_v2.test_mlmodel ‑ test_mlmodel
tests.unit.sdk_v2.test_mlmodel ‑ test_mlmodel_complex_initialization
tests.unit.sdk_v2.test_mlmodel ‑ test_mlmodel_validation
tests.unit.sdk_v2.test_mlmodelgroup ‑ test_client_get_mlmodelgroup_
tests.unit.sdk_v2.test_mlmodelgroup ‑ test_mlmodelgroup
tests.unit.sdk_v2.test_mlmodelgroup ‑ test_mlmodelgroup_validation
tests.unit.sdk_v2.test_search_client ‑ test_compile_filters
tests.unit.sdk_v2.test_search_client ‑ test_compile_no_default_status
tests.unit.sdk_v2.test_search_client ‑ test_compute_entity_types
tests.unit.sdk_v2.test_search_client ‑ test_compute_entity_types_deduplication
tests.unit.sdk_v2.test_search_client ‑ test_entity_subtype_filter
tests.unit.sdk_v2.test_search_client ‑ test_field_discriminator
tests.unit.sdk_v2.test_search_client ‑ test_filter_before_validators
tests.unit.sdk_v2.test_search_client ‑ test_filter_discriminator
tests.unit.sdk_v2.test_search_client ‑ test_filters_all_types
tests.unit.sdk_v2.test_search_client ‑ test_filters_and
tests.unit.sdk_v2.test_search_client ‑ test_filters_complex
tests.unit.sdk_v2.test_search_client ‑ test_filters_simple
tests.unit.sdk_v2.test_search_client ‑ test_generate_filters
tests.unit.sdk_v2.test_search_client ‑ test_get_document_urns
tests.unit.sdk_v2.test_search_client ‑ test_get_urns
tests.unit.sdk_v2.test_search_client ‑ test_get_urns_with_skip_cache
tests.unit.sdk_v2.test_search_client ‑ test_glossary_term_filter
tests.unit.sdk_v2.test_search_client ‑ test_glossary_term_filter_multiple
tests.unit.sdk_v2.test_search_client ‑ test_invalid_filter
tests.unit.sdk_v2.test_search_client ‑ test_invalid_glossary_term_filter
tests.unit.sdk_v2.test_search_client ‑ test_invalid_owner_filter
tests.unit.sdk_v2.test_search_client ‑ test_invalid_tag_filter
tests.unit.sdk_v2.test_search_client ‑ test_owner_filter
tests.unit.sdk_v2.test_search_client ‑ test_owner_filter_mixed_types
tests.unit.sdk_v2.test_search_client ‑ test_tag_filter
tests.unit.sdk_v2.test_search_client ‑ test_tag_filter_multiple
tests.unit.sdk_v2.test_search_client ‑ test_tagged_union_error_messages
tests.unit.sdk_v2.test_search_client ‑ test_unsupported_not
tests.unit.sdk_v2.test_tag ‑ test_tag_basic
tests.unit.sdk_v2.test_tag ‑ test_tag_complex
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_close
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_config_validator_with_none_graph_client
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_config_validator_with_working_connection
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_create_classmethod
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_get_id
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_get_secret_value
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_get_secret_value_not_found
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_get_secret_values_exception_handling
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_get_secret_values_success
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_init_with_graph_client
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_init_with_graph_client_config
tests.unit.secret.test_datahub_secret_store.TestDataHubSecretStore ‑ test_init_with_no_config_raises_exception
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_create_classmethod
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_id
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_value_empty_string
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_value_existing
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_value_nonexistent
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_values_empty_list
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_values_mixed_existing_and_missing
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_values_with_existing_env_vars
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_values_with_missing_env_vars
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_get_secret_values_with_special_characters
tests.unit.secret.test_environment_secret_store.TestEnvironmentSecretStore ‑ test_init
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_close
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_create_classmethod
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_create_classmethod_with_invalid_config
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_file_secret_store_config_custom_values
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_file_secret_store_config_defaults
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_id
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_value_empty_file
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_value_exactly_max_length
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_value_exceeds_max_length
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_value_file_exists
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_value_file_not_exists
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_value_with_trailing_whitespace
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_values
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_get_secret_values_empty_list
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_init_with_custom_config
tests.unit.secret.test_file_secret_store.TestFileSecretStore ‑ test_init_with_default_config
tests.unit.serde.test_codegen ‑ test_cannot_instantiate_codegen_aspect
tests.unit.serde.test_codegen ‑ test_class_filter
tests.unit.serde.test_codegen ‑ test_codegen_aspect_name
tests.unit.serde.test_codegen ‑ test_codegen_aspects
tests.unit.serde.test_codegen ‑ test_entity_registry_completeness
tests.unit.serde.test_codegen ‑ test_enum_options
tests.unit.serde.test_codegen ‑ test_key_aspect_info
tests.unit.serde.test_codegen ‑ test_urn_annotation
tests.unit.serde.test_codegen ‑ test_urn_types
tests.unit.serde.test_serde ‑ test_check_mce_schema_failure[tests/unit/serde/test_serde_missing_field.json]
tests.unit.serde.test_serde ‑ test_check_metadata_rewrite
tests.unit.serde.test_serde ‑ test_check_metadata_schema[examples/mce_files/bootstrap_mce.json]
tests.unit.serde.test_serde ‑ test_check_metadata_schema[examples/mce_files/mce_list.json]
tests.unit.serde.test_serde ‑ test_check_metadata_schema[examples/mce_files/single_mce.json]
tests.unit.serde.test_serde ‑ test_check_metadata_schema[tests/unit/serde/test_serde_backwards_compat.json]
tests.unit.serde.test_serde ‑ test_check_metadata_schema[tests/unit/serde/test_serde_large.json]
tests.unit.serde.test_serde ‑ test_check_metadata_schema[tests/unit/serde/test_serde_profile.json]
tests.unit.serde.test_serde ‑ test_check_metadata_schema[tests/unit/serde/test_serde_usage.json]
tests.unit.serde.test_serde ‑ test_field_discriminator
tests.unit.serde.test_serde ‑ test_json_transforms[model0-ref_server_obj0]
tests.unit.serde.test_serde ‑ test_missing_optional_in_union
tests.unit.serde.test_serde ‑ test_missing_optional_simple
tests.unit.serde.test_serde ‑ test_null_hiding
tests.unit.serde.test_serde ‑ test_read_empty_dict
tests.unit.serde.test_serde ‑ test_reserved_keywords
tests.unit.serde.test_serde ‑ test_serde_paired
tests.unit.serde.test_serde ‑ test_serde_to_avro[tests/unit/serde/test_serde_chart_snapshot.json]
tests.unit.serde.test_serde ‑ test_serde_to_avro[tests/unit/serde/test_serde_extra_field.json]
tests.unit.serde.test_serde ‑ test_serde_to_avro[tests/unit/serde/test_serde_large.json]
tests.unit.serde.test_serde ‑ test_serde_to_json[tests/unit/serde/test_serde_chart_snapshot.json]
tests.unit.serde.test_serde ‑ test_serde_to_json[tests/unit/serde/test_serde_large.json]
tests.unit.serde.test_serde ‑ test_serde_to_json[tests/unit/serde/test_serde_patch.json]
tests.unit.serde.test_serde ‑ test_serde_to_json[tests/unit/serde/test_serde_profile.json]
tests.unit.serde.test_serde ‑ test_serde_to_json[tests/unit/serde/test_serde_usage.json]
tests.unit.serde.test_serde ‑ test_type_error
tests.unit.serde.test_serde ‑ test_unions_with_aliases_assumptions
tests.unit.serde.test_serde ‑ test_unknown_object_deser_error
tests.unit.serde.test_serde ‑ test_write_optional_empty_dict
tests.unit.serde.test_urn_iterator ‑ test_dataset_urn_lowercase_transformer
tests.unit.serde.test_urn_iterator ‑ test_list_urns_upstream
tests.unit.serde.test_urn_iterator ‑ test_upstream_lineage_urn_iterator
tests.unit.snowflake.test_snowflake_assertion.TestAssertionInfoCreation ‑ test_assertion_info_has_correct_type_and_source
tests.unit.snowflake.test_snowflake_assertion.TestAssertionInfoCreation ‑ test_field_urn_none_for_multi_column
tests.unit.snowflake.test_snowflake_assertion.TestAssertionInfoCreation ‑ test_field_urn_set_for_single_column
tests.unit.snowflake.test_snowflake_assertion.TestAssertionResultTypes ‑ test_other_values_are_error
tests.unit.snowflake.test_snowflake_assertion.TestAssertionResultTypes ‑ test_value_0_is_failure
tests.unit.snowflake.test_snowflake_assertion.TestAssertionResultTypes ‑ test_value_1_is_success
tests.unit.snowflake.test_snowflake_assertion.TestDataPlatformInstance ‑ test_data_platform_instance_emitted_for_datahub_dmf
tests.unit.snowflake.test_snowflake_assertion.TestDataPlatformInstance ‑ test_data_platform_instance_emitted_for_external_dmf
tests.unit.snowflake.test_snowflake_assertion.TestDataPlatformInstance ‑ test_data_platform_instance_emitted_once_per_assertion
tests.unit.snowflake.test_snowflake_assertion.TestDataPlatformInstance ‑ test_data_platform_instance_without_instance_configured
tests.unit.snowflake.test_snowflake_assertion.TestDataQualityMonitoringResultModel ‑ test_parses_argument_names_from_json_string
tests.unit.snowflake.test_snowflake_assertion.TestDataQualityMonitoringResultModel ‑ test_parses_empty_argument_names
tests.unit.snowflake.test_snowflake_assertion.TestDmfAssertionResultsQuery ‑ test_query_filters_datahub_prefix_by_default
tests.unit.snowflake.test_snowflake_assertion.TestDmfAssertionResultsQuery ‑ test_query_includes_all_dmfs_when_external_enabled
tests.unit.snowflake.test_snowflake_assertion.TestExternalDmfGuidGeneration ‑ test_guid_differs_for_different_reference_ids
tests.unit.snowflake.test_snowflake_assertion.TestExternalDmfGuidGeneration ‑ test_guid_includes_platform_instance
tests.unit.snowflake.test_snowflake_assertion.TestExternalDmfGuidGeneration ‑ test_guid_is_deterministic
tests.unit.snowflake.test_snowflake_assertion.TestMixedDmfProcessing ‑ test_datahub_dmf_extracts_guid_from_name
tests.unit.snowflake.test_snowflake_assertion.TestMixedDmfProcessing ‑ test_external_dmf_emits_assertion_info
tests.unit.snowflake.test_snowflake_connection_retry.TestConnectionRetry ‑ test_all_retries_exhausted_raises_original_snowflake_error
tests.unit.snowflake.test_snowflake_connection_retry.TestConnectionRetry ‑ test_concurrent_queries_with_retries_are_thread_safe
tests.unit.snowflake.test_snowflake_connection_retry.TestConnectionRetry ‑ test_real_permission_error_on_user_table_fails_immediately
tests.unit.snowflake.test_snowflake_connection_retry.TestConnectionRetry ‑ test_successful_retry_after_transient_error
tests.unit.snowflake.test_snowflake_connection_retry.TestRetryLogic ‑ test_is_retryable_account_usage_error[account_usage_query_with_002003_error_is_retryable]
tests.unit.snowflake.test_snowflake_connection_retry.TestRetryLogic ‑ test_is_retryable_account_usage_error[account_usage_query_with_different_error_code_not_retryable]
tests.unit.snowflake.test_snowflake_connection_retry.TestRetryLogic ‑ test_is_retryable_account_usage_error[non_account_usage_query_not_retryable]
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_definition_error_handling
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_error_handling
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_graph_history_query
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_invalid_response_handling
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_lineage_extraction
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_pagination
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_dynamic_table_subtype
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_get_dynamic_table_graph_info
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_get_dynamic_tables_with_definitions
tests.unit.snowflake.test_snowflake_dynamic_tables ‑ test_populate_dynamic_table_definitions
tests.unit.snowflake.test_snowflake_lineage_consistency ‑ test_column_lineage_disabled
tests.unit.snowflake.test_snowflake_lineage_consistency ‑ test_empty_directsources_metric_tracking
tests.unit.snowflake.test_snowflake_lineage_consistency ‑ test_lineage_consistency_fix_adds_missing_table
tests.unit.snowflake.test_snowflake_lineage_consistency ‑ test_lineage_consistency_multiple_missing_tables
tests.unit.snowflake.test_snowflake_lineage_consistency ‑ test_lineage_consistency_no_fix_needed
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[allow_and_deny_patterns]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[allow_pattern_only]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[both_empty_pattern_lists]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[complex_pattern_with_additional_database_names]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[default_allow_pattern_ignored]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[default_allow_pattern_with_deny_pattern]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[deny_pattern_only]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[empty_allow_pattern_list]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[empty_deny_pattern_list]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[empty_pattern_no_additional_dbs]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[multiple_additional_database_names]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[multiple_allow_patterns]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[multiple_deny_patterns]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[no_pattern_empty_additional_dbs]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[no_pattern_no_additional_dbs]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[pattern_with_additional_database_names]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[single_additional_database_name]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[sql_injection_protection_additional_database_names]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[sql_injection_protection_allow_pattern]
tests.unit.snowflake.test_snowflake_queries.TestBuildAccessHistoryDatabaseFilterCondition ‑ test_build_access_history_database_filter_condition[sql_injection_protection_deny_pattern]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[empty_deny_none_allow]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[empty_lists]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[multiple_allow_patterns]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[multiple_deny_and_multiple_allow]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[multiple_deny_patterns]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[no_filters]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[none_deny_empty_allow]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[overlapping_deny_and_allow_patterns]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[single_allow_exact]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[single_allow_pattern]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[single_deny_and_single_allow]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[single_deny_exact]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[single_deny_pattern]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[sql_injection_protection_allow]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[sql_injection_protection_both]
tests.unit.snowflake.test_snowflake_queries.TestBuildUserFilter ‑ test_build_user_filter[sql_injection_protection_deny]
tests.unit.snowflake.test_snowflake_queries.TestQueryLogQueryBuilder ‑ test_fetch_query_for_all_strategies
tests.unit.snowflake.test_snowflake_queries.TestQueryLogQueryBuilder ‑ test_non_implemented_strategy
tests.unit.snowflake.test_snowflake_queries.TestQueryLogQueryBuilder ‑ test_query_with_additional_database_names
tests.unit.snowflake.test_snowflake_queries.TestQueryLogQueryBuilder ‑ test_query_with_combined_database_filtering
tests.unit.snowflake.test_snowflake_queries.TestQueryLogQueryBuilder ‑ test_query_with_database_pattern_filtering
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorOptimization ‑ test_fetch_queries_when_any_single_feature_enabled
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorOptimization ‑ test_fetch_queries_when_lineage_enabled
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorOptimization ‑ test_fetch_queries_when_operations_enabled
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorOptimization ‑ test_fetch_queries_when_usage_statistics_enabled
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorOptimization ‑ test_report_counts_with_disabled_features
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorOptimization ‑ test_skip_query_fetch_when_all_features_disabled
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_bucket_alignment_hourly_with_usage_statistics
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_bucket_alignment_with_usage_statistics
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_no_bucket_alignment_without_usage_statistics
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_queries_extraction_always_runs_with_handler
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_state_not_updated_without_handler
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_state_updated_after_successful_extraction
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_time_window_adjusted_with_handler
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueriesExtractorStatefulTimeWindowIngestion ‑ test_time_window_not_adjusted_without_handler
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueryParser ‑ test_parse_query_with_empty_column_name_returns_observed_query
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeQueryParser ‑ test_parse_query_with_valid_columns_returns_preparsed_query
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeViewQueries ‑ test_get_views_for_database_query_syntax
tests.unit.snowflake.test_snowflake_queries.TestSnowflakeViewQueries ‑ test_get_views_for_schema_query_syntax
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_fetch_views_from_information_schema_disabled
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_fetch_views_from_information_schema_enabled
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_get_views_for_schema_using_information_schema
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_information_schema_fallback_to_show_views
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_information_schema_query_construction
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_maybe_populate_empty_view_definitions
tests.unit.snowflake.test_snowflake_schema.TestSnowflakeDataDictionary ‑ test_schema_information_schema_query_construction
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestAggregationFunctions ‑ test_avg
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestAggregationFunctions ‑ test_count
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestAggregationFunctions ‑ test_count_distinct
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestAggregationFunctions ‑ test_min_max
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestAggregationFunctions ‑ test_multiple_aggregations
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestAggregationFunctions ‑ test_sum
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestBasicColumnExtraction ‑ test_mixed_qualified_unqualified
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestBasicColumnExtraction ‑ test_multiple_columns
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestBasicColumnExtraction ‑ test_qualified_column
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestBasicColumnExtraction ‑ test_simple_column
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestComplexExpressions ‑ test_arithmetic_operations
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestComplexExpressions ‑ test_case_when_multiple_conditions
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestComplexExpressions ‑ test_case_when_simple
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestComplexExpressions ‑ test_comparison_operators
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestComplexExpressions ‑ test_deeply_nested_functions
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestComplexExpressions ‑ test_nested_functions
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestDateTimeFunctions ‑ test_date_trunc
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestDateTimeFunctions ‑ test_datediff
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestDateTimeFunctions ‑ test_extract
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_case_sensitivity
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_duplicate_columns
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_empty_expression
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_literals_only
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_malformed_sql
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_special_characters_in_names
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_very_long_expression
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestEdgeCases ‑ test_whitespace_only
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestRealWorldExamples ‑ test_average_order_value
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestRealWorldExamples ‑ test_conversion_rate
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestRealWorldExamples ‑ test_customer_lifetime_value
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestRealWorldExamples ‑ test_month_over_month_growth
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestRealWorldExamples ‑ test_revenue_per_customer
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestStringFunctions ‑ test_concat
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestStringFunctions ‑ test_substring
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestStringFunctions ‑ test_upper_lower
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestWindowFunctions ‑ test_lag_lead
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestWindowFunctions ‑ test_rank
tests.unit.snowflake.test_snowflake_semantic_view_expression_parsing.TestWindowFunctions ‑ test_row_number
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewEdgeCases ‑ test_malformed_json_in_synonyms_handled_gracefully
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewEdgeCases ‑ test_missing_base_tables_handled
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewEndToEndFlow ‑ test_column_merging_preserves_all_metadata
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewEndToEndFlow ‑ test_derived_metric_expression_captured
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewEndToEndFlow ‑ test_full_semantic_view_population
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewLineageGeneration ‑ test_generate_lineage_for_derived_metric
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewLineageGeneration ‑ test_generate_lineage_for_direct_columns
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewOrchestrationFlow ‑ test_process_semantic_view_column_lineage_disabled
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewOrchestrationFlow ‑ test_process_semantic_view_columns_not_populated
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewOrchestrationFlow ‑ test_process_semantic_view_no_upstream_urns_skips_lineage_emission
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewOrchestrationFlow ‑ test_process_semantic_views_include_technical_schema_false
tests.unit.snowflake.test_snowflake_semantic_view_integration.TestSemanticViewOrchestrationFlow ‑ test_process_semantic_views_no_base_tables
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewColumnMerging ‑ test_merge_conflicting_data_types
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewColumnMerging ‑ test_merge_dimension_and_fact_with_different_descriptions
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewColumnMerging ‑ test_merge_single_metric_with_expression
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewDerivationResolution ‑ test_cycle_detection_prevents_infinite_loop
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewDerivationResolution ‑ test_max_depth_limit_stops_recursion
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_case_when_expression
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_complex_expression
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_duplicate_columns
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_empty_expression
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_invalid_expression
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_mixed_qualifiers
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_multiple_aggregations
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_nested_functions
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_simple_column_reference
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewExpressionParsing ‑ test_extract_table_qualified_column
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewTags ‑ test_build_tags_multiple_subtypes
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewTags ‑ test_build_tags_no_subtype
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewTags ‑ test_build_tags_with_existing_snowflake_tags
tests.unit.snowflake.test_snowflake_semantic_view_lineage.TestSnowflakeSemanticViewTags ‑ test_build_tags_with_whitespace
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewDataModels ‑ test_semantic_view_query
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewDataModels ‑ test_semantic_view_usage_record
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_build_query_workunits
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_generate_query_name_fallback
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_generate_query_name_with_semantic_view
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_get_semantic_view_query_workunits_disabled
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_get_semantic_view_usage_workunits_disabled
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_get_semantic_view_usage_workunits_empty_discovered
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_map_user_counts
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_normalize_semantic_view_name
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_parse_usage_results
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageExtractor ‑ test_query_extraction_respects_max_queries_per_view_efficiently
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewUsageIntegration ‑ test_usage_extraction_end_to_end
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewsConfig ‑ test_max_queries_per_view_validation
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSemanticViewsConfig ‑ test_warning_usage_without_enabled
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSnowflakeQuerySemanticViewUsage ‑ test_semantic_view_queries
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSnowflakeQuerySemanticViewUsage ‑ test_semantic_view_usage_statistics_query_daily
tests.unit.snowflake.test_snowflake_semantic_view_usage.TestSnowflakeQuerySemanticViewUsage ‑ test_semantic_view_usage_statistics_query_hourly
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_ddl_fetch_failure
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_ddl_fetch_success
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_orphaned_columns_warning
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_populate_semantic_view_base_tables
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_populate_semantic_view_columns_with_dimensions
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_populate_semantic_view_columns_with_duplicates
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_semantic_view_with_metrics
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_semantic_views_query_failure_returns_none
tests.unit.snowflake.test_snowflake_semantic_views ‑ test_synonym_case_insensitive_deduplication
tests.unit.snowflake.test_snowflake_shares ‑ test_same_database_inbound_and_outbound_invalid_config
tests.unit.snowflake.test_snowflake_shares ‑ test_snowflake_shares_workunit_inbound_and_outbound_share
tests.unit.snowflake.test_snowflake_shares ‑ test_snowflake_shares_workunit_inbound_and_outbound_share_no_platform_instance
tests.unit.snowflake.test_snowflake_shares ‑ test_snowflake_shares_workunit_inbound_share
tests.unit.snowflake.test_snowflake_shares ‑ test_snowflake_shares_workunit_no_shares
tests.unit.snowflake.test_snowflake_shares ‑ test_snowflake_shares_workunit_outbound_share
tests.unit.snowflake.test_snowflake_source ‑ test_account_id_is_added_when_host_port_is_present
tests.unit.snowflake.test_snowflake_source ‑ test_account_id_with_snowflake_host_suffix
tests.unit.snowflake.test_snowflake_source ‑ test_aws_cloud_region_from_snowflake_region_id
tests.unit.snowflake.test_snowflake_source ‑ test_azure_cloud_region_from_snowflake_region_id
tests.unit.snowflake.test_snowflake_source ‑ test_config_fetch_views_from_information_schema
tests.unit.snowflake.test_snowflake_source ‑ test_create_snowsight_base_url_ap_northeast_1
tests.unit.snowflake.test_snowflake_source ‑ test_create_snowsight_base_url_privatelink_aws
tests.unit.snowflake.test_snowflake_source ‑ test_create_snowsight_base_url_privatelink_azure
tests.unit.snowflake.test_snowflake_source ‑ test_create_snowsight_base_url_privatelink_gcp
tests.unit.snowflake.test_snowflake_source ‑ test_create_snowsight_base_url_us_west
tests.unit.snowflake.test_snowflake_source ‑ test_email_filter_query_generation_one_allow

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 3841 to 4428)

There are 7547 tests, see "Raw output" for the list of tests 3841 to 4428.
Raw output
tests.unit.snowflake.test_snowflake_source ‑ test_email_filter_query_generation_one_allow_and_deny
tests.unit.snowflake.test_snowflake_source ‑ test_email_filter_query_generation_with_case_insensitive_filter
tests.unit.snowflake.test_snowflake_source ‑ test_email_filter_query_generation_with_one_deny
tests.unit.snowflake.test_snowflake_source ‑ test_email_filter_query_generation_without_any_filter
tests.unit.snowflake.test_snowflake_source ‑ test_google_cloud_region_from_snowflake_region_id
tests.unit.snowflake.test_snowflake_source ‑ test_is_dataset_pattern_allowed_for_dynamic_tables
tests.unit.snowflake.test_snowflake_source ‑ test_no_client_id_invalid_oauth_config
tests.unit.snowflake.test_snowflake_source ‑ test_options_contain_connect_args
tests.unit.snowflake.test_snowflake_source ‑ test_private_key_set_but_auth_not_changed
tests.unit.snowflake.test_snowflake_source ‑ test_process_upstream_lineage_row_dynamic_table_moved
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_config_with_column_lineage_no_table_lineage_throws_error
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_config_with_connect_args_overrides_base_connect_args
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_config_with_no_connect_args_returns_base_connect_args
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_connection_with_china_domain
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_connection_with_default_domain
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_oauth_happy_paths
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_oauth_okta_does_not_support_certificate
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_oauth_token_happy_path
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_oauth_token_with_empty_token
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_oauth_token_with_wrong_auth_type
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_oauth_token_without_token
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_object_access_entry_missing_object_id
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_query_create_deny_regex_sql
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_query_result_parsing
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_source_throws_error_on_account_id_missing
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_temporary_patterns_config_rename
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_throws_error_on_client_secret_missing_if_use_certificate_is_false
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_throws_error_on_encoded_oauth_private_key_missing_if_use_certificate_is_true
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_uri_default_authentication
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_uri_external_browser_authentication
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_uri_key_pair_authentication
tests.unit.snowflake.test_snowflake_source ‑ test_snowflake_utils
tests.unit.snowflake.test_snowflake_source ‑ test_snowsight_privatelink_external_urls
tests.unit.snowflake.test_snowflake_source ‑ test_snowsight_url_for_dynamic_table
tests.unit.snowflake.test_snowflake_source ‑ test_test_connection_basic_success
tests.unit.snowflake.test_snowflake_source ‑ test_test_connection_capability_all_success
tests.unit.snowflake.test_snowflake_source ‑ test_test_connection_capability_schema_failure
tests.unit.snowflake.test_snowflake_source ‑ test_test_connection_capability_schema_success
tests.unit.snowflake.test_snowflake_source ‑ test_test_connection_failure
tests.unit.snowflake.test_snowflake_source ‑ test_test_connection_no_warehouse
tests.unit.snowflake.test_snowflake_source ‑ test_unknown_cloud_region_from_snowflake_region_id
tests.unit.snowflake.test_snowflake_source ‑ test_using_removed_fields_causes_no_error
tests.unit.snowflake.test_snowflake_source.TestDDLProcessing ‑ test_ddl_processing_alter_table_add_column
tests.unit.snowflake.test_snowflake_source.TestDDLProcessing ‑ test_ddl_processing_alter_table_rename
tests.unit.snowflake.test_snowflake_source.TestDDLProcessing ‑ test_ddl_processing_alter_table_swap
tests.unit.snowflake.test_snowflake_streamlit ‑ test_streamlit_app_processing
tests.unit.snowflake.test_snowflake_streamlit ‑ test_streamlit_custom_properties
tests.unit.snowflake.test_snowflake_streamlit ‑ test_streamlit_dashboard_id_generation
tests.unit.snowflake.test_snowflake_streamlit ‑ test_streamlit_optional_fields
tests.unit.snowflake.test_snowflake_summary ‑ test_snowflake_summary_source_initialization
tests.unit.snowflake.test_snowflake_summary ‑ test_snowflake_summary_source_missing_filters
tests.unit.snowflake.test_stored_proc_lineage ‑ test_lineage_entries_built_with_correct_attributes
tests.unit.snowflake.test_stored_proc_lineage ‑ test_query_without_extra_info_returns_false
tests.unit.snowflake.test_stored_proc_lineage ‑ test_related_query_with_matching_root_id_links_successfully
tests.unit.snowflake.test_stored_proc_lineage ‑ test_stored_procedure_call_tracking_increments_counter
tests.unit.snowflake.test_stored_proc_lineage ‑ test_stored_procedure_without_inputs_skipped
tests.unit.snowflake.test_stored_proc_lineage ‑ test_stored_procedure_without_outputs_skipped
tests.unit.snowflake.test_stored_proc_lineage ‑ test_unrelated_query_returns_false
tests.unit.sql_parsing.test_mssql_staging_column_lineage ‑ test_cross_database_column_lineage_with_staging
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_cross_database_with_drop
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_drop_table_does_not_break_lineage
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_edge_case_select_with_output_parameter
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_filter_comment_blocks
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_filter_raiserror_statements
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_filter_variable_assignment_select_without_from
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_keep_real_dml_statements
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_keep_select_with_from
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_mixed_procedure_with_all_statement_types
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_multiline_statements
tests.unit.sql_parsing.test_mssql_stored_procedure_statement_filtering ‑ test_multiple_drop_statements
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_dataset_urn_format_with_database_name
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_dataset_urn_format_without_database_name
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_filter_variable_declarations
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_function_subtype
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_function_with_while_loop_and_select_into
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_insert_select_patterns[exception_handling]
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_insert_select_patterns[for_loop]
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_insert_select_patterns[simple_insert]
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_case_sensitivity
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_circular_reference
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_cross_schema
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_empty_string
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_malformed_format
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_only_tables_and_views
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_partial_malformed
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_parse_dependencies_whitespace_handling
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_procedure_flow_name_with_database
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_procedure_flow_name_without_database
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_procedure_flow_name_without_schema_key
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_procedure_to_procedure_lineage
tests.unit.sql_parsing.test_oracle_stored_procedure_lineage ‑ test_oracle_procedure_to_procedure_lineage_with_overloaded_procedures
tests.unit.sql_parsing.test_schemaresolver ‑ test_basic_schema_resolver
tests.unit.sql_parsing.test_schemaresolver ‑ test_get_urn_for_table_lowercase
tests.unit.sql_parsing.test_schemaresolver ‑ test_get_urn_for_table_not_lower_should_keep_capital_letters
tests.unit.sql_parsing.test_schemaresolver ‑ test_match_columns_to_schema
tests.unit.sql_parsing.test_schemaresolver ‑ test_resolve_urn
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_create_without_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_deep_hierarchy_6_plus_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_equality_excludes_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_hashability_with_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_multi_part_table_name_4_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_multi_part_table_name_5_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_parts_are_strings_not_objects
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_parts_in_set_operations
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_parts_included_in_equality_when_more_than_3
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_parts_stored_but_excluded_from_equality_when_3_or_less
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_special_characters_in_parts
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_three_part_with_parts_field
tests.unit.sql_parsing.test_schemaresolver.TestTableNameParts ‑ test_urn_consistency_across_operations
tests.unit.sql_parsing.test_split_statements ‑ test_cte_with_select_not_split
tests.unit.sql_parsing.test_split_statements ‑ test_single_statement_with_case
tests.unit.sql_parsing.test_split_statements ‑ test_split_cte_still_works_correctly
tests.unit.sql_parsing.test_split_statements ‑ test_split_mssql_delete_with_closing_paren_in_where
tests.unit.sql_parsing.test_split_statements ‑ test_split_mssql_insert_with_closing_paren_in_where
tests.unit.sql_parsing.test_split_statements ‑ test_split_mssql_update_with_closing_paren_in_where
tests.unit.sql_parsing.test_split_statements ‑ test_split_oracle_plsql_function
tests.unit.sql_parsing.test_split_statements ‑ test_split_select_ending_with_parenthesis
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_drop
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_empty_query
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_empty_string_in_query
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_end_keyword_in_bracketed_identifier
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_end_keyword_in_bracketed_identifier_with_escapes
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_end_keyword_in_string
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_end_keyword_in_string_with_escape
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_merge_query
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_quotes_in_sting_in_query
tests.unit.sql_parsing.test_split_statements ‑ test_split_statement_with_try_catch
tests.unit.sql_parsing.test_split_statements ‑ test_split_statements_complex
tests.unit.sql_parsing.test_split_statements ‑ test_split_statements_cte
tests.unit.sql_parsing.test_split_statements ‑ test_split_strict_keywords
tests.unit.sql_parsing.test_sql_aggregator ‑ test_add_known_query_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_aggregate_operations
tests.unit.sql_parsing.test_sql_aggregator ‑ test_aggregator_dump
tests.unit.sql_parsing.test_sql_aggregator ‑ test_basic_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_basic_usage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_column_lineage_deduplication
tests.unit.sql_parsing.test_sql_aggregator ‑ test_create_table_query_mcps
tests.unit.sql_parsing.test_sql_aggregator ‑ test_diamond_problem
tests.unit.sql_parsing.test_sql_aggregator ‑ test_empty_column_in_query_subjects
tests.unit.sql_parsing.test_sql_aggregator ‑ test_empty_column_in_query_subjects_only_column_usage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_empty_column_in_snowflake_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_empty_downstream_column_in_snowflake_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_known_lineage_mapping
tests.unit.sql_parsing.test_sql_aggregator ‑ test_lineage_consistency_fix_tables_added_from_column_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_lineage_consistency_multiple_missing_tables
tests.unit.sql_parsing.test_sql_aggregator ‑ test_lineage_consistency_no_fix_needed
tests.unit.sql_parsing.test_sql_aggregator ‑ test_multistep_temp_table
tests.unit.sql_parsing.test_sql_aggregator ‑ test_overlapping_inserts
tests.unit.sql_parsing.test_sql_aggregator ‑ test_overlapping_inserts_from_temp_tables
tests.unit.sql_parsing.test_sql_aggregator ‑ test_override_dialect_passed_to_sqlglot_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_partial_empty_downstream_column_in_snowflake_lineage
tests.unit.sql_parsing.test_sql_aggregator ‑ test_sql_aggreator_close_cleans_tmp
tests.unit.sql_parsing.test_sql_aggregator ‑ test_table_lineage_via_temp_table_disordered_add
tests.unit.sql_parsing.test_sql_aggregator ‑ test_table_rename
tests.unit.sql_parsing.test_sql_aggregator ‑ test_table_rename_with_temp
tests.unit.sql_parsing.test_sql_aggregator ‑ test_table_swap
tests.unit.sql_parsing.test_sql_aggregator ‑ test_table_swap_id
tests.unit.sql_parsing.test_sql_aggregator ‑ test_table_swap_with_temp
tests.unit.sql_parsing.test_sql_aggregator ‑ test_temp_table
tests.unit.sql_parsing.test_sql_aggregator ‑ test_view_lineage
tests.unit.sql_parsing.test_sql_detach ‑ test_detach_ctes_simple
tests.unit.sql_parsing.test_sql_detach ‑ test_detach_ctes_with_alias
tests.unit.sql_parsing.test_sql_detach ‑ test_detach_ctes_with_multipart_replacement
tests.unit.sql_parsing.test_sql_parsing_result_utils ‑ test_transform_parsing_result_to_in_tables_schemas__empty_parsing_result
tests.unit.sql_parsing.test_sql_parsing_result_utils ‑ test_transform_parsing_result_to_in_tables_schemas__in_tables_and_column_linage
tests.unit.sql_parsing.test_sql_parsing_result_utils ‑ test_transform_parsing_result_to_in_tables_schemas__in_tables_only
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_alter_table_column
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_create_view_with_cte
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_from_sharded_table_wildcard
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_indirect_references
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_information_schema_query
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_nested_subqueries
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_partitioned_table_insert
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_sharded_table_normalization
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_star_with_replace
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_subquery_column_inference
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_unnest_columns
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_bigquery_view_from_union
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_clickhouse_dictget_not_treated_as_table
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_clickhouse_dictget_with_multiple_tables
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_clickhouse_materialized_view_to_table
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_create_table_ddl
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_create_view_as_select
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_cross_join
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_default_schema_normalization
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_dialect_specific_operators
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_dremio_quoted_identifiers
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_expand_select_star_basic
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_insert_as_select
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_insert_with_column_list
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_insert_with_cte
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_invalid_sql
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_lateral_join
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_merge_from_union
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_mssql_casing_resolver
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_mssql_insert_column_name_mapping
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_mssql_select_into
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_multiple_select_subqueries
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_natural_join
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_oracle_case_insensitive_cols
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_postgres_complex_update
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_postgres_select_subquery
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_postgres_update_subselect
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_redshift_materialized_view_auto_refresh
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_redshift_system_automove
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_redshift_temp_table_shortcut
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_redshift_union_view
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_right_join
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_ambiguous_column_no_schema
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_count
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_from_struct_subfields
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_from_union
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_max
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_max_with_schema
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_with_complex_ctes
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_with_ctes
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_select_with_full_col_name
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_self_join_with_cte
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_case_statement
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_column_cast
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_column_normalization
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_create_table_as_select_with_tag
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_create_view_with_tag
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_ctas_column_normalization
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_cte_name_collision
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_default_normalization
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_drop_schema
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_full_table_name_col_reference
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_join_with_cte_involved_tables
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_unused_cte
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_update_from_table
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_update_hardcoded
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_update_self
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_snowflake_with_unnamed_column_from_udf_call
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_sqlite_attach_database
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_sqlite_drop_table
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_sqlite_drop_view
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_sqlite_insert_into_values
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_teradata_cast_syntax
tests.unit.sql_parsing.test_sqlglot_lineage ‑ test_teradata_insert_into_values
tests.unit.sql_parsing.test_sqlglot_patch ‑ test_cooperative_timeout_sql
tests.unit.sql_parsing.test_sqlglot_patch ‑ test_lineage_node_subfield
tests.unit.sql_parsing.test_sqlglot_patch ‑ test_scope_circular_dependency
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_is_dialect_instance
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_fingerprint
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_fingerprint_with_secondary_id
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[/* Copied from https://stackoverflow.com/a/452934/5004662 */\nINSERT INTO MyTable\n(Column1, Column2, Column3)\nVALUES\n/* multiple value rows */\n('John', 123, 'Lloyds Office'),\n('Jane', 124, 'Lloyds Office'),\n('Billy', 125, 'London Office'),\n('Miranda', 126, 'Bristol Office');\n-mssql-INSERT INTO MyTable (Column1, Column2, Column3) VALUES (?), (?), (?), (?)-QueryGeneralizationTestMode.FULL]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[/* query system = foo, id = asdf */\nSELECT /* inline comment */ *\nFROM foo-redshift-SELECT * FROM foo-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[INSERT INTO MyTable\n(Column1, Column2, Column3)\nVALUES\n('John', 123, 'Lloyds Office');\n-mssql-INSERT INTO MyTable (Column1, Column2, Column3) VALUES (?)-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT * FROM books WHERE category IN ('fiction', 'biography', 'fantasy')-redshift-SELECT * FROM books WHERE category IN (%s)-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT * FROM books WHERE zip_code IN (123,345, 423 )-redshift-SELECT * FROM books WHERE zip_code IN (%s)-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT * FROM datahub_community.fivetran_interval_unconstitutional_staging.datahub_slack_mess-staging-480fd5a7-58f4-4cc9-b6fb-87358788efe6-bigquery-SELECT * FROM datahub_community.fivetran_interval_unconstitutional_staging.datahub_slack_mess-staging-00000000-0000-0000-0000-000000000000-QueryGeneralizationTestMode.FAST]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT * FROM datahub_community.maggie.commonroom_slack_members_20240315-bigquery-SELECT * FROM datahub_community.maggie.commonroom_slack_members_YYYYMMDD-QueryGeneralizationTestMode.FAST]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT * FROM foo WHERE date = '2021-01-01'-redshift-SELECT * FROM foo WHERE date = %s-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT COUNT(*) FROM ge_temp_aa91f1fd-bigquery-SELECT COUNT(*) FROM ge_temp_abcdefgh-QueryGeneralizationTestMode.FAST]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT a\n  ,b FROM books-redshift-SELECT a, b FROM books-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[SELECT a\n -- comment--\n,b --another comment\n FROM books-redshift-SELECT a, b FROM books-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[UPDATE  "books" SET page_count = page_count + 1, author_count = author_count + 1 WHERE book_title = 'My New Book'-redshift-UPDATE "books" SET page_count = page_count + %s, author_count = author_count + %s WHERE book_title = %s-QueryGeneralizationTestMode.BOTH]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_generalization[select * from foo-redshift-SELECT * FROM foo-QueryGeneralizationTestMode.FULL]
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_query_types
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_redshift_query_fingerprint
tests.unit.sql_parsing.test_sqlglot_utils ‑ test_update_from_select
tests.unit.sql_parsing.test_stored_procedure_lineage_integration ‑ test_create_procedure_multiple_statements_aggregates_lineage
tests.unit.sql_parsing.test_stored_procedure_lineage_integration ‑ test_create_procedure_with_try_catch_generates_lineage
tests.unit.sql_parsing.test_stored_procedure_lineage_integration ‑ test_create_procedure_without_control_flow_generates_lineage
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_mssql_4part_global_temp_table_real_sql
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_mssql_4part_temp_table_real_sql
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_multipart_dot_global_temp_table
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_multipart_dot_local_temp_table
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_multipart_dot_no_temp_flags
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_multipart_dot_non_mssql_no_prefix
tests.unit.sql_parsing.test_table_name.TestDotExpressionTableNames ‑ test_multipart_dot_table_name
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_is_temp_table_compatibility
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_full_lineage_scenario
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_global_temp_create_table
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_global_temp_select_from
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_global_temp_select_into
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_insert_into_multipart_temp
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_local_temp_create_table
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_local_temp_select_from
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_local_temp_select_into
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_multipart_global_temp_table
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_multipart_local_temp_table
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_temp_table_in_cte
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_temp_table_in_join
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_temp_table_in_subquery
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_mssql_temp_table_with_alias
tests.unit.sql_parsing.test_table_name.TestMSSQLTempTableExtraction ‑ test_regular_table_not_affected
tests.unit.sql_parsing.test_table_name.TestOtherDialectsTempTables ‑ test_bigquery_temp_table_no_hash
tests.unit.sql_parsing.test_table_name.TestOtherDialectsTempTables ‑ test_hive_temp_table_no_hash
tests.unit.sql_parsing.test_table_name.TestOtherDialectsTempTables ‑ test_postgresql_temp_table_no_hash
tests.unit.sql_parsing.test_table_name.TestOtherDialectsTempTables ‑ test_snowflake_temp_table_no_hash
tests.unit.sql_parsing.test_table_name.TestRedshiftTempTableExtraction ‑ test_redshift_hash_prefix_table
tests.unit.sql_parsing.test_table_name.TestRedshiftTempTableExtraction ‑ test_redshift_temp_keyword_table
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_mssql_global_takes_precedence_over_local
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_mssql_global_temp_adds_double_hash_prefix
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_mssql_local_temp_adds_hash_prefix
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_mssql_no_double_prefix_global
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_mssql_no_double_prefix_local
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_mssql_no_flags_returns_unchanged
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_non_mssql_dialect_returns_unchanged
tests.unit.sql_parsing.test_table_name.TestRestoreMssqlTempTablePrefix ‑ test_none_dialect_returns_unchanged
tests.unit.sql_parsing.test_table_name.TestTableNameEquality ‑ test_different_table_names_not_equal
tests.unit.sql_parsing.test_table_name.TestTableNameEquality ‑ test_same_table_names_are_equal
tests.unit.sql_parsing.test_table_name.TestTableNameEquality ‑ test_table_name_hashable
tests.unit.sql_parsing.test_table_name.TestTableNameEquality ‑ test_temp_table_different_from_regular
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTable ‑ test_basic_table_extraction
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTable ‑ test_default_db_and_schema
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTable ‑ test_explicit_overrides_default
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTable ‑ test_qualified_table_extraction
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTableWithDialect ‑ test_mssql_global_temp_gets_prefix
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTableWithDialect ‑ test_mssql_local_temp_gets_prefix
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTableWithDialect ‑ test_none_dialect_no_prefix
tests.unit.sql_parsing.test_table_name.TestTableNameFromSqlglotTableWithDialect ‑ test_postgres_temp_no_prefix
tests.unit.sql_parsing.test_table_name.TestTableNameQualified ‑ test_qualified_adds_defaults
tests.unit.sql_parsing.test_table_name.TestTableNameQualified ‑ test_qualified_preserves_temp_prefix
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_hex_metadata
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_hex_metadata_in_middle
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_hex_metadata_multiline
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_hex_metadata_single_line_at_end
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_hex_metadata_without_dashes_not_detected
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_looker_metadata
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_mode_metadata
tests.unit.sql_parsing.test_tool_meta_extractor ‑ test_extract_no_metadata
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_delete_with_alias_filters_correctly
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_update_cross_db_resolves_alias
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_update_mixed_case_alias_resolves
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_update_same_alias_in_subquery_scope
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_update_with_alias_basic
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_update_with_subquery
tests.unit.sql_parsing.test_tsql_update_alias_resolution ‑ test_tsql_update_without_alias
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[all_empty_tables]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[config_with_different_env]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[config_with_platform_instance_and_env]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[config_with_platform_instance_only]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[datetime_string_with_microseconds]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[datetime_string_without_microseconds]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[filter_empty_upstream_tables]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[float_unix_timestamp]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[invalid_timestamp_format]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[iso_format_with_z]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[no_timestamp]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[no_user]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[numeric_unix_timestamp]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[string_unix_timestamp]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[upstream_and_downstream_tables]
tests.unit.sql_queries.test_sql_queries.TestQueryEntry ‑ test_create[whitespace_only_tables]
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSource ‑ test_backward_compatibility
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSource ‑ test_workunit_generation_structure
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSource ‑ test_workunit_processors_with_incremental_lineage[False]
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSource ‑ test_workunit_processors_with_incremental_lineage[None]
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSource ‑ test_workunit_processors_with_incremental_lineage[True]
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSourceConfig ‑ test_incremental_lineage_default
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSourceConfig ‑ test_incremental_lineage_disabled_explicitly
tests.unit.sql_queries.test_sql_queries.TestSqlQueriesSourceConfig ‑ test_incremental_lineage_enabled
tests.unit.sql_queries.test_sql_queries_config.TestConfigurationValidation ‑ test_all_new_options_have_defaults
tests.unit.sql_queries.test_sql_queries_config.TestConfigurationValidation ‑ test_backward_compatibility
tests.unit.sql_queries.test_sql_queries_config.TestConfigurationValidation ‑ test_field_validation
tests.unit.sql_queries.test_sql_queries_config.TestEdgeCases ‑ test_empty_temp_table_patterns
tests.unit.sql_queries.test_sql_queries_config.TestEdgeCases ‑ test_invalid_s3_uri_format
tests.unit.sql_queries.test_sql_queries_config.TestEdgeCases ‑ test_none_aws_config
tests.unit.sql_queries.test_sql_queries_config.TestEnhancedReporting ‑ test_peak_memory_usage_tracking
tests.unit.sql_queries.test_sql_queries_config.TestEnhancedReporting ‑ test_query_processing_counting
tests.unit.sql_queries.test_sql_queries_config.TestEnhancedReporting ‑ test_schema_cache_tracking
tests.unit.sql_queries.test_sql_queries_config.TestIntegrationScenarios ‑ test_backward_compatibility_with_new_features
tests.unit.sql_queries.test_sql_queries_config.TestIntegrationScenarios ‑ test_performance_optimizations_combined
tests.unit.sql_queries.test_sql_queries_config.TestIntegrationScenarios ‑ test_s3_with_lazy_loading
tests.unit.sql_queries.test_sql_queries_config.TestIntegrationScenarios ‑ test_temp_tables_support
tests.unit.sql_queries.test_sql_queries_config.TestS3Support ‑ test_aws_config_required_for_s3
tests.unit.sql_queries.test_sql_queries_config.TestS3Support ‑ test_s3_file_processing
tests.unit.sql_queries.test_sql_queries_config.TestS3Support ‑ test_s3_uri_detection
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_combined_temp_table_detection_scenarios
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_is_temp_table_invalid_regex
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_is_temp_table_no_patterns
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_is_temp_table_with_patterns
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_sql_parsing_temp_table_detection_dialect_specific
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_sql_parsing_temp_table_detection_variations
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_sql_parsing_temp_table_detection_with_patterns
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_sql_parsing_temp_table_detection_without_patterns
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_temp_table_detection_counting
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_temp_table_patterns_custom
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_temp_table_patterns_default
tests.unit.sql_queries.test_sql_queries_config.TestTemporaryTableSupport ‑ test_temp_table_patterns_tracking
tests.unit.stateful_ingestion.provider.test_provider.TestIngestionCheckpointProviders ‑ test_providers
tests.unit.stateful_ingestion.provider.test_provider.TestIngestionCheckpointProviders ‑ test_state_provider_wrapper_with_config_not_provided
tests.unit.stateful_ingestion.provider.test_provider.TestIngestionCheckpointProviders ‑ test_state_provider_wrapper_with_config_provided
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_base85_is_removed
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_checkpoint_serde[BaseSQLAlchemyCheckpointState]
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_checkpoint_serde[BaseTimeWindowCheckpointState]
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_serde_idempotence[BaseSQLAlchemyCheckpointState]
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_serde_idempotence[BaseTimeWindowCheckpointState]
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_state_forward_compatibility[base85-bz2-json]
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_state_forward_compatibility[utf-8]
tests.unit.stateful_ingestion.state.test_checkpoint ‑ test_supported_encodings
tests.unit.stateful_ingestion.state.test_ldap_state ‑ test_add_checkpoint_urn
tests.unit.stateful_ingestion.state.test_ldap_state ‑ test_get_percent_entities_changed
tests.unit.stateful_ingestion.state.test_ldap_state ‑ test_get_urns_not_in
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_failed_run_does_not_create_checkpoint
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_job_ids
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time0-end_time0-True-None-None]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time1-end_time1-False-suggested_start_time1-suggested_end_time1]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time2-end_time2-True-None-None]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time3-end_time3-False-suggested_start_time3-suggested_end_time3]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time4-end_time4-False-suggested_start_time4-suggested_end_time4]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time5-end_time5-False-suggested_start_time5-suggested_end_time5]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time6-end_time6-False-suggested_start_time6-suggested_end_time6]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time7-end_time7-False-suggested_start_time7-suggested_end_time7]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_redundant_run_skip_handler[start_time8-end_time8-False-suggested_start_time8-suggested_end_time8]
tests.unit.stateful_ingestion.state.test_redundant_run_skip_handler ‑ test_successful_run_creates_checkpoint
tests.unit.stateful_ingestion.state.test_sql_common_state ‑ test_deduplication_and_order_preservation
tests.unit.stateful_ingestion.state.test_sql_common_state ‑ test_sql_common_state
tests.unit.stateful_ingestion.state.test_sql_common_state ‑ test_state_backward_compat
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[change_100_percent_delta_empty_new]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[change_100_percent_delta_non_empty_new]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[change_25_percent_delta]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[change_50_percent_delta]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[change_75_percent_delta]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[no_change_empty_old_and_new]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[no_change_empty_old_and_non_empty_new]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[no_change_non_empty_old_new_equals_old]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_change_percent[no_change_non_empty_old_new_superset_old]
tests.unit.stateful_ingestion.state.test_stale_entity_removal_handler ‑ test_filter_ignored_entity_types
tests.unit.stateful_ingestion.state.test_stateful_ingestion ‑ test_stateful_ingestion
tests.unit.stateful_ingestion.state.test_stateful_ingestion ‑ test_stateful_ingestion_failure
tests.unit.stateful_ingestion.test_configs ‑ test_state_provider_configs[checkpointing_default]
tests.unit.stateful_ingestion.test_configs ‑ test_state_provider_configs[checkpointing_valid_full_config]
tests.unit.stateful_ingestion.test_configs ‑ test_state_provider_configs[stateful_ingestion_bad_config]
tests.unit.stateful_ingestion.test_configs ‑ test_state_provider_configs[stateful_ingestion_default_disabled]
tests.unit.stateful_ingestion.test_configs ‑ test_state_provider_configs[stateful_ingestion_default_enabled]
tests.unit.stateful_ingestion.test_configs ‑ test_state_provider_configs[stateful_ingestion_full_custom]
tests.unit.stateful_ingestion.test_kafka_state ‑ test_kafka_common_state
tests.unit.stateful_ingestion.test_kafka_state ‑ test_kafka_state_migration
tests.unit.stored_procedure.test_procedure_lineage ‑ test_stored_procedure_lineage[snowflake-procedure_with_lineage.sql-snowflake/procedure_with_lineage.sql]
tests.unit.stored_procedure.test_procedure_lineage ‑ test_stored_procedure_lineage[snowflake-procedure_with_multi_statements.sql-snowflake/procedure_with_multi_statements.sql]
tests.unit.stored_procedure.test_procedure_lineage ‑ test_stored_procedure_lineage[snowflake-procedure_with_multitable_lineage.sql-snowflake/procedure_with_multitable_lineage.sql]
tests.unit.stored_procedure.test_procedure_lineage ‑ test_stored_procedure_lineage[snowflake-procedure_with_temp_lineage.sql-snowflake/procedure_with_temp_lineage.sql]
tests.unit.stored_procedure.test_procedure_lineage ‑ test_stored_procedure_lineage[snowflake-procedure_with_transaction.sql-snowflake/procedure_with_transaction.sql]
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_basic_creation
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_from_datahub
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_from_yaml
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_generate_mcps
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_list
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_to_yaml
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_type_normalization[STRING-urn:li:dataType:datahub.string]
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_type_normalization[date-urn:li:dataType:datahub.date]
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_type_normalization[number-urn:li:dataType:datahub.number]
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_type_normalization[string-urn:li:dataType:datahub.string]
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_type_qualifier
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_validate_entity_types
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_validate_type
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_version_as_integer_from_yaml
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_version_from_datahub
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_version_from_yaml
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_version_in_generate_mcps
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_version_none_in_generate_mcps
tests.unit.structured_properties.test_structured_properties ‑ test_structured_properties_version_to_yaml
tests.unit.structured_properties.test_structured_properties ‑ test_structured_property_patch_builder_combined_operations
tests.unit.structured_properties.test_structured_properties ‑ test_structured_property_patch_builder_set_version
tests.unit.structured_properties.test_structured_properties ‑ test_structured_property_patch_builder_set_version_none
tests.unit.tableau.test_tableau_config ‑ test_extract_project_hierarchy[False-allowed_projects1]
tests.unit.tableau.test_tableau_config ‑ test_extract_project_hierarchy[True-allowed_projects0]
tests.unit.tableau.test_tableau_config ‑ test_ingest_hidden_assets_bool
tests.unit.tableau.test_tableau_config ‑ test_ingest_hidden_assets_invalid
tests.unit.tableau.test_tableau_config ‑ test_ingest_hidden_assets_list
tests.unit.tableau.test_tableau_config ‑ test_ingest_hidden_assets_multiple
tests.unit.tableau.test_tableau_config ‑ test_project_pattern_deprecation
tests.unit.tableau.test_tableau_config ‑ test_use_email_as_username_default_false
tests.unit.tableau.test_tableau_config ‑ test_use_email_as_username_requires_ingest_owner
tests.unit.tableau.test_tableau_config ‑ test_use_email_as_username_valid_config
tests.unit.tableau.test_tableau_config ‑ test_value_error_projects_and_project_pattern
tests.unit.tableau.test_tableau_retry ‑ test_internal_server_error_backoff_calculation
tests.unit.tableau.test_tableau_retry ‑ test_internal_server_error_exhausts_retries
tests.unit.tableau.test_tableau_retry ‑ test_internal_server_error_raises_after_max_retries
tests.unit.tableau.test_tableau_retry ‑ test_internal_server_error_with_backoff
tests.unit.tableau.test_tableau_retry ‑ test_non_xml_response_error_exhausts_retries
tests.unit.tableau.test_tableau_retry ‑ test_non_xml_response_error_with_backoff
tests.unit.tableau.test_tableau_retry ‑ test_os_error_exhausts_retries
tests.unit.tableau.test_tableau_retry ‑ test_os_error_with_backoff
tests.unit.tableau.test_tableau_source ‑ test_connection_report_test
tests.unit.tableau.test_tableau_source ‑ test_custom_sql_datasource_naming_scenarios[with_datasource_name]
tests.unit.tableau.test_tableau_source ‑ test_custom_sql_datasource_naming_scenarios[with_embedded_datasource]
tests.unit.tableau.test_tableau_source ‑ test_custom_sql_datasource_naming_scenarios[with_empty_string_datasource_name]
tests.unit.tableau.test_tableau_source ‑ test_custom_sql_datasource_naming_scenarios[with_none_datasource_name]
tests.unit.tableau.test_tableau_source ‑ test_database_hostname_to_platform_instance_map
tests.unit.tableau.test_tableau_source ‑ test_get_filter_pages_for_single_key
tests.unit.tableau.test_tableau_source ‑ test_get_filter_pages_id_filter_splits_into_multiple_filters
tests.unit.tableau.test_tableau_source ‑ test_get_filter_pages_non_id_large_filter
tests.unit.tableau.test_tableau_source ‑ test_get_filter_pages_simple
tests.unit.tableau.test_tableau_source ‑ test_get_owner_identifier_email
tests.unit.tableau.test_tableau_source ‑ test_get_owner_identifier_email_fallback
tests.unit.tableau.test_tableau_source ‑ test_get_owner_identifier_empty_dict
tests.unit.tableau.test_tableau_source ‑ test_get_owner_identifier_username
tests.unit.tableau.test_tableau_source ‑ test_lineage_overrides
tests.unit.tableau.test_tableau_source ‑ test_make_id_filter
tests.unit.tableau.test_tableau_source ‑ test_make_multiple_filters
tests.unit.tableau.test_tableau_source ‑ test_make_project_filter
tests.unit.tableau.test_tableau_source ‑ test_optimize_query_filter_handles_empty_lists
tests.unit.tableau.test_tableau_source ‑ test_optimize_query_filter_handles_missing_keys
tests.unit.tableau.test_tableau_source ‑ test_optimize_query_filter_handles_no_duplicates
tests.unit.tableau.test_tableau_source ‑ test_optimize_query_filter_handles_other_keys
tests.unit.tableau.test_tableau_source ‑ test_optimize_query_filter_removes_duplicates
tests.unit.tableau.test_tableau_source ‑ test_tableau_no_verify
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<Parameters.[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_complex_expressions[<[Parameters].[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<Parameters.[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_equi_predicates[<[Parameters].[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<Parameters.[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_join_predicate[<[Parameters].[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<Parameters.[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lt_gt_predicates[<[Parameters].[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<Parameters.[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 4429 to 5110)

There are 7547 tests, see "Raw output" for the list of tests 4429 to 5110.
Raw output
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_lte_gte_predicates[<[Parameters].[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<Parameters.[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].My Param _ 1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].MyParam>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].MyParam_1>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<>]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].[My Param 1 !@"',.#$%^:;&*()-_+={}|\\ /<]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].[My Param _ 1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].[MyParam]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_cleanups_tableau_parameters_in_udfs[<[Parameters].[MyParam_1]>]
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_doesnt_touch_not_escaped
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_handles_none_nativedatatype
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_unescapes_gt
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_unescapes_gte
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_unescapes_lt
tests.unit.tableau.test_tableau_source ‑ test_tableau_source_unescapeslgte
tests.unit.tableau.test_tableau_source ‑ test_tableau_test_connection_failure
tests.unit.tableau.test_tableau_source ‑ test_tableau_test_connection_success
tests.unit.tableau.test_tableau_source ‑ test_tableau_unsupported_csql
tests.unit.tableau.test_tableau_source ‑ test_tableau_upstream_reference
tests.unit.tableau.test_tableau_source.TestTableauPageSizeConfig ‑ test_defaults
tests.unit.tableau.test_tableau_source.TestTableauPageSizeConfig ‑ test_fine_grained
tests.unit.tableau.test_tableau_source.TestTableauPageSizeConfig ‑ test_page_size_fallbacks
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_column_info_dataclass
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_empty_sql_raises_error
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_iceberg_table_with_complex_partitioning
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_location_extraction_parametrized[CREATE TABLE test (id int) LOCATION 's3://bucket/path/'-s3://bucket/path/]
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_location_extraction_parametrized[CREATE TABLE test (id int)-None]
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_minimal_create_table
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_multiple_sql_statements_stateless
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_simple_orc_table
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_table_with_comments
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_table_with_row_format_and_serde
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_transform_info_dataclass
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractor ‑ test_trino_table_with_array_partitioning
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_complex_real_world_example
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_complex_real_world_example_with_non_escaped_column_name_and_column_comment
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_database_qualified_table_with_iceberg_properties
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_external_table_with_row_format_delimited
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_iceberg_table_with_backtick_partitioning
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_partition_function_extraction_edge_cases
tests.unit.test_athena_properties_extractor.TestAthenaPropertiesExtractorIntegration ‑ test_partition_function_extraction_edge_cases_with_different_quote
tests.unit.test_athena_source ‑ test_athena_config_query_location_old_plus_new_value_not_allowed
tests.unit.test_athena_source ‑ test_athena_config_staging_dir_is_set_as_query_result
tests.unit.test_athena_source ‑ test_athena_get_table_properties
tests.unit.test_athena_source ‑ test_athena_uri
tests.unit.test_athena_source ‑ test_build_max_partition_query
tests.unit.test_athena_source ‑ test_casted_partition_key
tests.unit.test_athena_source ‑ test_casted_partition_key_method
tests.unit.test_athena_source ‑ test_column_type_complex_combination
tests.unit.test_athena_source ‑ test_column_type_decimal
tests.unit.test_athena_source ‑ test_column_type_struct
tests.unit.test_athena_source ‑ test_concat_function_generation_validates_with_sqlglot
tests.unit.test_athena_source ‑ test_convert_simple_field_paths_to_v1_complex_types_ignored
tests.unit.test_athena_source ‑ test_convert_simple_field_paths_to_v1_default_behavior
tests.unit.test_athena_source ‑ test_convert_simple_field_paths_to_v1_disabled
tests.unit.test_athena_source ‑ test_convert_simple_field_paths_to_v1_enabled
tests.unit.test_athena_source ‑ test_convert_simple_field_paths_to_v1_with_partition_keys
tests.unit.test_athena_source ‑ test_get_column_type_array
tests.unit.test_athena_source ‑ test_get_column_type_map
tests.unit.test_athena_source ‑ test_get_column_type_simple_types
tests.unit.test_athena_source ‑ test_get_partitions_attempts_extraction_when_extract_partitions_enabled
tests.unit.test_athena_source ‑ test_get_partitions_returns_none_when_extract_partitions_disabled
tests.unit.test_athena_source ‑ test_partition_profiling_disabled_no_sql_generation
tests.unit.test_athena_source ‑ test_partition_profiling_sql_generation_complex_schema_table_names
tests.unit.test_athena_source ‑ test_partition_profiling_sql_generation_multiple_keys
tests.unit.test_athena_source ‑ test_partition_profiling_sql_generation_single_key
tests.unit.test_athena_source ‑ test_sanitize_identifier_empty_and_edge_cases
tests.unit.test_athena_source ‑ test_sanitize_identifier_error_handling_in_generate_partition_profiler_query
tests.unit.test_athena_source ‑ test_sanitize_identifier_error_handling_in_get_partitions
tests.unit.test_athena_source ‑ test_sanitize_identifier_integration_with_build_max_partition_query
tests.unit.test_athena_source ‑ test_sanitize_identifier_invalid_characters
tests.unit.test_athena_source ‑ test_sanitize_identifier_quote_injection_attempts
tests.unit.test_athena_source ‑ test_sanitize_identifier_sql_injection_attempts
tests.unit.test_athena_source ‑ test_sanitize_identifier_valid_complex_types
tests.unit.test_athena_source ‑ test_sanitize_identifier_valid_names
tests.unit.test_aws_common.TestAwsCommon ‑ test_aws_connection_config_basic
tests.unit.test_aws_common.TestAwsCommon ‑ test_aws_connection_config_multiple_roles
tests.unit.test_aws_common.TestAwsCommon ‑ test_aws_connection_config_role_assumption
tests.unit.test_aws_common.TestAwsCommon ‑ test_aws_connection_config_skip_role_assumption
tests.unit.test_aws_common.TestAwsCommon ‑ test_aws_connection_config_validation_error
tests.unit.test_aws_common.TestAwsCommon ‑ test_aws_connection_config_with_session_token
tests.unit.test_aws_common.TestAwsCommon ‑ test_ec2_metadata_token
tests.unit.test_aws_common.TestAwsCommon ‑ test_ec2_metadata_token_failure
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_app_runner
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_beanstalk
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_ecs
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_eks
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_lambda
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_lambda_cloudformation
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_no_environment
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars0-AwsEnvironment.UNKNOWN]
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars1-AwsEnvironment.LAMBDA]
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars2-AwsEnvironment.CLOUD_FORMATION]
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars3-AwsEnvironment.EKS]
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars4-AwsEnvironment.APP_RUNNER]
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars5-AwsEnvironment.ECS]
tests.unit.test_aws_common.TestAwsCommon ‑ test_environment_detection_parametrized[env_vars6-AwsEnvironment.BEANSTALK]
tests.unit.test_aws_common.TestAwsCommon ‑ test_get_current_identity_lambda
tests.unit.test_aws_common.TestAwsCommon ‑ test_get_instance_role_arn_success
tests.unit.test_aws_common.TestAwsCommon ‑ test_is_running_on_ec2
tests.unit.test_aws_common.TestAwsCommon ‑ test_is_running_on_ec2_failure
tests.unit.test_aws_common.TestAwsCommon ‑ test_multiple_clients_use_same_cached_credentials
tests.unit.test_aws_common.TestAwsCommon ‑ test_role_assumption_chain
tests.unit.test_aws_common.TestAwsCommon ‑ test_role_assumption_credentials_cached_across_sessions
tests.unit.test_aws_common.TestAwsCommon ‑ test_role_assumption_refreshes_expired_credentials
tests.unit.test_aws_common.TestAwsCommon ‑ test_role_assumption_with_explicit_credentials
tests.unit.test_aws_common.TestAwsCommon ‑ test_role_assumption_without_caching_before_fix
tests.unit.test_bootstrap.TestBootstrapErrorHandling ‑ test_bootstrap_concurrent_with_force
tests.unit.test_bootstrap.TestBootstrapErrorHandling ‑ test_bootstrap_error_cleared_on_successful_retry
tests.unit.test_bootstrap.TestBootstrapErrorHandling ‑ test_bootstrap_error_set_on_failure
tests.unit.test_bootstrap.TestBootstrapErrorHandling ‑ test_bootstrap_thread_safety
tests.unit.test_bootstrap.TestExceptionHookOptimization ‑ test_exception_hook_circuit_breaker_persistence
tests.unit.test_bootstrap.TestExceptionHookOptimization ‑ test_exception_hook_reuses_filter
tests.unit.test_bootstrap.TestExceptionHookOptimization ‑ test_exception_hook_updates_secrets
tests.unit.test_business_glossary ‑ test_clean_url
tests.unit.test_business_glossary ‑ test_clean_url_edge_cases
tests.unit.test_business_glossary ‑ test_create_id_url_cleaning
tests.unit.test_business_glossary ‑ test_create_id_with_default
tests.unit.test_business_glossary ‑ test_create_id_with_special_chars
tests.unit.test_capability_report ‑ test_basic_capability_report
tests.unit.test_cassandra_source ‑ test_authenticate_no_ssl
tests.unit.test_cassandra_source ‑ test_authenticate_ssl_all_certs
tests.unit.test_cassandra_source ‑ test_authenticate_ssl_ca_certs
tests.unit.test_cassandra_source ‑ test_cassandra_schema_conversion[all_types_on_4.1]
tests.unit.test_cassandra_source ‑ test_no_properties_in_mappings_schema
tests.unit.test_classification ‑ test_custom_info_type_config
tests.unit.test_classification ‑ test_default_classification_config
tests.unit.test_classification ‑ test_default_datahub_classifier_config
tests.unit.test_classification ‑ test_exclude_name_config
tests.unit.test_classification ‑ test_incorrect_custom_info_type_config
tests.unit.test_classification ‑ test_no_exclude_name_config
tests.unit.test_classification ‑ test_selective_datahub_classifier_config_override
tests.unit.test_classification_mixin ‑ test_get_classifiers_with_none_classification
tests.unit.test_classification_mixin ‑ test_get_classifiers_without_classification_config
tests.unit.test_clickhouse_source ‑ test_clickhouse_uri_default_password
tests.unit.test_clickhouse_source ‑ test_clickhouse_uri_https
tests.unit.test_clickhouse_source ‑ test_clickhouse_uri_https_backward_compatibility
tests.unit.test_clickhouse_source ‑ test_clickhouse_uri_native
tests.unit.test_clickhouse_source ‑ test_clickhouse_uri_native_secure
tests.unit.test_clickhouse_source ‑ test_clickhouse_uri_native_secure_backward_compatibility
tests.unit.test_clickhouse_source ‑ test_is_temp_table
tests.unit.test_clickhouse_source ‑ test_is_temp_table_custom_patterns
tests.unit.test_clickhouse_source ‑ test_query_log_deny_usernames_validation_invalid
tests.unit.test_clickhouse_source ‑ test_query_log_deny_usernames_validation_valid
tests.unit.test_cockroach_source ‑ test_platform_correctly_set_cockroachdb
tests.unit.test_cockroach_source ‑ test_platform_correctly_set_postgres
tests.unit.test_compare_metadata ‑ test_basic_diff_only_owner_change
tests.unit.test_compare_metadata ‑ test_basic_diff_owner_change
tests.unit.test_compare_metadata ‑ test_basic_diff_same
tests.unit.test_confluent_schema_registry.ConfluentSchemaRegistryTest ‑ test_get_schema_str_replace_confluent_ref_avro
tests.unit.test_csv_enricher_source ‑ test_get_resource_description_no_description
tests.unit.test_csv_enricher_source ‑ test_get_resource_description_work_unit_produced
tests.unit.test_csv_enricher_source ‑ test_get_resource_domain_no_domain
tests.unit.test_csv_enricher_source ‑ test_get_resource_domain_work_unit_produced
tests.unit.test_csv_enricher_source ‑ test_get_resource_glossary_terms_no_new_glossary_terms
tests.unit.test_csv_enricher_source ‑ test_get_resource_glossary_terms_work_unit_no_terms
tests.unit.test_csv_enricher_source ‑ test_get_resource_glossary_terms_work_unit_produced
tests.unit.test_csv_enricher_source ‑ test_get_resource_owners_no_new_owners
tests.unit.test_csv_enricher_source ‑ test_get_resource_owners_work_unit_no_terms
tests.unit.test_csv_enricher_source ‑ test_get_resource_owners_work_unit_produced
tests.unit.test_csv_enricher_source ‑ test_get_resource_tags_no_new_tags
tests.unit.test_csv_enricher_source ‑ test_get_resource_tags_work_unit_no_tags
tests.unit.test_csv_enricher_source ‑ test_get_resource_tags_work_unit_produced
tests.unit.test_csv_enricher_source ‑ test_maybe_extract_owners_ownership_type_urn
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_batch_mode_filters_by_source_type
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_batch_mode_with_platform_filter
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_hash_changes_when_chunking_max_characters_changes
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_hash_changes_when_chunking_strategy_changes
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_hash_changes_when_embedding_model_changes
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_hash_changes_when_partition_strategy_changes
tests.unit.test_datahub_documents_source.TestConfigFingerprintInHash ‑ test_hash_includes_config_fingerprint
tests.unit.test_datahub_documents_source.TestDataHubDocumentsConfig ‑ test_default_config
tests.unit.test_datahub_documents_source.TestDataHubDocumentsConfig ‑ test_empty_platform_filter_allowed
tests.unit.test_datahub_documents_source.TestDataHubDocumentsConfig ‑ test_event_mode_config
tests.unit.test_datahub_documents_source.TestDataHubDocumentsConfig ‑ test_multi_platform_filter
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_calculate_text_hash
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_embedding_model_name_bedrock
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_embedding_model_name_cohere
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_extract_platform_from_aspect
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_parse_mcl_aspect
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_should_process_force_reprocess
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_should_process_incremental_mode
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_source_initialization
tests.unit.test_datahub_documents_source.TestDataHubDocumentsSource ‑ test_update_document_state
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_fallback_when_event_api_connection_error
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_fallback_when_event_api_returns_error
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_fallback_when_event_api_timeout
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_fallback_when_no_events_and_no_lookback
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_fallback_when_no_offsets_no_lookback
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_fallback_when_state_handler_unavailable
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_no_fallback_when_offsets_exist
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_should_fallback_to_batch_mode_no_checkpointing
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_should_fallback_to_batch_mode_no_offsets_no_lookback
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_should_fallback_to_batch_mode_no_state_handler
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_should_not_fallback_when_offsets_exist
tests.unit.test_datahub_documents_source.TestEventModeFallback ‑ test_should_not_fallback_with_lookback_window
tests.unit.test_datahub_documents_source.TestGetCurrentOffset ‑ test_get_current_offset_connection_error
tests.unit.test_datahub_documents_source.TestGetCurrentOffset ‑ test_get_current_offset_http_error
tests.unit.test_datahub_documents_source.TestGetCurrentOffset ‑ test_get_current_offset_no_offset_in_response
tests.unit.test_datahub_documents_source.TestGetCurrentOffset ‑ test_get_current_offset_polls_with_no_offset_and_no_lookback
tests.unit.test_datahub_documents_source.TestGetCurrentOffset ‑ test_get_current_offset_success
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_default_config_processes_all_native
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_event_mode_external_fetches_platform
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_event_mode_external_skipped_when_platform_not_in_filter
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_event_mode_native_no_platform_fetch
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_extract_platform_from_entity
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_fetch_platform_from_entity
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_fetch_platform_from_entity_no_platform
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_platform_filter_processes_native_and_external
tests.unit.test_datahub_documents_source.TestSourceTypeFiltering ‑ test_wildcard_filter_processes_all
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_batch_mode_stores_document_hashes
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_event_mode_stores_offsets
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_fallback_preserves_existing_offsets
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_fallback_stores_document_hashes
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_incremental_mode_processes_changed_documents
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_incremental_mode_skips_unchanged_documents
tests.unit.test_datahub_documents_source.TestStateStorage ‑ test_state_preserves_both_document_hashes_and_offsets
tests.unit.test_datahub_documents_source.TestTextPartitioner ‑ test_partition_empty_text
tests.unit.test_datahub_documents_source.TestTextPartitioner ‑ test_partition_simple_markdown
tests.unit.test_datahub_source ‑ test_datahub_source_no_warning_with_default_urn_pattern
tests.unit.test_datahub_source ‑ test_datahub_source_urn_pattern_warning_when_customized
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_duplicate_data_handling
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_exception_handling
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_exclude_aspects
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_no_rows
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_pagination_different_timestamp
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_pagination_same_timestamp
tests.unit.test_datahub_source ‑ test_get_rows_for_date_range_with_rows
tests.unit.test_datahub_source ‑ test_get_rows_multiple_paging
tests.unit.test_datahub_source ‑ test_version_orderer
tests.unit.test_datahub_source ‑ test_version_orderer_disabled
tests.unit.test_db2_source ‑ test_db2_quote_identifier[UPPERCASE-"UPPERCASE"]
tests.unit.test_db2_source ‑ test_db2_quote_identifier[lowercase-"lowercase"]
tests.unit.test_db2_source ‑ test_db2_quote_identifier[with double "quotes"-"with double ""quotes"""]
tests.unit.test_db2_source ‑ test_db2_split_zos_pathschemas["MULTIPLE_SCHEMAS","SCHEMA_TWO"-expected2]
tests.unit.test_db2_source ‑ test_db2_split_zos_pathschemas["SCHEMA WITH ""ESCAPED"" QUOTES"-expected3]
tests.unit.test_db2_source ‑ test_db2_split_zos_pathschemas["SINGLE_SCHEMA"-expected0]
tests.unit.test_db2_source ‑ test_db2_split_zos_pathschemas["lowercase_schema"-expected1]
tests.unit.test_druid_source ‑ test_druid_get_identifier
tests.unit.test_druid_source ‑ test_druid_uri
tests.unit.test_elasticsearch_source ‑ test_collapse_urns
tests.unit.test_elasticsearch_source ‑ test_composable_template_structure
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[.ds-datahub_usage_event-000001]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[chartindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[corpgroupindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[corpuserindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[dashboardindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[dataflowindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[datahubpolicyindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[datahubretentionindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[datajobindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[dataplatformindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[dataprocessindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[dataset_datasetprofileaspect_v1]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[dataset_datasetusagestatisticsaspect_v1]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[datasetindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[glossarynodeindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[glossarytermindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[ilm-history-2-000001]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[mlfeatureindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[mlfeaturetableindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[mlmodeldeploymentindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[mlmodelgroupindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[mlmodelindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[mlprimarykeyindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[schemafieldindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[system_metadata_service_v1]
tests.unit.test_elasticsearch_source ‑ test_elastic_search_schema_conversion[tagindex_v2]
tests.unit.test_elasticsearch_source ‑ test_elasticsearch_throws_error_wrong_operation_config
tests.unit.test_elasticsearch_source ‑ test_host_port_parsing
tests.unit.test_elasticsearch_source ‑ test_no_properties_in_mappings_schema
tests.unit.test_entrypoints ‑ test_agent_command_exists
tests.unit.test_entrypoints ‑ test_agent_command_shows_error_or_help
tests.unit.test_entrypoints ‑ test_agent_shim_command_behavior
tests.unit.test_entrypoints ‑ test_optional_commands_exist[actions]
tests.unit.test_entrypoints ‑ test_optional_commands_exist[agent]
tests.unit.test_entrypoints ‑ test_optional_commands_exist[lite]
tests.unit.test_entrypoints ‑ test_shim_commands_show_helpful_error[actions-pip install acryl-datahub-actions]
tests.unit.test_entrypoints ‑ test_shim_commands_show_helpful_error[agent-pip install datahub-agent-context]
tests.unit.test_entrypoints ‑ test_shim_commands_show_helpful_error[lite-pip install 'acryl-datahub[datahub-lite]']
tests.unit.test_exception_hook.TestExceptionHookIntegration ‑ test_exception_masking_after_initialization
tests.unit.test_exception_hook.TestExceptionHookIntegration ‑ test_exception_masking_before_initialization
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_exception_hook_graceful_failure
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_exception_hook_handles_non_string_args
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_exception_hook_installed
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_exception_hook_masking_failure
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_exception_hook_preserves_exception_type
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_multiple_secrets_in_exception
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_shutdown_restores_original_hook
tests.unit.test_exception_hook.TestExceptionHookMasking ‑ test_unhandled_exception_masking
tests.unit.test_file_lineage_source ‑ test_basic_lineage_entity_root_node_urn
tests.unit.test_file_lineage_source ‑ test_basic_lineage_finegrained_upstream_urns
tests.unit.test_file_lineage_source ‑ test_basic_lineage_upstream_urns
tests.unit.test_file_lineage_source ‑ test_unsupported_entity_env
tests.unit.test_file_lineage_source ‑ test_unsupported_entity_type
tests.unit.test_file_lineage_source ‑ test_unsupported_upstream_entity_type
tests.unit.test_file_sink ‑ test_file_sink_creates_parent_directories
tests.unit.test_file_sink ‑ test_file_sink_empty_records
tests.unit.test_file_sink ‑ test_file_sink_legacy_nested_json_string
tests.unit.test_file_sink ‑ test_file_sink_local_write_backward_compatibility
tests.unit.test_file_sink ‑ test_file_sink_s3_write
tests.unit.test_file_sink ‑ test_file_sink_s3_write_failure
tests.unit.test_file_systems ‑ test_get_path_schema
tests.unit.test_file_systems ‑ test_http_filesystem_exists_false
tests.unit.test_file_systems ‑ test_http_filesystem_exists_true
tests.unit.test_file_systems ‑ test_http_filesystem_write_not_supported
tests.unit.test_file_systems ‑ test_local_filesystem_write_and_exists
tests.unit.test_file_systems ‑ test_local_filesystem_write_creates_directories
tests.unit.test_file_systems ‑ test_local_filesystem_write_with_kwargs
tests.unit.test_file_systems ‑ test_s3_filesystem_exists_error
tests.unit.test_file_systems ‑ test_s3_filesystem_exists_false
tests.unit.test_file_systems ‑ test_s3_filesystem_exists_true
tests.unit.test_file_systems ‑ test_s3_filesystem_write
tests.unit.test_file_systems ‑ test_s3_filesystem_write_with_kwargs
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_disabled
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_handles_empty_urn_list
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_respects_deletion_limit
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_respects_time_limit
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_with_invalid_urns
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_with_max_futures_limit
tests.unit.test_gc.TestCleanupSoftDeletedEntities ‑ test_cleanup_with_valid_urns
tests.unit.test_gc.TestDataProcessCleanup ‑ test_delete_dpi_from_datajobs
tests.unit.test_gc.TestDataProcessCleanup ‑ test_delete_dpi_from_datajobs_without_dpi_created_time
tests.unit.test_gc.TestDataProcessCleanup ‑ test_delete_dpi_from_datajobs_without_dpi_null_created_time
tests.unit.test_gc.TestDataProcessCleanup ‑ test_delete_dpi_from_datajobs_without_dpi_without_time
tests.unit.test_gc.TestDataProcessCleanup ‑ test_delete_dpi_from_datajobs_without_dpis
tests.unit.test_gc.TestDataProcessCleanup ‑ test_fetch_dpis
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup ‑ test_increment_retained_count
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup ‑ test_update_report
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_cleanup_disabled
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_cleanup_soft_deleted_entities
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_delete_entity
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_delete_entity_dry_run
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_delete_entity_respects_deletion_limit
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_delete_entity_respects_time_limit
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_delete_soft_deleted_entity_old_enough
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_delete_soft_deleted_entity_too_recent
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_deletion_limit_reached
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_entity_not_removed
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_entity_with_missing_status_aspect
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_get_urns
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_get_urns_with_dpi
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_handle_urn_parsing_error
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_increment_retained_by_type
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_init_requires_graph
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_process_futures
tests.unit.test_gc.TestSoftDeletedEntitiesCleanup2 ‑ test_times_up
tests.unit.test_gcs_source ‑ test_data_lake_incorrect_config_raises_error
tests.unit.test_gcs_source ‑ test_gcs_container_subtypes
tests.unit.test_gcs_source ‑ test_gcs_path_spec_pattern_matching
tests.unit.test_gcs_source ‑ test_gcs_source_preserves_gs_uris
tests.unit.test_gcs_source ‑ test_gcs_source_setup
tests.unit.test_gcs_source ‑ test_gcs_uri_normalization_fix
tests.unit.test_gcs_source ‑ test_gcs_uri_transformations[gs://bucket/nested/deep/path/data.csv-s3://bucket/nested/deep/path/data.csv-bucket/nested/deep/path/data.csv]
tests.unit.test_gcs_source ‑ test_gcs_uri_transformations[gs://my-bucket/simple/file.json-s3://my-bucket/simple/file.json-my-bucket/simple/file.json]
tests.unit.test_gcs_source ‑ test_gcs_uri_transformations[gs://test-bucket/data/food_parquet/year=2023/file.parquet-s3://test-bucket/data/food_parquet/year=2023/file.parquet-test-bucket/data/food_parquet/year=2023/file.parquet]
tests.unit.test_ge_profiling_config ‑ test_profile_table_level_only
tests.unit.test_ge_profiling_config ‑ test_profile_table_level_only_fails_with_field_metric_enabled
tests.unit.test_generic_aspect_transformer.TestDummyGenericAspectTransformer ‑ test_add_generic_aspect_when_mce_received
tests.unit.test_generic_aspect_transformer.TestDummyGenericAspectTransformer ‑ test_add_generic_aspect_when_mcpc_received
tests.unit.test_generic_aspect_transformer.TestDummyGenericAspectTransformer ‑ test_add_generic_aspect_when_mcpw_received
tests.unit.test_generic_aspect_transformer.TestDummyGenericAspectTransformer ‑ test_modify_generic_aspect_when_mcpc_received
tests.unit.test_generic_aspect_transformer.TestDummyRemoveGenericAspectTransformer ‑ test_remove_generic_aspect_when_mcpc_received
tests.unit.test_hana_source ‑ test_hana_uri_native
tests.unit.test_hana_source ‑ test_hana_uri_native_db
tests.unit.test_hana_source ‑ test_platform_correctly_set_hana
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_catalog_with_two_parts
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_double_dots_raises_error
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_empty_identifier_raises_error
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_four_parts_with_catalog
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_handles_leading_dots
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_none_raises_error
tests.unit.test_hive_metastore_source ‑ test_get_db_schema_whitespace_only_raises_error
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_aggregator_initialization
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_configuration_basic
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_get_db_schema_single_part
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_get_db_schema_with_catalog
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_get_db_schema_without_catalog
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_source_initialization
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_source_with_storage_lineage_disabled
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_storage_lineage_config
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_storage_lineage_config_from_mixin
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_storage_lineage_direction_validation
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_subtype_config
tests.unit.test_hive_metastore_source ‑ test_hive_metastore_subtype_config_pascalcase
tests.unit.test_hive_metastore_source ‑ test_presto_view_column_metadata_parsing
tests.unit.test_hive_metastore_source ‑ test_presto_view_complex_sql
tests.unit.test_hive_metastore_source ‑ test_sql_fetcher_db_filter_disabled_when_database_not_set
tests.unit.test_hive_metastore_source ‑ test_sql_fetcher_db_filter_disabled_without_metastore_db_name
tests.unit.test_hive_metastore_source ‑ test_sql_fetcher_db_filter_enabled_when_configured
tests.unit.test_hive_metastore_source ‑ test_sql_fetcher_special_chars_in_database_name_are_safe
tests.unit.test_hive_metastore_source ‑ test_sql_fetcher_uses_correct_query_variant
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_config_downstream_direction
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_config_invalid_direction
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_config_upstream_direction
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_downstream_direction_reverses_lineage
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_empty_location_skips_gracefully
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_missing_location_skips_gracefully
tests.unit.test_hive_metastore_source ‑ test_storage_lineage_s3_location_generates_upstream_lineage
tests.unit.test_hive_metastore_source ‑ test_thrift_connection_allows_database_pattern
tests.unit.test_hive_metastore_source ‑ test_thrift_connection_rejects_presto_mode
tests.unit.test_hive_metastore_source ‑ test_thrift_connection_where_clause_also_deprecated
tests.unit.test_hive_metastore_source ‑ test_view_lineage_adds_to_aggregator
tests.unit.test_hive_metastore_source ‑ test_where_clause_suffix_deprecation_suggests_database_pattern
tests.unit.test_hive_metastore_source ‑ test_where_clause_suffix_empty_string_accepted
tests.unit.test_hive_metastore_source ‑ test_where_clause_suffix_multiple_deprecated
tests.unit.test_hive_metastore_source ‑ test_where_clause_suffix_schemas_deprecated
tests.unit.test_hive_metastore_source ‑ test_where_clause_suffix_tables_deprecated
tests.unit.test_hive_metastore_source ‑ test_where_clause_suffix_views_deprecated
tests.unit.test_hive_metastore_thrift.TestCatalogConfigIntegration ‑ test_catalog_name_in_config
tests.unit.test_hive_metastore_thrift.TestCatalogConfigIntegration ‑ test_include_catalog_name_in_ids
tests.unit.test_hive_metastore_thrift.TestConnectionTypeRouting ‑ test_connection_type_sql_uses_sql_fetcher
tests.unit.test_hive_metastore_thrift.TestConnectionTypeRouting ‑ test_connection_type_thrift_uses_thrift_fetcher
tests.unit.test_hive_metastore_thrift.TestConnectionTypeRouting ‑ test_default_connection_type_is_sql
tests.unit.test_hive_metastore_thrift.TestDateFormatting ‑ test_format_create_date_with_none
tests.unit.test_hive_metastore_thrift.TestDateFormatting ‑ test_format_create_date_with_valid_timestamp
tests.unit.test_hive_metastore_thrift.TestDateFormatting ‑ test_format_create_date_with_zero
tests.unit.test_hive_metastore_thrift.TestErrorWrapping ‑ test_broken_pipe_with_kerberos_suggests_checking_ticket
tests.unit.test_hive_metastore_thrift.TestErrorWrapping ‑ test_broken_pipe_without_kerberos_suggests_enabling_kerberos
tests.unit.test_hive_metastore_thrift.TestErrorWrapping ‑ test_connection_reset_detected_as_auth_error
tests.unit.test_hive_metastore_thrift.TestErrorWrapping ‑ test_non_auth_error_passes_through
tests.unit.test_hive_metastore_thrift.TestErrorWrapping ‑ test_read_zero_bytes_detected_as_auth_error
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_cache_key_structure_includes_catalog
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_clear_failures_clears_catalog_keyed_data
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_database_failure_key_structure_includes_catalog
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_database_failures_include_catalog_in_display
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_failures_without_catalog_display_correctly
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_get_all_tables_without_catalog_uses_standard_api
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_get_fields_without_catalog_uses_standard_api
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_table_failure_key_structure_includes_catalog
tests.unit.test_hive_metastore_thrift.TestHMS3CatalogSupport ‑ test_table_failures_include_catalog_in_display
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreSourceWithThrift ‑ test_source_creation_with_thrift_connection
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreSourceWithThrift ‑ test_test_connection_with_thrift
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreThriftClient ‑ test_iter_table_rows_format
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreThriftClientCatalogSupport ‑ test_get_all_databases_with_and_without_catalog
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreThriftClientCatalogSupport ‑ test_get_catalogs_success_and_fallback
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreThriftClientCatalogSupport ‑ test_get_table_returns_expected_format
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreThriftConfig ‑ test_config_defaults_and_kerberos_settings
tests.unit.test_hive_metastore_thrift.TestHiveMetastoreThriftConfig ‑ test_presto_trino_modes_not_supported_with_thrift
tests.unit.test_hive_metastore_thrift.TestRetryLogic ‑ test_retry_decorator_is_callable
tests.unit.test_hive_metastore_thrift.TestRetryLogic ‑ test_transport_exception_type
tests.unit.test_hive_metastore_thrift.TestSaslTransportQopEncoding ‑ test_close_closes_transport
tests.unit.test_hive_metastore_thrift.TestSaslTransportQopEncoding ‑ test_connect_with_kerberos_uses_sasl_transport
tests.unit.test_hive_metastore_thrift.TestSaslTransportQopEncoding ‑ test_connect_without_kerberos_uses_buffered_transport
tests.unit.test_hive_metastore_thrift.TestSaslTransportQopEncoding ‑ test_context_manager_calls_connect
tests.unit.test_hive_metastore_thrift.TestSaslTransportQopEncoding ‑ test_create_sasl_transport_encodes_qop_to_bytes
tests.unit.test_hive_metastore_thrift.TestSaslTransportQopEncoding ‑ test_sasl_host_uses_hostname_override
tests.unit.test_hive_metastore_thrift.TestSourceCloseFailureReporting ‑ test_close_reports_database_failures
tests.unit.test_hive_metastore_thrift.TestSourceCloseFailureReporting ‑ test_close_reports_table_failures
tests.unit.test_hive_metastore_thrift.TestTestConnectionErrorHandling ‑ test_connection_refused_provides_mitigation
tests.unit.test_hive_metastore_thrift.TestTestConnectionErrorHandling ‑ test_kerberos_error_provides_mitigation
tests.unit.test_hive_metastore_thrift.TestTestConnectionErrorHandling ‑ test_timeout_error_provides_mitigation
tests.unit.test_hive_metastore_thrift.TestThriftClientBehavior ‑ test_partition_columns_ordered_after_regular_columns
tests.unit.test_hive_metastore_thrift.TestThriftClientBehavior ‑ test_views_excluded_from_table_rows
tests.unit.test_hive_metastore_thrift.TestThriftConnectionConfig ‑ test_kerberos_qop_custom
tests.unit.test_hive_metastore_thrift.TestThriftConnectionConfig ‑ test_kerberos_qop_default
tests.unit.test_hive_metastore_thrift.TestThriftDataFetcher ‑ test_fetcher_creates_thrift_config
tests.unit.test_hive_metastore_thrift.TestThriftDataFetcherMethods ‑ test_close_when_not_connected
tests.unit.test_hive_metastore_thrift.TestThriftDataFetcherMethods ‑ test_get_catalog_name_returns_config_value
tests.unit.test_hive_metastore_thrift.TestThriftDataFetcherMethods ‑ test_get_catalog_name_returns_none_when_not_set
tests.unit.test_hive_metastore_thrift.TestThriftDataFetcherMethods ‑ test_get_database_failures_returns_empty_when_not_connected
tests.unit.test_hive_metastore_thrift.TestThriftDataFetcherMethods ‑ test_get_table_failures_returns_empty_when_not_connected
tests.unit.test_hive_metastore_thrift.TestThriftInspectorAdapter ‑ test_inspector_mimics_sqlalchemy_interface
tests.unit.test_hive_source ‑ test_dbapi_get_columns_patched_logic
tests.unit.test_hive_source ‑ test_dbapi_get_columns_patched_unknown_type
tests.unit.test_hive_source ‑ test_hive_configuration_get_avro_schema_from_native_data_type
tests.unit.test_hive_source ‑ test_hive_configuration_get_identifier_with_database
tests.unit.test_hive_source ‑ test_hive_source_all_storage_platforms
tests.unit.test_hive_source ‑ test_hive_source_combined_lineage_config
tests.unit.test_hive_source ‑ test_hive_source_get_db_schema
tests.unit.test_hive_source ‑ test_hive_source_initialization_with_storage_lineage
tests.unit.test_hive_source ‑ test_hive_source_storage_lineage_config_default
tests.unit.test_hive_source ‑ test_hive_source_storage_lineage_config_enabled
tests.unit.test_hive_source ‑ test_hive_source_storage_lineage_direction_validation
tests.unit.test_hive_source ‑ test_hive_source_view_emits_subtypes
tests.unit.test_hive_source ‑ test_hive_source_view_lineage_config
tests.unit.test_hive_source ‑ test_hive_source_view_lineage_disabled
tests.unit.test_hive_source ‑ test_hive_source_view_not_implemented_error
tests.unit.test_hive_source ‑ test_hive_source_view_without_definition
tests.unit.test_hive_storage_lineage ‑ test_fine_grained_lineage_disabled
tests.unit.test_hive_storage_lineage ‑ test_fine_grained_lineage_downstream
tests.unit.test_hive_storage_lineage ‑ test_fine_grained_lineage_partial_match
tests.unit.test_hive_storage_lineage ‑ test_fine_grained_lineage_upstream
tests.unit.test_hive_storage_lineage ‑ test_get_platform_name
tests.unit.test_hive_storage_lineage ‑ test_get_storage_schema
tests.unit.test_hive_storage_lineage ‑ test_get_storage_schema_invalid_location
tests.unit.test_hive_storage_lineage ‑ test_get_storage_schema_no_table_schema
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_config_custom
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_config_defaults
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_disabled
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_downstream_direction
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_invalid_location
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_lowercase_urns
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_no_location
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_platform_instance
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_upstream_direction
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_lineage_with_column_lineage
tests.unit.test_hive_storage_lineage ‑ test_hive_storage_source_report
tests.unit.test_hive_storage_lineage ‑ test_lineage_direction_enum_values
tests.unit.test_hive_storage_lineage ‑ test_make_storage_dataset_urn_invalid
tests.unit.test_hive_storage_lineage ‑ test_make_storage_dataset_urn_success
tests.unit.test_hive_storage_lineage ‑ test_storage_dataset_mcp_generation
tests.unit.test_hive_storage_lineage ‑ test_storage_dataset_mcp_without_schema
tests.unit.test_hive_storage_lineage ‑ test_storage_lineage_all_platforms
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_azure_abfss
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_dbfs
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_empty
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_gcs
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_hdfs
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_invalid_scheme
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_local
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_normalize_slashes
tests.unit.test_hive_storage_lineage ‑ test_storage_path_parser_s3
tests.unit.test_hive_storage_lineage ‑ test_storage_platform_enum_values
tests.unit.test_iceberg ‑ test_avro_decimal_bytes_nullable
tests.unit.test_iceberg ‑ test_config_catalog_not_configured
tests.unit.test_iceberg ‑ test_config_deprecated_catalog_configuration
tests.unit.test_iceberg ‑ test_config_for_tests
tests.unit.test_iceberg ‑ test_config_no_catalog
tests.unit.test_iceberg ‑ test_config_support_nested_dicts
tests.unit.test_iceberg ‑ test_exception_while_listing_namespaces
tests.unit.test_iceberg ‑ test_filtering
tests.unit.test_iceberg ‑ test_handle_expected_exceptions
tests.unit.test_iceberg ‑ test_handle_unexpected_exceptions
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type0-bytes]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type1-boolean]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type10-timestamp-micros]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type11-timestamp-micros]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type12-time-micros]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type13-uuid]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type2-date]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type3-decimal]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type4-double]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type5-fixed]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type6-float]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type7-int]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type8-long]
tests.unit.test_iceberg ‑ test_iceberg_list_to_schema_field[iceberg_type9-string]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type0-BytesTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type1-BooleanTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type10-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type11-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type12-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type13-StringTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type2-DateTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type3-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type4-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type5-FixedTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type6-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type7-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type8-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_map_to_schema_field[iceberg_type9-StringTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type0-BytesTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type1-BooleanTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type10-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type11-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type12-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type13-StringTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type2-DateTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type3-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type4-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type5-FixedTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type6-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type7-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type8-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_primitive_type_to_schema_field[iceberg_type9-StringTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_profiler_size_in_bytes
tests.unit.test_iceberg ‑ test_iceberg_profiler_size_in_bytes_missing
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type0-\x01\x02\x03\x04\x05-b'\\x01\\x02\\x03\\x04\\x05']
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type1-True-True]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type10-1688559488157000-2023-07-05T12:18:08.157000]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type11-1688559488157000-2023-07-05T12:18:08.157000+00:00]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type12-40400000000-11:13:20]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type13-value13-00010203-0405-0607-0809-0a0b0c0d0e0f]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type2-19543-2023-07-05]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type3-value3-3.14]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type4-3.4-3.4]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type5-\x01\x02\x03\x04-b'\\x01\\x02\\x03\\x04']
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type6-3.4-3.4]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type7-3-3]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type8-4294967295000-4294967295000]
tests.unit.test_iceberg ‑ test_iceberg_profiler_value_render[value_type9-a string-a string]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type0-BytesTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type1-BooleanTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type10-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type11-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type12-TimeTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type13-StringTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type2-DateTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type3-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type4-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type5-FixedTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type6-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type7-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type8-NumberTypeClass]
tests.unit.test_iceberg ‑ test_iceberg_struct_to_schema_field[iceberg_type9-StringTypeClass]
tests.unit.test_iceberg ‑ test_ingesting_namespace_properties
tests.unit.test_iceberg ‑ test_known_exception_while_listing_tables
tests.unit.test_iceberg ‑ test_known_exception_while_retrieving_namespace_properties
tests.unit.test_iceberg ‑ test_proper_run_with_multiple_namespaces
tests.unit.test_iceberg ‑ test_unknown_exception_while_listing_tables
tests.unit.test_iceberg ‑ test_unknown_exception_while_retrieving_namespace_properties
tests.unit.test_iceberg ‑ test_visit_timestamp_ns
tests.unit.test_iceberg ‑ test_visit_timestamptz_ns
tests.unit.test_iceberg ‑ test_visit_unknown
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_different_role_assumption
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_fallback_duration
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_glue_catalog_role_assumption_non_assumed_role_identity
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_glue_catalog_role_assumption_with_aws_role_arn_property
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_glue_catalog_with_all_credential_parameters
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_no_role_assumption
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_same_role_name_different_account
tests.unit.test_iceberg.TestGlueCatalogRoleAssumption ‑ test_same_role_no_assumption
tests.unit.test_kafka_connect.TestBigQuerySinkConnector ‑ test_bigquery_no_transforms
tests.unit.test_kafka_connect.TestBigQuerySinkConnector ‑ test_bigquery_with_complex_regex
tests.unit.test_kafka_connect.TestBigQuerySinkConnector ‑ test_bigquery_with_regex_router
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_all_invalid_chars_becomes_underscores
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_complex_mixed_cases
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_consecutive_underscore_cleanup
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_digit_handling_preserves_underscore
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_invalid_character_replacement
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_kafka_connect_compatibility
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_leading_trailing_underscore_removal
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_length_truncation_with_trailing_underscores
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_numeric_start_handling
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_real_world_topic_names
tests.unit.test_kafka_connect.TestBigQuerySinkConnectorSanitization ‑ test_valid_table_names_unchanged
tests.unit.test_kafka_connect.TestBigquerySinkConnector ‑ test_bigquery_with_regex_router
tests.unit.test_kafka_connect.TestCloudEnvironmentEdgeCases ‑ test_cloud_environment_detection
tests.unit.test_kafka_connect.TestCloudEnvironmentEdgeCases ‑ test_cloud_extraction_with_no_topics
tests.unit.test_kafka_connect.TestCloudEnvironmentEdgeCases ‑ test_cloud_extraction_with_transforms_but_no_source_tables
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_apply_forward_transforms_with_regex_router
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_cloud_fallback_to_existing_strategies
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_cloud_transform_integration_with_topic_filtering
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_cloud_transform_preserves_schema_information
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_cloud_transform_with_no_matching_topics
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_get_source_tables_from_config_multi_table
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_get_source_tables_from_config_query_mode
tests.unit.test_kafka_connect.TestCloudTransformPipeline ‑ test_get_source_tables_from_config_single_table
tests.unit.test_kafka_connect.TestConfluentCloudConnectorManifest ‑ test_connector_manifest_filters_extensions_field
tests.unit.test_kafka_connect.TestConfluentCloudConnectorManifest ‑ test_connector_manifest_with_missing_name
tests.unit.test_kafka_connect.TestConfluentCloudConnectors ‑ test_cloud_connector_missing_required_fields
tests.unit.test_kafka_connect.TestConfluentCloudConnectors ‑ test_cloud_mysql_source_connector
tests.unit.test_kafka_connect.TestConfluentCloudConnectors ‑ test_cloud_postgres_source_connector
tests.unit.test_kafka_connect.TestConfluentCloudConnectors ‑ test_lineage_generation_platform_vs_cloud
tests.unit.test_kafka_connect.TestConfluentCloudConnectors ‑ test_mixed_field_name_fallback
tests.unit.test_kafka_connect.TestConfluentCloudConnectors ‑ test_platform_postgres_source_connector
tests.unit.test_kafka_connect.TestConfluentCloudDetection ‑ test_confluent_cloud_detection_negative
tests.unit.test_kafka_connect.TestConfluentCloudDetection ‑ test_confluent_cloud_detection_positive
tests.unit.test_kafka_connect.TestConfluentCloudDetection ‑ test_feature_flag_disabled_skips_api_calls
tests.unit.test_kafka_connect.TestConfluentCloudDetection ‑ test_feature_flag_enabled_allows_api_calls
tests.unit.test_kafka_connect.TestConfluentCloudTasksEndpoint ‑ test_tasks_endpoint_skipped_for_confluent_cloud
tests.unit.test_kafka_connect.TestDebeziumConnectors ‑ test_debezium_mysql_lineage_extraction
tests.unit.test_kafka_connect.TestDebeziumConnectors ‑ test_debezium_postgres_lineage_extraction
tests.unit.test_kafka_connect.TestDebeziumConnectors ‑ test_debezium_sqlserver_with_database_and_schema
tests.unit.test_kafka_connect.TestDebeziumConnectors ‑ test_debezium_with_topic_prefix
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_database_discovery_with_exclude_filter
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_database_discovery_with_include_and_exclude_filters
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_database_discovery_with_include_filter
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_database_discovery_without_table_include_list
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_fallback_when_schema_resolver_unavailable
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_no_topics_when_no_config_and_no_resolver
tests.unit.test_kafka_connect.TestDebeziumDatabaseDiscovery ‑ test_pattern_matching_with_java_regex
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_and_match_source_topics_flow
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_sink_topics_explicit_list
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_sink_topics_no_config
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_sink_topics_regex
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_sink_topics_with_spaces
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_source_topics_cloud_cdc_no_transforms

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 5111 to 5723)

There are 7547 tests, see "Raw output" for the list of tests 5111 to 5723.
Raw output
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_source_topics_no_tables
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_source_topics_platform_jdbc_no_transforms
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_source_topics_unsupported_connector
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_source_topics_with_transforms
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_topics_from_table_config_cloud_style
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_topics_from_table_config_no_schema
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_topics_from_table_config_platform_style
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_derive_topics_from_table_config_quoted_identifiers
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_extract_sink_topics_from_config_flow
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_get_connector_topics_self_hosted_api_failure
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_get_connector_topics_self_hosted_api_success
tests.unit.test_kafka_connect.TestEnvironmentSpecificTopicRetrieval ‑ test_outbox_pattern_scenario
tests.unit.test_kafka_connect.TestErrorHandling ‑ test_get_topics_from_config_handles_exceptions_gracefully
tests.unit.test_kafka_connect.TestErrorHandling ‑ test_parser_creation_with_cloud_connector_missing_fields
tests.unit.test_kafka_connect.TestErrorHandling ‑ test_parser_creation_with_missing_database_in_url
tests.unit.test_kafka_connect.TestErrorHandling ‑ test_query_based_connector_with_no_source_dataset
tests.unit.test_kafka_connect.TestFineGrainedLineageWithReplaceField ‑ test_fine_grained_lineage_with_chained_transforms
tests.unit.test_kafka_connect.TestFineGrainedLineageWithReplaceField ‑ test_fine_grained_lineage_with_field_exclusion
tests.unit.test_kafka_connect.TestFineGrainedLineageWithReplaceField ‑ test_fine_grained_lineage_with_field_inclusion
tests.unit.test_kafka_connect.TestFineGrainedLineageWithReplaceField ‑ test_fine_grained_lineage_with_field_renaming
tests.unit.test_kafka_connect.TestFlowPropertyBag ‑ test_extract_flow_property_bag_masks_credentials
tests.unit.test_kafka_connect.TestFullConnectorConfigValidation ‑ test_cloud_mysql_source_no_transform
tests.unit.test_kafka_connect.TestFullConnectorConfigValidation ‑ test_cloud_postgres_cdc_with_regex_transform
tests.unit.test_kafka_connect.TestFullConnectorConfigValidation ‑ test_platform_jdbc_connector_with_topic_prefix
tests.unit.test_kafka_connect.TestHelperFunctions ‑ test_get_dataset_name
tests.unit.test_kafka_connect.TestHelperFunctions ‑ test_has_three_level_hierarchy
tests.unit.test_kafka_connect.TestInferMappings ‑ test_infer_mappings_handles_unknown_platform
tests.unit.test_kafka_connect.TestInferMappings ‑ test_infer_mappings_multi_table_mode
tests.unit.test_kafka_connect.TestInferMappings ‑ test_infer_mappings_single_table_mode
tests.unit.test_kafka_connect.TestInferMappings ‑ test_infer_mappings_with_no_matching_topics
tests.unit.test_kafka_connect.TestInferMappings ‑ test_infer_mappings_with_schema_qualified_tables
tests.unit.test_kafka_connect.TestInferMappings ‑ test_infer_mappings_with_topic_prefix_only
tests.unit.test_kafka_connect.TestIntegration ‑ test_end_to_end_bigquery_transformation
tests.unit.test_kafka_connect.TestIntegration ‑ test_regex_router_error_handling
tests.unit.test_kafka_connect.TestJDBCSourceConnector ‑ test_mysql_source_with_regex_router
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_flow_property_bag_sanitization
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_lineage_extraction_simple
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_lineage_with_transforms
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_mysql_without_schema
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_parser_confluent_cloud_postgres
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_parser_missing_required_fields
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_parser_self_hosted_postgres
tests.unit.test_kafka_connect.TestJdbcSinkConnector ‑ test_jdbc_sink_parser_with_custom_schema
tests.unit.test_kafka_connect.TestMongoSourceConnector ‑ test_mongo_source_lineage_topic_parsing
tests.unit.test_kafka_connect.TestPlatformCloudEnvironmentDetection ‑ test_cloud_environment_detection_postgres_cdc
tests.unit.test_kafka_connect.TestPlatformCloudEnvironmentDetection ‑ test_cloud_with_transforms_without_jpype
tests.unit.test_kafka_connect.TestPlatformCloudEnvironmentDetection ‑ test_platform_environment_detection_jdbc
tests.unit.test_kafka_connect.TestPlatformCloudEnvironmentDetection ‑ test_platform_single_table_multi_topic_transform
tests.unit.test_kafka_connect.TestPlatformCloudEnvironmentDetection ‑ test_platform_with_transforms_uses_actual_topics
tests.unit.test_kafka_connect.TestPlatformDetection ‑ test_extract_platform_from_empty_jdbc_url
tests.unit.test_kafka_connect.TestPlatformDetection ‑ test_extract_platform_from_invalid_jdbc_url
tests.unit.test_kafka_connect.TestPlatformDetection ‑ test_extract_platform_from_jdbc_url_mysql
tests.unit.test_kafka_connect.TestPlatformDetection ‑ test_extract_platform_from_jdbc_url_postgres
tests.unit.test_kafka_connect.TestPlatformDetection ‑ test_extract_platform_from_jdbc_url_sqlserver
tests.unit.test_kafka_connect.TestS3SinkConnector ‑ test_s3_with_regex_router
tests.unit.test_kafka_connect.TestSchemaResolverFallback ‑ test_fallback_pattern_expansion_no_matches
tests.unit.test_kafka_connect.TestSchemaResolverFallback ‑ test_fallback_when_no_schema_metadata_found
tests.unit.test_kafka_connect.TestSchemaResolverFallback ‑ test_fallback_when_schema_resolver_not_configured
tests.unit.test_kafka_connect.TestSchemaResolverFallback ‑ test_fallback_when_schema_resolver_throws_error
tests.unit.test_kafka_connect.TestSchemaResolverFallback ‑ test_fallback_with_partial_schema_availability
tests.unit.test_kafka_connect.TestSnowflakeSinkConnector ‑ test_snowflake_with_regex_router
tests.unit.test_kafka_connect.TestTableId ‑ test_table_id_string_representation_full
tests.unit.test_kafka_connect.TestTableId ‑ test_table_id_string_representation_schema_table
tests.unit.test_kafka_connect.TestTableId ‑ test_table_id_string_representation_table_only
tests.unit.test_kafka_connect.TestTableId ‑ test_table_id_string_representation_with_database_no_schema
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_complex_transforms_fallback
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_empty_replacement
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_invalid_regex_pattern
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_mixed_transforms
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_multiple_regex_router_transforms
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_mysql_source_config_example
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_no_transforms_configured
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_non_regex_router_transforms
tests.unit.test_kafka_connect.TestTransformPipelineBasic ‑ test_single_regex_router_transform
tests.unit.test_kafka_connect.TestTransformPluginAdditionalCoverage ‑ test_complex_transform_plugin_apply_methods
tests.unit.test_kafka_connect.TestTransformPluginAdditionalCoverage ‑ test_regex_router_reverse_transform
tests.unit.test_kafka_connect.TestTransformPluginAdditionalCoverage ‑ test_regex_router_with_missing_config
tests.unit.test_kafka_connect.TestTransformPluginEdgeCases ‑ test_complex_transform_triggers_fallback
tests.unit.test_kafka_connect.TestTransformPluginEdgeCases ‑ test_has_complex_transforms_with_event_router
tests.unit.test_kafka_connect.TestTransformPluginEdgeCases ‑ test_has_complex_transforms_with_no_transforms
tests.unit.test_kafka_connect.TestTransformPluginEdgeCases ‑ test_has_complex_transforms_with_only_regex_router
tests.unit.test_kafka_connect.TestTransformPluginEdgeCases ‑ test_unknown_transform_generates_warning
tests.unit.test_kafka_connect_cloud_validation.TestConnectorConfigValidation ‑ test_cloud_mysql_source_no_transform
tests.unit.test_kafka_connect_cloud_validation.TestConnectorConfigValidation ‑ test_mysql_cdc_outbox_with_multiple_transforms
tests.unit.test_kafka_connect_cloud_validation.TestConnectorConfigValidation ‑ test_platform_jdbc_connector_with_topic_prefix
tests.unit.test_kafka_connect_cloud_validation.TestConnectorConfigValidation ‑ test_simplified_cloud_postgres_example
tests.unit.test_kafka_connect_cloud_validation.TestConnectorConfigValidation ‑ test_user_provided_config
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_complex_real_world_example
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_consecutive_commas
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_empty_string
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_items_with_numbers
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_items_with_special_characters
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_leading_and_trailing_commas
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_leading_comma
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_mixed_whitespace_and_empty
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_multiple_items
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_single_item
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_trailing_comma
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_very_long_list
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_whitespace_around_items
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_whitespace_only
tests.unit.test_kafka_connect_config_constants.TestParseCommaSeparatedList ‑ test_whitespace_only_items_filtered
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_auto_construct_uri_from_cloud_ids
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_cloud_ids_valid_when_both_provided
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_cluster_id_without_environment_id_raises_error
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_complex_valid_configuration
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_default_config_is_valid
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_environment_id_without_cluster_id_raises_error
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_explicit_uri_not_overwritten_by_cloud_ids
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_invalid_kafka_rest_endpoint_raises_error
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_kafka_api_credentials_valid_when_both_provided
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_kafka_api_key_without_secret_raises_error
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_kafka_api_secret_without_key_raises_error
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_multiple_validation_errors_caught_independently
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_schema_resolver_defaults_when_disabled
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_schema_resolver_defaults_when_enabled
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_schema_resolver_enabled_with_all_features_disabled_warns
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_schema_resolver_explicit_override_when_disabled
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_schema_resolver_explicit_override_when_enabled
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_valid_kafka_rest_endpoint_http
tests.unit.test_kafka_connect_config_validation.TestConfigurationValidation ‑ test_valid_kafka_rest_endpoint_https
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_confluent_cloud_auto_enable_with_sub_features_override
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_confluent_cloud_auto_enables_via_ids
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_confluent_cloud_auto_enables_via_uri
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_confluent_cloud_respects_explicit_false
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_confluent_cloud_respects_explicit_true
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_is_confluent_cloud_detection
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_oss_keeps_default_false
tests.unit.test_kafka_connect_config_validation.TestSchemaResolverAutoEnable ‑ test_oss_with_explicit_true_not_affected
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistryGenericConnectors ‑ test_generic_connector_by_name
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistryGenericConnectors ‑ test_generic_connector_no_match
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySchemaResolver ‑ test_schema_resolver_created_successfully
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySchemaResolver ‑ test_schema_resolver_creation_fails_gracefully
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySchemaResolver ‑ test_schema_resolver_disabled
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySchemaResolver ‑ test_schema_resolver_no_context
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySchemaResolver ‑ test_schema_resolver_no_graph
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySchemaResolver ‑ test_schema_resolver_with_platform_instance
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_bigquery_sink_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_bigquery_sink_connector_alternate_class
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_mysql_sink_cloud
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_postgres_sink_cloud
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_s3_sink_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_snowflake_sink_connector_cloud
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_snowflake_sink_connector_self_hosted
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySinkConnectors ‑ test_unknown_sink_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySourceConnectors ‑ test_debezium_connector_with_prefix
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySourceConnectors ‑ test_debezium_postgres_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySourceConnectors ‑ test_jdbc_source_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySourceConnectors ‑ test_mongo_source_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySourceConnectors ‑ test_snowflake_source_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistrySourceConnectors ‑ test_unknown_source_connector
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistryTopicExtraction ‑ test_get_topics_from_jdbc_source
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistryTopicExtraction ‑ test_get_topics_no_handler
tests.unit.test_kafka_connect_connector_registry.TestConnectorRegistryUnknownTypes ‑ test_unknown_connector_type
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_extract_lineages
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_get_platform
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_get_topics_from_config_kafka_topic_field
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_get_topics_from_config_no_topics
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_get_topics_from_config_topic_field
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_get_topics_from_config_topics_field
tests.unit.test_kafka_connect_connector_registry.TestGenericConnector ‑ test_supports_connector_class
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_analyze_connector_consumption
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_analyze_connector_consumption_deduplicates_topics
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_analyze_connector_consumption_no_groups
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_filter_sink_relevant_groups
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_filter_sink_relevant_groups_custom_patterns
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_all_consumer_groups_handles_trailing_slash
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_comprehensive_consumer_analysis
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_comprehensive_consumer_analysis_no_groups
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_connector_consumer_groups
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_connector_consumer_groups_api_failure
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_topics_for_consumer_groups
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_topics_for_consumer_groups_handles_failures
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_topics_for_consumer_groups_multiple_groups
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_topics_for_group_handles_empty_assignments
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_get_topics_for_group_handles_missing_topic_name
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_case_insensitive
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_connect_prefix
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_connector_prefix
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_contains_match
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_direct_match
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_no_match
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_sink_type_match
tests.unit.test_kafka_connect_consumer_group_analyzer.TestConsumerGroupAnalyzer ‑ test_is_connector_group_suffix_match
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_no_schema_filters_returns_all_tables
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_exclude_list_filters_out_matching_schemas
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_exclude_list_with_regex_pattern
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_filters_skip_tables_without_schema_separator
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_include_and_exclude_combined
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_include_list_filters_by_schema_name
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_include_list_multiple_patterns
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_include_list_no_matches_returns_empty
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplySchemaFilters ‑ test_schema_include_list_with_regex_pattern
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_no_table_filters_returns_all_tables
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_blacklist_legacy_config_name
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_exclude_list_filters_out_matching_tables
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_include_and_exclude_combined
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_include_list_exact_match
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_include_list_no_matches_returns_empty
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_include_list_with_character_class
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_include_list_with_wildcard
tests.unit.test_kafka_connect_debezium_table_discovery.TestApplyTableFilters ‑ test_table_whitelist_legacy_config_name
tests.unit.test_kafka_connect_debezium_table_discovery.TestDeriveTopicsFromTables ‑ test_derive_topics_preserves_schema_table_format
tests.unit.test_kafka_connect_debezium_table_discovery.TestDeriveTopicsFromTables ‑ test_derive_topics_with_server_name
tests.unit.test_kafka_connect_debezium_table_discovery.TestDeriveTopicsFromTables ‑ test_derive_topics_without_server_name
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTableNamesFromConfigOrDiscovery ‑ test_no_schema_resolver_no_table_config_returns_empty
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTableNamesFromConfigOrDiscovery ‑ test_no_schema_resolver_uses_table_include_list
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTableNamesFromConfigOrDiscovery ‑ test_schema_resolver_discovers_tables_from_database
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTableNamesFromConfigOrDiscovery ‑ test_schema_resolver_no_database_name_falls_back_to_config
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTableNamesFromConfigOrDiscovery ‑ test_schema_resolver_no_tables_found_returns_empty
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTopicsFromConfigIntegration ‑ test_full_flow_handles_errors_gracefully
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTopicsFromConfigIntegration ‑ test_full_flow_no_tables_found
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTopicsFromConfigIntegration ‑ test_full_flow_with_exclude_filters
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTopicsFromConfigIntegration ‑ test_full_flow_with_schema_and_table_filters
tests.unit.test_kafka_connect_debezium_table_discovery.TestGetTopicsFromConfigIntegration ‑ test_full_flow_without_schema_resolver
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_build_parser_with_query
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_build_parser_with_transforms
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_missing_database_name
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_missing_hostname
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_missing_port
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_mysql_cdc
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_mysql_cdc_v2_only_topic_prefix
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_mysql_cdc_v2_uses_topic_prefix
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_postgres_cdc
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_postgres_cdc_v2_only_topic_prefix
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_postgres_cdc_v2_uses_topic_prefix
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_postgres_lowercase
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_fields_parser_unknown_connector
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_parser_with_connection_url
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_parser_with_fields
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_url_parser_missing_database
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_url_parser_mysql
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_url_parser_no_database
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_url_parser_postgres
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcParserFactorySource ‑ test_create_url_parser_with_topic_prefix
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_default_port
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_missing_db_name
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_missing_host
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_mysql
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_postgres
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_postgres_default_schema
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_fields_schema_name_field
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_url_missing_database
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_url_mysql
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_url_postgres
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_url_with_schema_in_query
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_from_url_with_table_name_format
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_with_connection_url
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_create_parser_with_fields
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_extract_schema_from_url_config_fallback
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_extract_schema_from_url_current_schema
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_extract_schema_from_url_mysql_no_default
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_extract_schema_from_url_postgres_default
tests.unit.test_kafka_connect_jdbc_parser_factories.TestJdbcSinkParserFactory ‑ test_extract_schema_from_url_schema_parameter
tests.unit.test_kafka_connect_pattern_matchers.TestDebeziumSourceConnectorPatternMatching ‑ test_filter_tables_by_patterns_uses_java_regex
tests.unit.test_kafka_connect_pattern_matchers.TestDebeziumSourceConnectorPatternMatching ‑ test_get_pattern_matcher_returns_java_regex_matcher
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_alternation_pattern
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_character_class_pattern
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_filter_matches_basic
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_filter_matches_no_duplicates
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_filter_matches_with_invalid_pattern
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_filter_matches_with_wildcard
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_invalid_pattern_returns_false
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_simple_pattern_match
tests.unit.test_kafka_connect_pattern_matchers.TestJavaRegexMatcher ‑ test_wildcard_pattern
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_case_sensitivity
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_exact_match
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_filter_matches_basic
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_filter_matches_no_duplicates
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_filter_matches_with_wildcards
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_mixed_wildcards
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_question_mark_wildcard
tests.unit.test_kafka_connect_pattern_matchers.TestWildcardMatcher ‑ test_star_wildcard
tests.unit.test_kafka_connect_replace_field_transform ‑ test_empty_transform_config
tests.unit.test_kafka_connect_replace_field_transform ‑ test_exclude_and_rename_combined
tests.unit.test_kafka_connect_replace_field_transform ‑ test_exclude_multiple_fields
tests.unit.test_kafka_connect_replace_field_transform ‑ test_exclude_single_field
tests.unit.test_kafka_connect_replace_field_transform ‑ test_include_only_specified_fields
tests.unit.test_kafka_connect_replace_field_transform ‑ test_integration_with_fine_grained_lineage
tests.unit.test_kafka_connect_replace_field_transform ‑ test_multiple_transforms_in_sequence
tests.unit.test_kafka_connect_replace_field_transform ‑ test_no_transforms
tests.unit.test_kafka_connect_replace_field_transform ‑ test_non_replacefield_transforms_ignored
tests.unit.test_kafka_connect_replace_field_transform ‑ test_rename_multiple_fields
tests.unit.test_kafka_connect_replace_field_transform ‑ test_rename_single_field
tests.unit.test_kafka_connect_replace_field_transform ‑ test_replacefield_key_transform_ignored
tests.unit.test_kafka_connect_replace_field_transform ‑ test_whitespace_in_field_names
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_alternation_pattern
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_character_class_pattern
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_complex_grouping_pattern
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_escaped_dots_vs_any_char
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_mysql_two_tier_pattern
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_postgres_schema_without_database_prefix
tests.unit.test_kafka_connect_schema_resolver.TestJavaRegexPatternMatching ‑ test_quantifier_patterns
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverEdgeCases ‑ test_extract_table_name_from_urn_invalid
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverEdgeCases ‑ test_extract_table_name_from_urn_valid
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverEdgeCases ‑ test_pattern_expansion_empty_urns
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverFineGrainedLineage ‑ test_fine_grained_lineage_disabled_by_default
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverFineGrainedLineage ‑ test_fine_grained_lineage_disabled_via_config
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverFineGrainedLineage ‑ test_fine_grained_lineage_generation
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverFineGrainedLineage ‑ test_fine_grained_lineage_no_schema_metadata
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverIntegration ‑ test_lineage_extraction_with_fine_grained_lineage
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverIntegration ‑ test_lineage_extraction_without_schema_resolver
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverTableExpansion ‑ test_pattern_expansion_disabled_by_default
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverTableExpansion ‑ test_pattern_expansion_disabled_via_config
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverTableExpansion ‑ test_pattern_expansion_mixed_patterns_and_explicit
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverTableExpansion ‑ test_pattern_expansion_no_matches
tests.unit.test_kafka_connect_schema_resolver.TestSchemaResolverTableExpansion ‑ test_pattern_expansion_with_wildcard
tests.unit.test_kafka_connect_snowflake_source ‑ test_connector_registry_recognizes_snowflake_source
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_connector_platform
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_connector_supports_class
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_flow_property_bag
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_get_topics_from_config
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_get_topics_without_prefix
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_lineage_extraction
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_lineage_no_matching_topics
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_parser_basic
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_parser_extracts_transforms
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_pattern_expansion_empty_datahub_response
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_pattern_expansion_mixed_patterns_and_explicit
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_pattern_expansion_multiple_patterns
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_pattern_expansion_no_matches
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_pattern_expansion_with_schema_resolver
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_static_tables_without_patterns
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_with_database_name_fallback
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_with_patterns_no_schema_resolver
tests.unit.test_kafka_connect_snowflake_source ‑ test_snowflake_source_with_table_whitelist
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_consumer_groups_pagination_multiple_pages
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_consumer_groups_pagination_single_page
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_topics_handles_trailing_slash
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_topics_pagination_empty_pages
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_topics_pagination_multiple_pages
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_topics_pagination_no_metadata
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_fetch_topics_pagination_single_page
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_all_topics_cached_api_failure
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_all_topics_cached_api_fetch
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_all_topics_cached_cache_hit
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_all_topics_cached_filters_internal_topics
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_all_topics_caches_result
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_consumer_group_assignments_api_failure
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_consumer_group_assignments_cached_api_fetch
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_consumer_group_assignments_cached_cache_hit
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_get_consumer_group_assignments_handles_empty_response
tests.unit.test_kafka_connect_topic_cache.TestConfluentCloudTopicRetriever ‑ test_unexpected_response_format
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_clear_all
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_get_all_topics_cache_miss
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_get_all_topics_returns_copy
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_get_cache_stats
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_get_consumer_group_assignments_cache_miss
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_invalidate_cluster
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_invalidate_nonexistent_cluster
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_multiple_clusters
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_set_and_get_all_topics
tests.unit.test_kafka_connect_topic_cache.TestKafkaTopicCache ‑ test_set_and_get_consumer_group_assignments
tests.unit.test_kafka_connect_transform_pipeline.TestComplexTransformPlugin ‑ test_apply_forward_returns_unchanged
tests.unit.test_kafka_connect_transform_pipeline.TestComplexTransformPlugin ‑ test_should_apply_automatically
tests.unit.test_kafka_connect_transform_pipeline.TestComplexTransformPlugin ‑ test_supports_event_router
tests.unit.test_kafka_connect_transform_pipeline.TestComplexTransformPlugin ‑ test_supports_extract_field
tests.unit.test_kafka_connect_transform_pipeline.TestComplexTransformPlugin ‑ test_supports_timestamp_converter
tests.unit.test_kafka_connect_transform_pipeline.TestComplexTransformPlugin ‑ test_supports_transform_type_other
tests.unit.test_kafka_connect_transform_pipeline.TestGetTransformPipeline ‑ test_returns_cached_instance
tests.unit.test_kafka_connect_transform_pipeline.TestGetTransformPipeline ‑ test_returns_transform_pipeline
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_empty_replacement
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_invalid_regex
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_jpype_not_available
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_missing_regex
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_missing_replacement
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_no_match
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_simple_pattern
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_forward_wildcard_pattern
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_apply_reverse
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_should_apply_automatically
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_supports_transform_type_apache
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_supports_transform_type_confluent
tests.unit.test_kafka_connect_transform_pipeline.TestRegexRouterPlugin ‑ test_supports_transform_type_other
tests.unit.test_kafka_connect_transform_pipeline.TestReplaceFieldPlugin ‑ test_apply_forward_returns_unchanged
tests.unit.test_kafka_connect_transform_pipeline.TestReplaceFieldPlugin ‑ test_apply_reverse_returns_unchanged
tests.unit.test_kafka_connect_transform_pipeline.TestReplaceFieldPlugin ‑ test_should_apply_automatically
tests.unit.test_kafka_connect_transform_pipeline.TestReplaceFieldPlugin ‑ test_supports_replace_field_key
tests.unit.test_kafka_connect_transform_pipeline.TestReplaceFieldPlugin ‑ test_supports_replace_field_value
tests.unit.test_kafka_connect_transform_pipeline.TestReplaceFieldPlugin ‑ test_supports_transform_type_other
tests.unit.test_kafka_connect_transform_pipeline.TestTransformConfig ‑ test_transform_config_creation
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_complex_transform
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_mixed_transforms
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_multiple_transforms
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_no_transforms
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_replace_field_transform
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_single_regex_router
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_transform_failure
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_apply_forward_unknown_transform
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_has_complex_transforms_mixed
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_has_complex_transforms_none
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_has_complex_transforms_only_simple
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_has_complex_transforms_with_complex
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_parse_transforms_empty_string
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_parse_transforms_multiple_transforms
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_parse_transforms_no_transforms
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_parse_transforms_single_transform
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_parse_transforms_whitespace_handling
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPipeline ‑ test_parse_transforms_without_type
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPluginRegistry ‑ test_default_plugins_registered
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPluginRegistry ‑ test_get_plugin_unknown_type
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPluginRegistry ‑ test_register_custom_plugin
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPluginRegistry ‑ test_should_apply_automatically_complex_transform
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPluginRegistry ‑ test_should_apply_automatically_regex_router
tests.unit.test_kafka_connect_transform_pipeline.TestTransformPluginRegistry ‑ test_should_apply_automatically_unknown_type
tests.unit.test_kafka_sink ‑ test_aggregating_callback_all_success
tests.unit.test_kafka_sink ‑ test_aggregating_callback_first_fails
tests.unit.test_kafka_sink ‑ test_aggregating_callback_last_fails
tests.unit.test_kafka_sink ‑ test_aggregating_callback_thread_safety
tests.unit.test_kafka_sink ‑ test_aggregating_callback_thread_safety_with_failure
tests.unit.test_kafka_sink ‑ test_enhance_schema_registry_error_non_404
tests.unit.test_kafka_sink ‑ test_enhance_schema_registry_error_with_404
tests.unit.test_kafka_sink ‑ test_kafka_sink_oauth_cb_rejects_callable
tests.unit.test_kafka_sink ‑ test_kafka_sink_producer_config_with_oauth_cb
tests.unit.test_kafka_sink ‑ test_kafka_sink_producer_config_without_oauth_cb
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_callback_class
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_close
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_config
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_mce_empty_aspects
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_mce_partial_failure
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_mce_with_multiple_aspects
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_mcp
tests.unit.test_kafka_sink.KafkaSinkTest ‑ test_kafka_sink_write
tests.unit.test_kafka_source ‑ test_close
tests.unit.test_kafka_source ‑ test_kafka_ignore_warnings_on_schema_type[ignore_warnings_on_schema_type-FALSE]
tests.unit.test_kafka_source ‑ test_kafka_ignore_warnings_on_schema_type[ignore_warnings_on_schema_type-TRUE]
tests.unit.test_kafka_source ‑ test_kafka_source_configuration
tests.unit.test_kafka_source ‑ test_kafka_source_handles_non_iterable_schema_tags
tests.unit.test_kafka_source ‑ test_kafka_source_handles_valid_schema_tags
tests.unit.test_kafka_source ‑ test_kafka_source_oauth_cb_configuration
tests.unit.test_kafka_source ‑ test_kafka_source_succeeds_with_admin_client_init_error
tests.unit.test_kafka_source ‑ test_kafka_source_succeeds_with_describe_configs_error
tests.unit.test_kafka_source ‑ test_kafka_source_topic_meta_mappings
tests.unit.test_kafka_source ‑ test_kafka_source_workunits_no_platform_instance
tests.unit.test_kafka_source ‑ test_kafka_source_workunits_schema_registry_subject_name_strategies
tests.unit.test_kafka_source ‑ test_kafka_source_workunits_topic_pattern
tests.unit.test_kafka_source ‑ test_kafka_source_workunits_wildcard_topic
tests.unit.test_kafka_source ‑ test_kafka_source_workunits_with_platform_instance
tests.unit.test_kafka_source ‑ test_validate_kafka_connectivity_failure
tests.unit.test_kafka_source ‑ test_validate_kafka_connectivity_no_brokers
tests.unit.test_kafka_source ‑ test_validate_kafka_connectivity_success
tests.unit.test_ldap_source ‑ test_ldap_config_tls_verify[False-False]
tests.unit.test_ldap_source ‑ test_ldap_config_tls_verify[None-True]
tests.unit.test_ldap_source ‑ test_ldap_config_tls_verify[True-True]
tests.unit.test_ldap_source ‑ test_ldap_logger_configured
tests.unit.test_ldap_source ‑ test_parse_groups[input0-expected0]
tests.unit.test_ldap_source ‑ test_parse_groups[input1-expected1]
tests.unit.test_ldap_source ‑ test_parse_ldap_dn[cn=comma group (one\, two\, three),ou=Groups,dc=internal,dc=machines-comma group (one, two, three)]
tests.unit.test_ldap_source ‑ test_parse_ldap_dn[cn=group_name,ou=Groups,dc=internal,dc=machines-group_name]
tests.unit.test_ldap_source ‑ test_parse_ldap_dn[uid=firstname.surname,ou=People,dc=internal,dc=machines-firstname.surname]
tests.unit.test_ldap_source ‑ test_parse_users[input0-expected0]
tests.unit.test_ldap_source ‑ test_parse_users[input1-expected1]
tests.unit.test_ldap_source ‑ test_tls_verify_false_sets_allow_and_logs_warning
tests.unit.test_ldap_source ‑ test_tls_verify_true_sets_demand
tests.unit.test_library_examples ‑ test_add_terms_to_dataset
tests.unit.test_library_examples ‑ test_all_examples_accounted_for
tests.unit.test_library_examples ‑ test_create_notebook_main_with_mock_emitter
tests.unit.test_library_examples ‑ test_create_notebook_metadata
tests.unit.test_library_examples ‑ test_example_compiles[__init__.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_add.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_add_assets.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_add_domain.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_create_full.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_remove.py]
tests.unit.test_library_examples ‑ test_example_compiles[application_update_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_create_field_uniqueness.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_create_freshness.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_create_schema.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_create_sql_metric.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_create_volume_rows.py]
tests.unit.test_library_examples ‑ test_example_compiles[assertion_delete.py]
tests.unit.test_library_examples ‑ test_example_compiles[business_attribute_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[business_attribute_add_to_field.py]
tests.unit.test_library_examples ‑ test_example_compiles[business_attribute_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[business_attribute_query.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_add_lineage.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_create_complex.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_create_simple.py]
tests.unit.test_library_examples ‑ test_example_compiles[chart_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[container_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_compiles[container_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[container_create_database.py]
tests.unit.test_library_examples ‑ test_example_compiles[container_create_schema.py]
tests.unit.test_library_examples ‑ test_example_compiles[container_hierarchy_with_dataset.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpgroup_add_members.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpgroup_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpgroup_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpgroup_update_info.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpuser_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpuser_create_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpuser_create_with_groups.py]
tests.unit.test_library_examples ‑ test_example_compiles[corpuser_update_profile.py]
tests.unit.test_library_examples ‑ test_example_compiles[create_document.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_add_charts.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_add_lineage.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_create_complex.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_create_simple.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_update_editable.py]
tests.unit.test_library_examples ‑ test_example_compiles[dashboard_usage.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_platform_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_process_instance_create_from_dataflow.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_process_instance_create_hierarchical.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_process_instance_create_ml_training.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_process_instance_create_simple.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_process_instance_create_with_retry.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_process_instance_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[data_quality_mcpw_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[datacontract_add_freshness_contract.py]
tests.unit.test_library_examples ‑ test_example_compiles[datacontract_add_quality_contract.py]
tests.unit.test_library_examples ‑ test_example_compiles[datacontract_add_schema_contract.py]
tests.unit.test_library_examples ‑ test_example_compiles[datacontract_create_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[datacontract_update_status.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_add_ownership.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_add_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_comprehensive.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_delete.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_query_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_search.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_update_description.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataflow_with_datajobs.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_add_lineage_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_add_tags_terms_ownership.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_create_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_create_full.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_create_with_flow_urn.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_query_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[datajob_update_description.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataprocess_full_migration.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataprocess_migrate_to_flow_job.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataprocess_query_deprecated.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataproduct_add_assets.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataproduct_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataproduct_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataproduct_create_sdk.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataproduct_query_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_column_documentation.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_column_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_column_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_custom_properties_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_domain.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_glossary_term_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_owner_custom_type.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_owner_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_remove_custom_properties_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_structured_properties_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_tag_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_add_upstream_lineage_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_attach_platform_instance.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_create_with_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_delete.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_field_add_glossary_term_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_field_add_tag_patch.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_deprecation.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_description.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_description_on_columns.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_domain.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_entity_v2.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_owners.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_tags.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_query_terms.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_read_operations.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_remove_domain_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_remove_owner_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_remove_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_remove_tag_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_remove_term_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_replace_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_report_operation.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_schema.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_schema_with_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_set_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_set_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[dataset_update_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[dbt_query_from_meta.py]
tests.unit.test_library_examples ‑ test_example_compiles[delete_document.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_add_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_batch_assign_assets.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_create_nested.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_list_entities.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_query_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_remove_from_dataset.py]
tests.unit.test_library_examples ‑ test_example_compiles[domain_update_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_complex_many_to_many.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_create_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[ermodelrelationship_update_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[form_add_owner.py]

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 5724 to 6456)

There are 7547 tests, see "Raw output" for the list of tests 5724 to 6456.
Raw output
tests.unit.test_library_examples ‑ test_example_compiles[form_assign_to_entities.py]
tests.unit.test_library_examples ‑ test_example_compiles[form_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[form_create_with_dynamic_assignment.py]
tests.unit.test_library_examples ‑ test_example_compiles[form_delete.py]
tests.unit.test_library_examples ‑ test_example_compiles[form_remove_from_entities.py]
tests.unit.test_library_examples ‑ test_example_compiles[get_document.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_node_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_node_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_node_create_nested.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_term_add_relationships.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_term_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_term_create_hierarchy.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_term_create_simple.py]
tests.unit.test_library_examples ‑ test_example_compiles[glossary_term_create_with_metadata.py]
tests.unit.test_library_examples ‑ test_example_compiles[incident_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[incident_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[incident_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_compiles[incident_update_status.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_chart_dashboard.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_column_get.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_column_get_from_schemafield.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_datajob_add.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_datajob_read_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_datajob_to_datajob.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_datajob_to_dataset.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_add.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_add_with_query_node.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_chart.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_column.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_column_auto_strict.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_column_custom_mapping.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_from_sql.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_job_dataset.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_dataset_read_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_emitter_datajob_finegrained.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_emitter_dataset_finegrained.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_emitter_dataset_finegrained_sample.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_emitter_kafka.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_emitter_mcpw_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_emitter_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_get_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_get_with_filter.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_get_with_hops.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_job_dataflow.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_job_dataflow_new_api.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_job_dataflow_new_api_simple.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_job_dataflow_new_api_verbose.py]
tests.unit.test_library_examples ‑ test_example_compiles[lineage_read_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_add_ownership.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_add_source_lineage.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_add_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_add_to_mlfeature_table.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_add_to_mlmodel.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_create_batch.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_create_complete.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_create_versioned.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_create_with_datatypes.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_create_with_description.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_find_table.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_table_add_features.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_table_add_primary_keys.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_table_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_table_create_complete.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_table_create_with_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlfeature_table_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlgroup_add_to_mlmodel.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_create_full.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_deployment_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_deployment_add_to_model.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_deployment_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_add_domain.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_add_lineage.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_add_tags.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_add_terms.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_deprecate.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_group_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlmodel_update_aspects.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlprimarykey_add_to_mlfeature_table.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlprimarykey_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlprimarykey_query_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[mlprimarykey_read.py]
tests.unit.test_library_examples ‑ test_example_compiles[notebook_add_content.py]
tests.unit.test_library_examples ‑ test_example_compiles[notebook_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[notebook_add_tags.py]
tests.unit.test_library_examples ‑ test_example_compiles[notebook_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[ownership_type_create_custom.py]
tests.unit.test_library_examples ‑ test_example_compiles[ownership_type_list.py]
tests.unit.test_library_examples ‑ test_example_compiles[ownership_type_query_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[platform_instance_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_compiles[platform_instance_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[platform_instance_query.py]
tests.unit.test_library_examples ‑ test_example_compiles[programatic_pipeline.py]
tests.unit.test_library_examples ‑ test_example_compiles[publish_document.py]
tests.unit.test_library_examples ‑ test_example_compiles[query_add_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[query_add_subjects.py]
tests.unit.test_library_examples ‑ test_example_compiles[query_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[query_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[query_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[query_update_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[report_assertion_result.py]
tests.unit.test_library_examples ‑ test_example_compiles[role_assign_actors.py]
tests.unit.test_library_examples ‑ test_example_compiles[role_assign_to_dataset.py]
tests.unit.test_library_examples ‑ test_example_compiles[role_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[role_query.py]
tests.unit.test_library_examples ‑ test_example_compiles[run_assertion.py]
tests.unit.test_library_examples ‑ test_example_compiles[run_assertion_with_parameters.py]
tests.unit.test_library_examples ‑ test_example_compiles[run_assertions.py]
tests.unit.test_library_examples ‑ test_example_compiles[run_assertions_for_asset.py]
tests.unit.test_library_examples ‑ test_example_compiles[schemafield_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_compiles[schemafield_add_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[schemafield_add_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[schemafield_add_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[schemafield_query_entity.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_documents.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_and.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_custom_property.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_domain.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_entity_subtype.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_entity_type.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_env.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_glossary_term.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_owner.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_platform.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_by_tag.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_combined_operation.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_custom.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_not.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_options.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_filter_or.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_with_filter.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_with_query.py]
tests.unit.test_library_examples ‑ test_example_compiles[search_with_query_and_filter.py]
tests.unit.test_library_examples ‑ test_example_compiles[structured_property_create_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[structured_property_create_with_type_qualifier.py]
tests.unit.test_library_examples ‑ test_example_compiles[structured_property_query.py]
tests.unit.test_library_examples ‑ test_example_compiles[subscription_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[subscription_remove.py]
tests.unit.test_library_examples ‑ test_example_compiles[tag_add_ownership.py]
tests.unit.test_library_examples ‑ test_example_compiles[tag_apply_to_dataset.py]
tests.unit.test_library_examples ‑ test_example_compiles[tag_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[tag_create_basic.py]
tests.unit.test_library_examples ‑ test_example_compiles[tag_query_rest.py]
tests.unit.test_library_examples ‑ test_example_compiles[update_document.py]
tests.unit.test_library_examples ‑ test_example_compiles[update_form.py]
tests.unit.test_library_examples ‑ test_example_compiles[upsert_custom_assertion.py]
tests.unit.test_library_examples ‑ test_example_compiles[upsert_group.py]
tests.unit.test_library_examples ‑ test_example_compiles[upsert_user.py]
tests.unit.test_library_examples ‑ test_example_compiles[version_set_add_properties.py]
tests.unit.test_library_examples ‑ test_example_compiles[version_set_create.py]
tests.unit.test_library_examples ‑ test_example_compiles[version_set_link_entity.py]
tests.unit.test_library_examples ‑ test_example_compiles[version_set_link_multiple_versions.py]
tests.unit.test_library_examples ‑ test_example_compiles[version_set_query.py]
tests.unit.test_library_examples ‑ test_example_imports[__init__.py]
tests.unit.test_library_examples ‑ test_example_imports[application_add.py]
tests.unit.test_library_examples ‑ test_example_imports[application_add_assets.py]
tests.unit.test_library_examples ‑ test_example_imports[application_add_domain.py]
tests.unit.test_library_examples ‑ test_example_imports[application_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[application_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[application_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[application_create.py]
tests.unit.test_library_examples ‑ test_example_imports[application_create_full.py]
tests.unit.test_library_examples ‑ test_example_imports[application_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_imports[application_remove.py]
tests.unit.test_library_examples ‑ test_example_imports[application_update_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_create_field_uniqueness.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_create_freshness.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_create_schema.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_create_sql_metric.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_create_volume_rows.py]
tests.unit.test_library_examples ‑ test_example_imports[assertion_delete.py]
tests.unit.test_library_examples ‑ test_example_imports[business_attribute_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[business_attribute_add_to_field.py]
tests.unit.test_library_examples ‑ test_example_imports[business_attribute_create.py]
tests.unit.test_library_examples ‑ test_example_imports[business_attribute_query.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_add_lineage.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_create_complex.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_create_simple.py]
tests.unit.test_library_examples ‑ test_example_imports[chart_read.py]
tests.unit.test_library_examples ‑ test_example_imports[container_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_imports[container_create.py]
tests.unit.test_library_examples ‑ test_example_imports[container_create_database.py]
tests.unit.test_library_examples ‑ test_example_imports[container_create_schema.py]
tests.unit.test_library_examples ‑ test_example_imports[container_hierarchy_with_dataset.py]
tests.unit.test_library_examples ‑ test_example_imports[corpgroup_add_members.py]
tests.unit.test_library_examples ‑ test_example_imports[corpgroup_create.py]
tests.unit.test_library_examples ‑ test_example_imports[corpgroup_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_imports[corpgroup_update_info.py]
tests.unit.test_library_examples ‑ test_example_imports[corpuser_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[corpuser_create_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[corpuser_create_with_groups.py]
tests.unit.test_library_examples ‑ test_example_imports[corpuser_update_profile.py]
tests.unit.test_library_examples ‑ test_example_imports[create_document.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_add_charts.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_add_lineage.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_create_complex.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_create_simple.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_read.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_update_editable.py]
tests.unit.test_library_examples ‑ test_example_imports[dashboard_usage.py]
tests.unit.test_library_examples ‑ test_example_imports[data_platform_create.py]
tests.unit.test_library_examples ‑ test_example_imports[data_process_instance_create_from_dataflow.py]
tests.unit.test_library_examples ‑ test_example_imports[data_process_instance_create_hierarchical.py]
tests.unit.test_library_examples ‑ test_example_imports[data_process_instance_create_ml_training.py]
tests.unit.test_library_examples ‑ test_example_imports[data_process_instance_create_simple.py]
tests.unit.test_library_examples ‑ test_example_imports[data_process_instance_create_with_retry.py]
tests.unit.test_library_examples ‑ test_example_imports[data_process_instance_read.py]
tests.unit.test_library_examples ‑ test_example_imports[data_quality_mcpw_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[datacontract_add_freshness_contract.py]
tests.unit.test_library_examples ‑ test_example_imports[datacontract_add_quality_contract.py]
tests.unit.test_library_examples ‑ test_example_imports[datacontract_add_schema_contract.py]
tests.unit.test_library_examples ‑ test_example_imports[datacontract_create_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[datacontract_update_status.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_add_ownership.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_add_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_comprehensive.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_create.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_delete.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_query_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_read.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_search.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_update_description.py]
tests.unit.test_library_examples ‑ test_example_imports[dataflow_with_datajobs.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_add_lineage_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_add_tags_terms_ownership.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_create_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_create_full.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_create_with_flow_urn.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_query_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_read.py]
tests.unit.test_library_examples ‑ test_example_imports[datajob_update_description.py]
tests.unit.test_library_examples ‑ test_example_imports[dataprocess_full_migration.py]
tests.unit.test_library_examples ‑ test_example_imports[dataprocess_migrate_to_flow_job.py]
tests.unit.test_library_examples ‑ test_example_imports[dataprocess_query_deprecated.py]
tests.unit.test_library_examples ‑ test_example_imports[dataproduct_add_assets.py]
tests.unit.test_library_examples ‑ test_example_imports[dataproduct_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_imports[dataproduct_create.py]
tests.unit.test_library_examples ‑ test_example_imports[dataproduct_create_sdk.py]
tests.unit.test_library_examples ‑ test_example_imports[dataproduct_query_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_column_documentation.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_column_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_column_term.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_custom_properties_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_domain.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_glossary_term_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_owner_custom_type.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_owner_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_remove_custom_properties_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_structured_properties_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_tag_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_add_upstream_lineage_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_attach_platform_instance.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_create_with_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_delete.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_field_add_glossary_term_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_field_add_tag_patch.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_deprecation.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_description.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_description_on_columns.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_domain.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_entity_v2.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_owners.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_tags.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_query_terms.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_read_operations.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_remove_domain_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_remove_owner_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_remove_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_remove_tag_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_remove_term_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_replace_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_report_operation.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_schema.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_schema_with_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_set_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_set_term.py]
tests.unit.test_library_examples ‑ test_example_imports[dataset_update_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[dbt_query_from_meta.py]
tests.unit.test_library_examples ‑ test_example_imports[delete_document.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_add_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_batch_assign_assets.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_create.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_create_nested.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_list_entities.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_query_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_remove_from_dataset.py]
tests.unit.test_library_examples ‑ test_example_imports[domain_update_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_complex_many_to_many.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_create.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_create_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[ermodelrelationship_update_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[form_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[form_assign_to_entities.py]
tests.unit.test_library_examples ‑ test_example_imports[form_create.py]
tests.unit.test_library_examples ‑ test_example_imports[form_create_with_dynamic_assignment.py]
tests.unit.test_library_examples ‑ test_example_imports[form_delete.py]
tests.unit.test_library_examples ‑ test_example_imports[form_remove_from_entities.py]
tests.unit.test_library_examples ‑ test_example_imports[get_document.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_node_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_node_create.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_node_create_nested.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_term_add_relationships.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_term_create.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_term_create_hierarchy.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_term_create_simple.py]
tests.unit.test_library_examples ‑ test_example_imports[glossary_term_create_with_metadata.py]
tests.unit.test_library_examples ‑ test_example_imports[incident_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[incident_create.py]
tests.unit.test_library_examples ‑ test_example_imports[incident_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_imports[incident_update_status.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_chart_dashboard.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_column_get.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_column_get_from_schemafield.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_datajob_add.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_datajob_read_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_datajob_to_datajob.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_datajob_to_dataset.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_add.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_add_with_query_node.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_chart.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_column.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_column_auto_strict.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_column_custom_mapping.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_from_sql.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_job_dataset.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_dataset_read_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_emitter_datajob_finegrained.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_emitter_dataset_finegrained.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_emitter_dataset_finegrained_sample.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_emitter_kafka.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_emitter_mcpw_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_emitter_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_get_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_get_with_filter.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_get_with_hops.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_job_dataflow.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_job_dataflow_new_api.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_job_dataflow_new_api_simple.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_job_dataflow_new_api_verbose.py]
tests.unit.test_library_examples ‑ test_example_imports[lineage_read_execute_graphql.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_add_ownership.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_add_source_lineage.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_add_tags_terms.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_add_to_mlfeature_table.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_add_to_mlmodel.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_create.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_create_batch.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_create_complete.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_create_versioned.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_create_with_datatypes.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_create_with_description.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_find_table.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_read.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_table_add_features.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_table_add_primary_keys.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_table_create.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_table_create_complete.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_table_create_with_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[mlfeature_table_read.py]
tests.unit.test_library_examples ‑ test_example_imports[mlgroup_add_to_mlmodel.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_create.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_create_full.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_deployment_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_deployment_add_to_model.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_deployment_create.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_add_domain.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_add_lineage.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_add_tags.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_add_terms.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_create.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_deprecate.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_group_read.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_query_rest_api.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_read.py]
tests.unit.test_library_examples ‑ test_example_imports[mlmodel_update_aspects.py]
tests.unit.test_library_examples ‑ test_example_imports[mlprimarykey_add_to_mlfeature_table.py]
tests.unit.test_library_examples ‑ test_example_imports[mlprimarykey_create.py]
tests.unit.test_library_examples ‑ test_example_imports[mlprimarykey_query_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[mlprimarykey_read.py]
tests.unit.test_library_examples ‑ test_example_imports[notebook_add_content.py]
tests.unit.test_library_examples ‑ test_example_imports[notebook_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[notebook_add_tags.py]
tests.unit.test_library_examples ‑ test_example_imports[notebook_create.py]
tests.unit.test_library_examples ‑ test_example_imports[ownership_type_create_custom.py]
tests.unit.test_library_examples ‑ test_example_imports[ownership_type_list.py]
tests.unit.test_library_examples ‑ test_example_imports[ownership_type_query_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[platform_instance_add_metadata.py]
tests.unit.test_library_examples ‑ test_example_imports[platform_instance_create.py]
tests.unit.test_library_examples ‑ test_example_imports[platform_instance_query.py]
tests.unit.test_library_examples ‑ test_example_imports[programatic_pipeline.py]
tests.unit.test_library_examples ‑ test_example_imports[publish_document.py]
tests.unit.test_library_examples ‑ test_example_imports[query_add_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[query_add_subjects.py]
tests.unit.test_library_examples ‑ test_example_imports[query_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[query_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[query_create.py]
tests.unit.test_library_examples ‑ test_example_imports[query_update_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[report_assertion_result.py]
tests.unit.test_library_examples ‑ test_example_imports[role_assign_actors.py]
tests.unit.test_library_examples ‑ test_example_imports[role_assign_to_dataset.py]
tests.unit.test_library_examples ‑ test_example_imports[role_create.py]
tests.unit.test_library_examples ‑ test_example_imports[role_query.py]
tests.unit.test_library_examples ‑ test_example_imports[run_assertion.py]
tests.unit.test_library_examples ‑ test_example_imports[run_assertion_with_parameters.py]
tests.unit.test_library_examples ‑ test_example_imports[run_assertions.py]
tests.unit.test_library_examples ‑ test_example_imports[run_assertions_for_asset.py]
tests.unit.test_library_examples ‑ test_example_imports[schemafield_add_documentation.py]
tests.unit.test_library_examples ‑ test_example_imports[schemafield_add_structured_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[schemafield_add_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[schemafield_add_term.py]
tests.unit.test_library_examples ‑ test_example_imports[schemafield_query_entity.py]
tests.unit.test_library_examples ‑ test_example_imports[search_documents.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_and.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_custom_property.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_domain.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_entity_subtype.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_entity_type.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_env.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_glossary_term.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_owner.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_platform.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_by_tag.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_combined_operation.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_custom.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_not.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_options.py]
tests.unit.test_library_examples ‑ test_example_imports[search_filter_or.py]
tests.unit.test_library_examples ‑ test_example_imports[search_with_filter.py]
tests.unit.test_library_examples ‑ test_example_imports[search_with_query.py]
tests.unit.test_library_examples ‑ test_example_imports[search_with_query_and_filter.py]
tests.unit.test_library_examples ‑ test_example_imports[structured_property_create_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[structured_property_create_with_type_qualifier.py]
tests.unit.test_library_examples ‑ test_example_imports[structured_property_query.py]
tests.unit.test_library_examples ‑ test_example_imports[subscription_create.py]
tests.unit.test_library_examples ‑ test_example_imports[subscription_remove.py]
tests.unit.test_library_examples ‑ test_example_imports[tag_add_ownership.py]
tests.unit.test_library_examples ‑ test_example_imports[tag_apply_to_dataset.py]
tests.unit.test_library_examples ‑ test_example_imports[tag_create.py]
tests.unit.test_library_examples ‑ test_example_imports[tag_create_basic.py]
tests.unit.test_library_examples ‑ test_example_imports[tag_query_rest.py]
tests.unit.test_library_examples ‑ test_example_imports[update_document.py]
tests.unit.test_library_examples ‑ test_example_imports[update_form.py]
tests.unit.test_library_examples ‑ test_example_imports[upsert_custom_assertion.py]
tests.unit.test_library_examples ‑ test_example_imports[upsert_group.py]
tests.unit.test_library_examples ‑ test_example_imports[upsert_user.py]
tests.unit.test_library_examples ‑ test_example_imports[version_set_add_properties.py]
tests.unit.test_library_examples ‑ test_example_imports[version_set_create.py]
tests.unit.test_library_examples ‑ test_example_imports[version_set_link_entity.py]
tests.unit.test_library_examples ‑ test_example_imports[version_set_link_multiple_versions.py]
tests.unit.test_library_examples ‑ test_example_imports[version_set_query.py]
tests.unit.test_library_examples ‑ test_query_dataset_deprecation_deprecated
tests.unit.test_library_examples ‑ test_query_dataset_deprecation_not_deprecated
tests.unit.test_logging_utils.TestGetMaskingSafeLogger ‑ test_get_masking_safe_logger_returns_logger
tests.unit.test_logging_utils.TestGetMaskingSafeLogger ‑ test_masking_safe_logger_does_not_propagate
tests.unit.test_logging_utils.TestGetMaskingSafeLogger ‑ test_masking_safe_logger_has_handler
tests.unit.test_logging_utils.TestGetMaskingSafeLogger ‑ test_masking_safe_logger_idempotent
tests.unit.test_logging_utils.TestResetMaskingSafeLoggers ‑ test_reset_clears_masking_logger_handlers
tests.unit.test_logging_utils.TestResetMaskingSafeLoggers ‑ test_reset_only_affects_masking_namespace
tests.unit.test_logging_utils.TestResetMaskingSafeLoggers ‑ test_reset_restores_propagate_flag
tests.unit.test_mapping ‑ test_operation_processor_advanced_matching_owners
tests.unit.test_mapping ‑ test_operation_processor_advanced_matching_tags
tests.unit.test_mapping ‑ test_operation_processor_datahub_props
tests.unit.test_mapping ‑ test_operation_processor_institutional_memory
tests.unit.test_mapping ‑ test_operation_processor_institutional_memory_no_description
tests.unit.test_mapping ‑ test_operation_processor_list_values
tests.unit.test_mapping ‑ test_operation_processor_matching
tests.unit.test_mapping ‑ test_operation_processor_matching_dot_props
tests.unit.test_mapping ‑ test_operation_processor_matching_nested_props
tests.unit.test_mapping ‑ test_operation_processor_no_email_strip_source_type_not_null
tests.unit.test_mapping ‑ test_operation_processor_not_matching
tests.unit.test_mapping ‑ test_operation_processor_ownership_category
tests.unit.test_mapping ‑ test_validate_ownership_type_non_urn_invalid
tests.unit.test_mapping ‑ test_validate_ownership_type_non_urn_valid
tests.unit.test_mapping ‑ test_validate_ownership_type_with_urn_valid
tests.unit.test_mapping ‑ test_validate_ownership_type_with_wrong_prefix
tests.unit.test_mariadb_source ‑ test_platform_correctly_set_mariadb
tests.unit.test_mariadb_source ‑ test_platform_correctly_set_mysql
tests.unit.test_masking_coverage ‑ test_masking_module_imports
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_get_bootstrap_error
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_initialize_twice
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_initialize_with_disabled_masking
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_initialize_with_force
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_is_bootstrapped
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_shutdown_clears_filters
tests.unit.test_masking_coverage.TestBootstrapEdgeCases ‑ test_shutdown_when_not_initialized
tests.unit.test_masking_coverage.TestLoggingUtils ‑ test_get_masking_safe_logger
tests.unit.test_masking_coverage.TestLoggingUtils ‑ test_logger_can_log
tests.unit.test_masking_coverage.TestMaskingEnabled ‑ test_is_masking_enabled
tests.unit.test_masking_coverage.TestMaskingFilterDebugMode ‑ test_filter_masking_disabled_globally
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_get_secret_value_not_found
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_has_secret_not_found
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_memory_limit_single
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_register_secret_empty_value
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_register_secret_non_string
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_register_secret_short_value
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_register_secret_with_escape_sequences
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_register_secrets_batch_all_invalid
tests.unit.test_masking_coverage.TestSecretRegistryEdgeCases ‑ test_register_secrets_batch_empty
tests.unit.test_masking_edge_cases ‑ test_imports_from_init
tests.unit.test_masking_edge_cases.TestBootstrapEdgeCases ‑ test_bootstrap_error_cleared_on_success
tests.unit.test_masking_edge_cases.TestBootstrapEdgeCases ‑ test_double_initialization
tests.unit.test_masking_edge_cases.TestBootstrapEdgeCases ‑ test_force_reinitialization
tests.unit.test_masking_edge_cases.TestLoggingUtils ‑ test_masking_safe_logger_multiple_calls
tests.unit.test_masking_edge_cases.TestLoggingUtils ‑ test_reset_masking_safe_loggers
tests.unit.test_masking_edge_cases.TestMaskingFilterEdgeCases ‑ test_masking_with_formatted_args
tests.unit.test_masking_edge_cases.TestMaskingFilterEdgeCases ‑ test_masking_with_very_long_message
tests.unit.test_masking_edge_cases.TestMaskingFilterEdgeCases ‑ test_pattern_rebuild_with_concurrent_modifications
tests.unit.test_masking_edge_cases.TestSecretRegistryEdgeCases ‑ test_concurrent_registration
tests.unit.test_masking_edge_cases.TestSecretRegistryEdgeCases ‑ test_register_empty_secret_name
tests.unit.test_masking_edge_cases.TestSecretRegistryEdgeCases ‑ test_register_very_short_secret
tests.unit.test_masking_error_paths.TestBootstrapConfiguration ‑ test_http_client_debug_disable
tests.unit.test_masking_error_paths.TestBootstrapConfiguration ‑ test_warnings_capture
tests.unit.test_masking_error_paths.TestCircuitBreakerLogic ‑ test_circuit_breaker_state_tracking
tests.unit.test_masking_error_paths.TestCircuitBreakerLogic ‑ test_circuit_open_message_handling
tests.unit.test_masking_error_paths.TestMaskingWithSpecialCharacters ‑ test_mask_secret_with_brackets
tests.unit.test_masking_error_paths.TestMaskingWithSpecialCharacters ‑ test_mask_secret_with_dots
tests.unit.test_masking_error_paths.TestPatternRebuildFailures ‑ test_pattern_rebuild_compile_error
tests.unit.test_masking_error_paths.TestSecretRegistryUtilities ‑ test_clear_and_reuse
tests.unit.test_masking_error_paths.TestSecretRegistryUtilities ‑ test_has_secret_nonexistent
tests.unit.test_masking_error_paths.TestSecretRegistryUtilities ‑ test_register_multiple_secrets
tests.unit.test_masking_error_recovery.TestBootstrapErrorHandling ‑ test_exception_hook_with_masking_failure
tests.unit.test_masking_error_recovery.TestBootstrapErrorHandling ‑ test_initialize_with_filter_installation_error
tests.unit.test_masking_error_recovery.TestCircuitBreakerBehavior ‑ test_circuit_breaker_opens_after_max_failures
tests.unit.test_masking_error_recovery.TestCircuitBreakerBehavior ‑ test_mask_text_resets_failure_count_on_success
tests.unit.test_masking_error_recovery.TestCircuitBreakerBehavior ‑ test_mask_text_with_error_in_pattern_sub
tests.unit.test_masking_error_recovery.TestLogRecordAttributes ‑ test_filter_with_exc_text
tests.unit.test_masking_error_recovery.TestLogRecordAttributes ‑ test_filter_with_pre_formatted_message
tests.unit.test_masking_error_recovery.TestLogRecordAttributes ‑ test_filter_with_stack_info
tests.unit.test_masking_error_recovery.TestMaskingErrorPaths ‑ test_filter_with_masking_error_suppression
tests.unit.test_masking_error_recovery.TestMaskingErrorPaths ‑ test_mask_args_with_error
tests.unit.test_masking_error_recovery.TestMaskingErrorPaths ‑ test_mask_exception_with_error
tests.unit.test_masking_error_recovery.TestMaskingErrorPaths ‑ test_mask_text_with_non_string_input
tests.unit.test_masking_error_recovery.TestMaskingErrorPaths ‑ test_truncate_message_with_non_string
tests.unit.test_masking_error_recovery.TestPatternRebuildStress ‑ test_check_and_rebuild_pattern_with_large_secret_count_warnings
tests.unit.test_masking_error_recovery.TestPatternRebuildStress ‑ test_check_and_rebuild_pattern_with_very_large_secret_count
tests.unit.test_masking_error_recovery.TestPatternRebuildStress ‑ test_pattern_rebuild_with_empty_registry
tests.unit.test_masking_error_recovery.TestPatternRebuildStress ‑ test_pattern_rebuild_with_rapidly_changing_registry
tests.unit.test_masking_error_recovery.TestSecretRegistryBatchRegistration ‑ test_register_secret_with_repr_version
tests.unit.test_masking_error_recovery.TestSecretRegistryBatchRegistration ‑ test_register_secrets_batch_memory_limit
tests.unit.test_masking_error_recovery.TestSecretRegistryBatchRegistration ‑ test_register_secrets_batch_with_all_already_present
tests.unit.test_masking_error_recovery.TestSecretRegistryBatchRegistration ‑ test_register_secrets_batch_with_escape_sequences
tests.unit.test_masking_error_recovery.TestStreamWrapperErrorHandling ‑ test_wrapper_flush_with_error
tests.unit.test_masking_error_recovery.TestStreamWrapperErrorHandling ‑ test_wrapper_flush_without_flush_method
tests.unit.test_masking_error_recovery.TestStreamWrapperErrorHandling ‑ test_wrapper_getattr
tests.unit.test_masking_error_recovery.TestStreamWrapperErrorHandling ‑ test_wrapper_write_with_masking_failure
tests.unit.test_masking_error_recovery.TestStreamWrapperErrorHandling ‑ test_wrapper_write_with_stream_error
tests.unit.test_masking_error_recovery.TestUpdateExistingHandlers ‑ test_update_existing_handlers_skips_placeholders
tests.unit.test_masking_error_recovery.TestUpdateExistingHandlers ‑ test_update_existing_handlers_with_custom_stream
tests.unit.test_masking_error_recovery.TestUpdateExistingHandlers ‑ test_update_existing_handlers_with_stderr_handler
tests.unit.test_masking_error_recovery.TestUpdateExistingHandlers ‑ test_update_existing_handlers_with_stdout_handler
tests.unit.test_masking_filter.TestBasicMasking ‑ test_basic_message_masking
tests.unit.test_masking_filter.TestBasicMasking ‑ test_empty_message
tests.unit.test_masking_filter.TestBasicMasking ‑ test_multiple_secrets_in_message
tests.unit.test_masking_filter.TestBasicMasking ‑ test_no_secrets_registered
tests.unit.test_masking_filter.TestCopyOnWrite ‑ test_copy_on_write_no_copy_needed
tests.unit.test_masking_filter.TestCopyOnWrite ‑ test_version_tracking
tests.unit.test_masking_filter.TestEdgeCases ‑ test_non_string_args
tests.unit.test_masking_filter.TestEdgeCases ‑ test_none_message
tests.unit.test_masking_filter.TestEdgeCases ‑ test_special_characters_in_secret
tests.unit.test_masking_filter.TestEdgeCases ‑ test_very_short_secret
tests.unit.test_masking_filter.TestExceptionMasking ‑ test_exception_masking
tests.unit.test_masking_filter.TestExceptionMasking ‑ test_exception_with_multiple_args
tests.unit.test_masking_filter.TestFormattedMessages ‑ test_dict_formatting
tests.unit.test_masking_filter.TestFormattedMessages ‑ test_multiple_args
tests.unit.test_masking_filter.TestFormattedMessages ‑ test_percent_formatting
tests.unit.test_masking_filter.TestInstallation ‑ test_double_install
tests.unit.test_masking_filter.TestInstallation ‑ test_install_uninstall
tests.unit.test_masking_filter.TestInstallation ‑ test_install_with_options
tests.unit.test_masking_filter.TestMessageTruncation ‑ test_custom_max_size
tests.unit.test_masking_filter.TestMessageTruncation ‑ test_large_message_truncation
tests.unit.test_masking_filter.TestMessageTruncation ‑ test_small_message_not_truncated
tests.unit.test_masking_filter.TestNestedConfigHandling ‑ test_nested_config_secrets_registered
tests.unit.test_masking_filter.TestP1Fixes ‑ test_get_secret_value_performance
tests.unit.test_masking_filter.TestP1Fixes ‑ test_pattern_rebuild_no_lock_contention
tests.unit.test_masking_filter.TestP1Fixes ‑ test_singleton_thread_safety
tests.unit.test_masking_filter.TestP1Fixes ‑ test_stream_wrapper_return_value
tests.unit.test_masking_filter.TestP1Fixes ‑ test_stream_wrapper_type_validation
tests.unit.test_masking_filter.TestPerformance ‑ test_pattern_rebuild_performance
tests.unit.test_masking_filter.TestPerformance ‑ test_performance
tests.unit.test_masking_filter.TestRegexSecurityFixes ‑ test_backslash_escaping
tests.unit.test_masking_filter.TestRegexSecurityFixes ‑ test_catastrophic_backtracking_prevention
tests.unit.test_masking_filter.TestRegexSecurityFixes ‑ test_combined_metacharacters_no_regex_interpretation
tests.unit.test_masking_filter.TestRegexSecurityFixes ‑ test_dos_prevention_wildcard_secrets
tests.unit.test_masking_filter.TestRegexSecurityFixes ‑ test_regex_metacharacters_literal_matching
tests.unit.test_masking_filter.TestStreamWrapper ‑ test_stdout_wrapper
tests.unit.test_masking_filter.TestStreamWrapper ‑ test_wrapper_flush
tests.unit.test_masking_filter.TestStreamWrapper ‑ test_wrapper_non_string
tests.unit.test_masking_filter.TestThreadSafety ‑ test_concurrent_registration_and_masking
tests.unit.test_masking_filter.TestThreadSafety ‑ test_thread_safety
tests.unit.test_masking_filter.TestThreadSafetyConcurrent ‑ test_concurrent_batch_registration
tests.unit.test_masking_filter.TestThreadSafetyConcurrent ‑ test_concurrent_masking_during_registration
tests.unit.test_metabase_source ‑ test_connection_uses_api_key_if_in_config
tests.unit.test_metabase_source ‑ test_create_session_from_config_username_password
tests.unit.test_metabase_source ‑ test_fail_session_delete
tests.unit.test_metabase_source ‑ test_get_platform_instance
tests.unit.test_metabase_source ‑ test_set_display_uri
tests.unit.test_mlflow_source ‑ test_config_model_name_separator
tests.unit.test_mlflow_source ‑ test_local_dataset_reference_creation
tests.unit.test_mlflow_source ‑ test_make_external_link_local
tests.unit.test_mlflow_source ‑ test_make_external_link_remote
tests.unit.test_mlflow_source ‑ test_make_external_link_remote_via_config
tests.unit.test_mlflow_source ‑ test_materialization_disabled_with_supported_platform
tests.unit.test_mlflow_source ‑ test_materialization_disabled_with_unsupported_platform
tests.unit.test_mlflow_source ‑ test_materialization_enabled_with_custom_mapping
tests.unit.test_mlflow_source ‑ test_materialization_enabled_with_supported_platform
tests.unit.test_mlflow_source ‑ test_materialization_enabled_with_unsupported_platform
tests.unit.test_mlflow_source ‑ test_model_without_run
tests.unit.test_mlflow_source ‑ test_stages
tests.unit.test_mlflow_source ‑ test_traverse_mlflow_search_func
tests.unit.test_mlflow_source ‑ test_traverse_mlflow_search_func_with_kwargs
tests.unit.test_mongodb_source ‑ test_mongodb_collection_filtering
tests.unit.test_mongodb_source ‑ test_mongodb_complex_schema_trimming
tests.unit.test_mongodb_source ‑ test_mongodb_database_filtering
tests.unit.test_mongodb_source ‑ test_mongodb_schema_field_ordering_with_arrays
tests.unit.test_mongodb_source ‑ test_mongodb_schema_inference_disabled
tests.unit.test_mongodb_source ‑ test_mongodb_schema_inference_respects_max_schema_size
tests.unit.test_mongodb_source ‑ test_mongodb_schema_inference_with_deeply_nested_structures
tests.unit.test_mssql ‑ test_detect_rds_environment_explicit_config_false
tests.unit.test_mssql ‑ test_detect_rds_environment_explicit_config_true
tests.unit.test_mssql ‑ test_detect_rds_environment_no_result
tests.unit.test_mssql ‑ test_detect_rds_environment_on_premises
tests.unit.test_mssql ‑ test_detect_rds_environment_query_failure
tests.unit.test_mssql ‑ test_detect_rds_environment_rds
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[SQLSERVER01-False]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[database.local-False]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[mydb.xyz123.rds.amazonaws.com-True]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[server.amaz.com-True]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[server.amazon.com-True]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[server.amzn.com-True]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[server.ec2.internal-True]
tests.unit.test_mssql ‑ test_detect_rds_environment_various_aws_indicators[sql.corporate.com-False]
tests.unit.test_mssql ‑ test_get_jobs_managed_both_methods_fail
tests.unit.test_mssql ‑ test_get_jobs_managed_environment_success
tests.unit.test_mssql ‑ test_get_jobs_managed_fallback_success
tests.unit.test_mssql ‑ test_get_jobs_on_premises_both_methods_fail
tests.unit.test_mssql ‑ test_get_jobs_on_premises_fallback_success
tests.unit.test_mssql ‑ test_get_jobs_on_premises_success
tests.unit.test_mssql ‑ test_is_temp_table
tests.unit.test_mssql ‑ test_odbc_mode_from_source_type[None-False]
tests.unit.test_mssql ‑ test_odbc_mode_from_source_type[mssql-False]
tests.unit.test_mssql ‑ test_odbc_mode_from_source_type[mssql-odbc-True]
tests.unit.test_mssql ‑ test_stored_procedure_vs_direct_query_compatibility
tests.unit.test_mssql ‑ test_use_odbc_removed_field_warning
tests.unit.test_mssql_upstream_alias_filtering.TestColumnLineageFiltering ‑ test_filter_column_lineage_all_filtered
tests.unit.test_mssql_upstream_alias_filtering.TestColumnLineageFiltering ‑ test_filter_column_lineage_with_aliases
tests.unit.test_mssql_upstream_alias_filtering.TestDifferentAliasNames ‑ test_filter_multiple_different_aliases
tests.unit.test_mssql_upstream_alias_filtering.TestDifferentAliasNames ‑ test_filter_target_alias
tests.unit.test_mssql_upstream_alias_filtering.TestErrorHandling ‑ test_filter_upstream_aliases_all_malformed
tests.unit.test_mssql_upstream_alias_filtering.TestErrorHandling ‑ test_filter_upstream_aliases_empty_input
tests.unit.test_mssql_upstream_alias_filtering.TestErrorHandling ‑ test_filter_upstream_aliases_mixed_valid_and_malformed
tests.unit.test_mssql_upstream_alias_filtering.TestErrorHandling ‑ test_is_qualified_table_urn_malformed_urn
tests.unit.test_mssql_upstream_alias_filtering.TestErrorHandling ‑ test_is_qualified_table_urn_with_platform_instance_edge_cases
tests.unit.test_mssql_upstream_alias_filtering.TestErrorHandling ‑ test_is_temp_table_exception_handling
tests.unit.test_mssql_upstream_alias_filtering.TestIsTempTableForAliases ‑ test_is_temp_table_cross_db_undiscovered
tests.unit.test_mssql_upstream_alias_filtering.TestIsTempTableForAliases ‑ test_is_temp_table_hash_prefix
tests.unit.test_mssql_upstream_alias_filtering.TestIsTempTableForAliases ‑ test_is_temp_table_real_table_in_discovered_datasets
tests.unit.test_mssql_upstream_alias_filtering.TestIsTempTableForAliases ‑ test_is_temp_table_real_table_in_schema_resolver
tests.unit.test_mssql_upstream_alias_filtering.TestIsTempTableForAliases ‑ test_is_temp_table_undiscovered_same_db
tests.unit.test_mssql_upstream_alias_filtering.TestPlatformInstancePrefixHandling ‑ test_filter_handles_mixed_prefix_formats
tests.unit.test_mssql_upstream_alias_filtering.TestPlatformInstancePrefixHandling ‑ test_filter_with_platform_instance_prefix_in_urn
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_empty_list
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_handles_temp_tables_with_hash
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_keeps_cross_database_references
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_keeps_real_tables_in_discovered_datasets
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_keeps_real_tables_in_schema_resolver
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_preserves_order
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_removes_common_aliases
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamAliasFiltering ‑ test_filter_upstream_aliases_basic
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamFilteringIntegration ‑ test_procedure_with_cross_db_and_alias
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamFilteringIntegration ‑ test_procedure_with_delete_alias
tests.unit.test_mssql_upstream_alias_filtering.TestUpstreamFilteringIntegration ‑ test_procedure_with_update_alias
tests.unit.test_mysql_rds_iam.TestMySQLRDSIAMConfig ‑ test_config_with_rds_iam_valid
tests.unit.test_mysql_rds_iam.TestMySQLRDSIAMConfig ‑ test_config_with_rds_iam_without_explicit_aws_config
tests.unit.test_mysql_rds_iam.TestMySQLRDSIAMConfig ‑ test_config_without_rds_iam
tests.unit.test_mysql_rds_iam.TestMySQLSourceRDSIAM ‑ test_init_with_rds_iam
tests.unit.test_mysql_rds_iam.TestMySQLSourceRDSIAM ‑ test_init_with_rds_iam_custom_port
tests.unit.test_mysql_rds_iam.TestMySQLSourceRDSIAM ‑ test_init_with_rds_iam_invalid_port
tests.unit.test_mysql_rds_iam.TestMySQLSourceRDSIAM ‑ test_init_with_rds_iam_no_username
tests.unit.test_mysql_rds_iam.TestMySQLSourceRDSIAM ‑ test_init_without_rds_iam
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset_default_obj_type
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset_empty_columns
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset_error_handling
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset_no_description
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset_relationship
tests.unit.test_neo4j_source ‑ test_create_neo4j_dataset_with_platform_instance
tests.unit.test_neo4j_source ‑ test_create_schema_field_tuple
tests.unit.test_neo4j_source ‑ test_create_schema_field_tuple_relationship_conversion
tests.unit.test_neo4j_source ‑ test_default_values
tests.unit.test_neo4j_source ‑ test_get_node_description
tests.unit.test_neo4j_source ‑ test_get_obj_type
tests.unit.test_neo4j_source ‑ test_get_properties
tests.unit.test_neo4j_source ‑ test_get_property_data_types
tests.unit.test_neo4j_source ‑ test_get_rel_descriptions
tests.unit.test_neo4j_source ‑ test_get_relationships
tests.unit.test_neo4j_source ‑ test_get_subtype_from_obj_type
tests.unit.test_neo4j_source ‑ test_get_workunits_processor
tests.unit.test_neo4j_source ‑ test_neo4j_session_handling
tests.unit.test_neo4j_source ‑ test_platform_instance_config
tests.unit.test_neo4j_source ‑ test_process_nodes
tests.unit.test_neo4j_source ‑ test_process_relationships
tests.unit.test_neo4j_source ‑ test_report_generation
tests.unit.test_neo4j_source ‑ test_source_initialization
tests.unit.test_neo4j_source ‑ test_stateful_ingestion_config
tests.unit.test_neo4j_source ‑ test_workunit_with_platform_instance
tests.unit.test_nifi_source ‑ test_auth_without_password[BASIC_AUTH]

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 6457 to 7149)

There are 7547 tests, see "Raw output" for the list of tests 6457 to 7149.
Raw output
tests.unit.test_nifi_source ‑ test_auth_without_password[SINGLE_USER]
tests.unit.test_nifi_source ‑ test_auth_without_username_and_password[BASIC_AUTH]
tests.unit.test_nifi_source ‑ test_auth_without_username_and_password[SINGLE_USER]
tests.unit.test_nifi_source ‑ test_client_cert_auth_failed
tests.unit.test_nifi_source ‑ test_client_cert_auth_without_client_cert_file
tests.unit.test_nifi_source ‑ test_failure_to_create_nifi_flow
tests.unit.test_nifi_source ‑ test_incorrect_site_urls
tests.unit.test_nifi_source ‑ test_kerberos_auth_failed_to_get_token
tests.unit.test_nifi_source ‑ test_nifi_s3_provenance_event
tests.unit.test_nifi_source ‑ test_single_user_auth_failed_to_get_token
tests.unit.test_nifi_source ‑ test_site_url_no_context
tests.unit.test_nifi_source ‑ test_site_url_with_context
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_request_schema_from_endpoint_v3
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_request_schema_from_parameters
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_request_schema_handles_exceptions
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_request_schema_malformed_missing_reference
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_request_schema_no_request_body
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_empty_content
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_from_endpoint_v2
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_from_endpoint_v3
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_handles_exceptions
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_malformed_missing_reference
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_malformed_no_content_type
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_multiple_content_types
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_response_schema_no_200_response
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_all_methods_order
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_fallback_to_lower_priority
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_from_openapi_spec_no_schema
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_from_openapi_spec_success
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_from_openapi_spec_tracks_stats
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_method_priority
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_mixed_methods_get_has_schema_post_has_schema
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_extract_schema_mixed_methods_get_no_schema_post_has_schema
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_resolve_schema_references_allof_merging
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_resolve_schema_references_circular
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_resolve_schema_references_max_depth
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_resolve_schema_references_recursive
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_resolve_schema_references_v2_definitions
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_resolve_schema_references_v3_components
tests.unit.test_openapi.TestAPISourceSchemaExtraction ‑ test_schema_extraction_with_missing_credentials
tests.unit.test_openapi.TestExplodeDict ‑ test_d1
tests.unit.test_openapi.TestGetEndpoints ‑ test_get_endpoints_openapi20
tests.unit.test_openapi.TestGetEndpoints ‑ test_get_endpoints_openapi30
tests.unit.test_openapi.TestGuessing ‑ test_mul_cids
tests.unit.test_openapi.TestGuessing ‑ test_mul_ids
tests.unit.test_openapi.TestGuessing ‑ test_name_id
tests.unit.test_openapi.TestGuessing ‑ test_name_id2
tests.unit.test_openapi.TestGuessing ‑ test_no_good_guesses
tests.unit.test_openapi.TestGuessing ‑ test_no_k_f
tests.unit.test_openapi.TestGuessing ‑ test_one_cid
tests.unit.test_openapi.TestGuessing ‑ test_one_id
tests.unit.test_openapi.TestGuessing ‑ test_only_id
tests.unit.test_oracle_source ‑ test_oracle_config
tests.unit.test_oracle_source ‑ test_oracle_config_data_dictionary_mode
tests.unit.test_oracle_source ‑ test_oracle_config_stored_procedures
tests.unit.test_oracle_source ‑ test_oracle_get_db_name_database_error
tests.unit.test_oracle_source ‑ test_oracle_get_db_name_with_service_name
tests.unit.test_oracle_source ‑ test_oracle_get_db_name_with_service_name_dba_mode
tests.unit.test_oracle_source.TestOracleInspectorObjectWrapper ‑ test_get_materialized_view_definition
tests.unit.test_oracle_source.TestOracleInspectorObjectWrapper ‑ test_get_materialized_view_names
tests.unit.test_oracle_source.TestOracleProcedureLineage ‑ test_get_procedure_dependencies_returns_upstream_tables
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_extract_queries_database_error
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_extract_queries_from_vsql_success
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_extract_queries_with_exclude_patterns
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_populate_aggregator_skip_on_permission_error
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_populate_aggregator_skip_when_disabled
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_populate_aggregator_success
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_query_usage_integration_flow
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_vsql_prerequisites_insufficient_privileges
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_vsql_prerequisites_no_table
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_vsql_prerequisites_success
tests.unit.test_oracle_source.TestOracleQueryExtraction ‑ test_vsql_query_format
tests.unit.test_oracle_source.TestOracleSource ‑ test_error_handling_in_get_procedures_for_schema
tests.unit.test_oracle_source.TestOracleSource ‑ test_error_handling_in_procedure_methods
tests.unit.test_oracle_source.TestOracleSource ‑ test_get_materialized_view_definition_fallback
tests.unit.test_oracle_source.TestOracleSource ‑ test_get_materialized_view_names_fallback
tests.unit.test_oracle_source.TestOracleSource ‑ test_get_procedure_arguments
tests.unit.test_oracle_source.TestOracleSource ‑ test_get_procedure_dependencies
tests.unit.test_oracle_source.TestOracleSource ‑ test_get_procedure_source_code
tests.unit.test_oracle_source.TestOracleSource ‑ test_get_procedures_for_schema
tests.unit.test_oracle_source.TestOracleSource ‑ test_loop_materialized_views
tests.unit.test_oracle_source.TestOracleSource ‑ test_oracle_source_initialization
tests.unit.test_oracle_source.TestOracleSource ‑ test_oracle_source_sql_aggregator_initialization
tests.unit.test_oracle_source.TestOracleSource ‑ test_process_materialized_view
tests.unit.test_packages ‑ test_check_import_paths
tests.unit.test_packages ‑ test_check_str_enum_usage
tests.unit.test_packages ‑ test_package_list_match_inits
tests.unit.test_packaging ‑ test_datahub_version
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_check_prerequisites_extension_not_installed
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_check_prerequisites_permission_check_exception
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_check_prerequisites_permission_check_no_row
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_check_prerequisites_success
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_check_prerequisites_version_too_old
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_extract_query_history
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_populate_lineage_disabled
tests.unit.test_postgres_lineage.TestPostgresLineageExtractor ‑ test_populate_lineage_from_queries
tests.unit.test_postgres_lineage.TestPostgresQuery ‑ test_check_pg_stat_statements_enabled
tests.unit.test_postgres_lineage.TestPostgresQuery ‑ test_get_query_history_basic
tests.unit.test_postgres_lineage.TestPostgresQuery ‑ test_get_query_history_with_exclusions
tests.unit.test_postgres_lineage.TestPostgresQuery ‑ test_get_query_history_with_filters
tests.unit.test_postgres_lineage.TestPostgresQueryEntry ‑ test_avg_exec_time_calculation
tests.unit.test_postgres_lineage.TestPostgresQueryEntry ‑ test_avg_exec_time_zero_executions
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_basic
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_database_sql_injection_prevented
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_exclude_patterns_injection_prevented
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_limit_validation
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_min_calls_validation
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_with_database
tests.unit.test_postgres_query.TestGetQueryHistory ‑ test_get_query_history_with_exclude_patterns
tests.unit.test_postgres_query.TestPostgresQuerySanitization ‑ test_sanitize_identifier_empty_raises
tests.unit.test_postgres_query.TestPostgresQuerySanitization ‑ test_sanitize_identifier_sql_injection_raises
tests.unit.test_postgres_query.TestPostgresQuerySanitization ‑ test_sanitize_identifier_valid
tests.unit.test_postgres_rds_iam.TestPostgresRDSIAMConfig ‑ test_config_with_rds_iam_valid
tests.unit.test_postgres_rds_iam.TestPostgresRDSIAMConfig ‑ test_config_with_rds_iam_without_explicit_aws_config
tests.unit.test_postgres_rds_iam.TestPostgresRDSIAMConfig ‑ test_config_without_rds_iam
tests.unit.test_postgres_rds_iam.TestPostgresSourceRDSIAM ‑ test_init_with_rds_iam
tests.unit.test_postgres_rds_iam.TestPostgresSourceRDSIAM ‑ test_init_with_rds_iam_custom_port
tests.unit.test_postgres_rds_iam.TestPostgresSourceRDSIAM ‑ test_init_with_rds_iam_invalid_port
tests.unit.test_postgres_rds_iam.TestPostgresSourceRDSIAM ‑ test_init_with_rds_iam_no_username
tests.unit.test_postgres_rds_iam.TestPostgresSourceRDSIAM ‑ test_init_with_rds_iam_stores_hostname_and_port
tests.unit.test_postgres_rds_iam.TestPostgresSourceRDSIAM ‑ test_init_without_rds_iam
tests.unit.test_postgres_source ‑ test_current_sqlalchemy_database_in_identifier
tests.unit.test_postgres_source ‑ test_database_in_identifier
tests.unit.test_postgres_source ‑ test_get_inspectors_multiple_databases
tests.unit.test_postgres_source ‑ test_initial_database
tests.unit.test_postgres_source ‑ test_max_queries_to_extract_validation
tests.unit.test_postgres_source ‑ test_min_query_calls_validation
tests.unit.test_postgres_source ‑ test_query_exclude_patterns_validation
tests.unit.test_postgres_source ‑ test_query_lineage_extraction_failure
tests.unit.test_postgres_source ‑ test_query_lineage_prerequisites_failure
tests.unit.test_postgres_source ‑ test_sql_aggregator_initialization_failure
tests.unit.test_postgres_source ‑ test_usage_statistics_requires_graph_connection
tests.unit.test_postgres_source ‑ test_view_lineage_empty_returns_iterator
tests.unit.test_postgres_source ‑ tests_get_inspectors_with_database_provided
tests.unit.test_postgres_source ‑ tests_get_inspectors_with_sqlalchemy_uri_provided
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_no_artifact
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_no_dependent_artifact_id
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_no_source_expression
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_sqlanalyticsendpoint_multiple_relations
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_sqlanalyticsendpoint_only_resolvable_used
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_sqlanalyticsendpoint_uses_physical_id
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_sqlanalyticsendpoint_zero_resolvable_no_lineage
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_with_lakehouse
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_with_platform_instance
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_directlake_lineage_with_warehouse
tests.unit.test_powerbi_directlake.TestDirectLakeLineageExtraction ‑ test_extract_lineage_routes_to_directlake
tests.unit.test_powerbi_directlake.TestFabricArtifactDataClass ‑ test_fabric_artifact_creation
tests.unit.test_powerbi_directlake.TestFabricArtifactDataClass ‑ test_fabric_artifact_types
tests.unit.test_powerbi_directlake.TestTableDirectLakeFields ‑ test_table_with_directlake_fields
tests.unit.test_powerbi_directlake.TestTableDirectLakeFields ‑ test_table_with_import_storage_mode
tests.unit.test_powerbi_directlake.TestTableDirectLakeFields ‑ test_table_without_directlake_fields
tests.unit.test_powerbi_parser ‑ test_athena_custom_catalog_name
tests.unit.test_powerbi_parser ‑ test_athena_empty_database_name
tests.unit.test_powerbi_parser ‑ test_athena_empty_table_name
tests.unit.test_powerbi_parser ‑ test_athena_lineage_different_regions
tests.unit.test_powerbi_parser ‑ test_athena_lineage_incomplete_hierarchy_missing_database
tests.unit.test_powerbi_parser ‑ test_athena_lineage_incomplete_hierarchy_missing_table
tests.unit.test_powerbi_parser ‑ test_athena_lineage_malformed_items_missing_name_key
tests.unit.test_powerbi_parser ‑ test_athena_lineage_missing_identifier_accessor
tests.unit.test_powerbi_parser ‑ test_athena_lineage_missing_server
tests.unit.test_powerbi_parser ‑ test_athena_lineage_valid_three_level_hierarchy
tests.unit.test_powerbi_parser ‑ test_athena_platform_pair
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override_column_lineage
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override_dsn_scoped
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override_dsn_with_special_chars
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override_known_platform_valid
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override_no_match
tests.unit.test_powerbi_parser ‑ test_athena_table_platform_override_unknown_platform_raises
tests.unit.test_powerbi_parser ‑ test_athena_whitespace_only_names
tests.unit.test_powerbi_parser ‑ test_odbc_query_lineage_integration_catalog_stripping_and_platform_override
tests.unit.test_powerbi_parser ‑ test_odbc_strip_athena_3part_catalog_from_upstreams
tests.unit.test_powerbi_parser ‑ test_odbc_strip_athena_catalog_from_column_lineage
tests.unit.test_powerbi_parser ‑ test_odbc_strip_athena_catalog_from_upstreams
tests.unit.test_powerbi_parser ‑ test_odbc_strip_athena_catalog_preserves_non_catalog_urns
tests.unit.test_powerbi_parser ‑ test_parse_one_part_table_reference
tests.unit.test_powerbi_parser ‑ test_parse_three_part_table_reference
tests.unit.test_powerbi_parser ‑ test_parse_two_part_table_reference
tests.unit.test_powerbi_user_creation.TestConfigDefaults ‑ test_create_corp_user_should_default_to_false
tests.unit.test_powerbi_user_creation.TestCreateCorpUserFlagBehavior ‑ test_create_corp_user_false_returns_empty_mcps
tests.unit.test_powerbi_user_creation.TestCreateCorpUserFlagBehavior ‑ test_create_corp_user_true_should_emit_key_and_info
tests.unit.test_powerbi_user_creation.TestDisplayNameFallback ‑ test_null_display_name_falls_back_to_email
tests.unit.test_powerbi_user_creation.TestDisplayNameFallback ‑ test_null_display_name_falls_back_to_user_id
tests.unit.test_powerbi_user_creation.TestDisplayNameFallback ‑ test_null_email_address_allowed
tests.unit.test_powerbi_user_creation.TestEdgeCases ‑ test_empty_users_list
tests.unit.test_powerbi_user_creation.TestEdgeCases ‑ test_user_with_empty_email_address
tests.unit.test_powerbi_user_creation.TestEdgeCases ‑ test_user_with_null_display_name_uses_user_id_fallback
tests.unit.test_powerbi_user_creation.TestEdgeCases ‑ test_user_with_special_characters_in_email
tests.unit.test_powerbi_user_creation.TestEdgeCases ‑ test_user_with_very_long_display_name
tests.unit.test_powerbi_user_creation.TestOwnerCriteriaFiltering ‑ test_empty_owner_criteria_includes_all_users
tests.unit.test_powerbi_user_creation.TestOwnerCriteriaFiltering ‑ test_no_owner_criteria_includes_all_users
tests.unit.test_powerbi_user_creation.TestOwnerCriteriaFiltering ‑ test_owner_criteria_filters_users_without_rights
tests.unit.test_powerbi_user_creation.TestPrincipalTypeFiltering ‑ test_non_user_principal_type_filtered_out
tests.unit.test_powerbi_user_creation.TestPrincipalTypeFiltering ‑ test_none_user_in_list_filtered_out
tests.unit.test_powerbi_user_creation.TestStatefulIngestionBehavior ‑ test_regular_work_unit_has_is_primary_source_true
tests.unit.test_powerbi_user_creation.TestStatefulIngestionBehavior ‑ test_user_work_unit_has_is_primary_source_false
tests.unit.test_powerbi_user_creation.TestUserUrnGeneration ‑ test_remove_email_suffix_strips_domain
tests.unit.test_powerbi_user_creation.TestUserUrnGeneration ‑ test_use_powerbi_email_false_uses_id
tests.unit.test_powerbi_user_creation.TestUserUrnGeneration ‑ test_user_urns_generation_with_email
tests.unit.test_preset_source ‑ test_default_values
tests.unit.test_preset_source ‑ test_preset_config_parsing
tests.unit.test_preset_source ‑ test_set_display_uri
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_map
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_nestd_repeated
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_nested
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_repeated
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_with_complex_schema
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_with_single_empty_message
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_with_single_message_single_field_key_schema
tests.unit.test_protobuf_util ‑ test_protobuf_schema_to_mce_fields_with_two_messages_enum
tests.unit.test_protobuf_util ‑ test_protobuf_schema_with_recursive_type
tests.unit.test_pulsar_source.TestPulsarSchema ‑ test_pulsar_source_parse_pulsar_schema
tests.unit.test_pulsar_source.TestPulsarSource ‑ test_pulsar_source_get_token_jwt
tests.unit.test_pulsar_source.TestPulsarSource ‑ test_pulsar_source_get_token_oauth
tests.unit.test_pulsar_source.TestPulsarSource ‑ test_pulsar_source_get_workunits_all_tenant
tests.unit.test_pulsar_source.TestPulsarSource ‑ test_pulsar_source_get_workunits_custom_tenant
tests.unit.test_pulsar_source.TestPulsarSource ‑ test_pulsar_source_get_workunits_patterns
tests.unit.test_pulsar_source.TestPulsarSourceConfig ‑ test_pulsar_source_config_invalid_web_service_url_host
tests.unit.test_pulsar_source.TestPulsarSourceConfig ‑ test_pulsar_source_config_invalid_web_service_url_scheme
tests.unit.test_pulsar_source.TestPulsarSourceConfig ‑ test_pulsar_source_config_valid_web_service_url
tests.unit.test_pulsar_source.TestPulsarTopic ‑ test_pulsar_source_parse_topic_string
tests.unit.test_rds_iam_utils.TestGenerateRDSIAMToken ‑ test_generate_token_client_error
tests.unit.test_rds_iam_utils.TestGenerateRDSIAMToken ‑ test_generate_token_no_credentials_error
tests.unit.test_rds_iam_utils.TestGenerateRDSIAMToken ‑ test_generate_token_returns_full_url
tests.unit.test_rds_iam_utils.TestGenerateRDSIAMToken ‑ test_generate_token_success
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_get_token_automatically_refreshes_expired_token
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_get_token_refresh_needed
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_get_token_reuses_valid_token
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_init
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_needs_refresh_no_token
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_needs_refresh_token_expired
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_needs_refresh_token_valid
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_parse_token_expiry
tests.unit.test_rds_iam_utils.TestRDSIAMTokenManager ‑ test_parse_token_expiry_missing_date
tests.unit.test_redash_source ‑ test_get_chart_snapshot_parse_table_names_from_sql
tests.unit.test_redash_source ‑ test_get_dashboard_snapshot_after_v10
tests.unit.test_redash_source ‑ test_get_dashboard_snapshot_before_v10
tests.unit.test_redash_source ‑ test_get_full_qualified_name
tests.unit.test_redash_source ‑ test_get_known_viz_chart_snapshot
tests.unit.test_redash_source ‑ test_get_unknown_viz_chart_snapshot
tests.unit.test_redash_source ‑ test_sql_parsing_error_generates_warning
tests.unit.test_rest_sink ‑ test_datahub_rest_emitter[record0-/entities?action=ingest-snapshot0]
tests.unit.test_rest_sink ‑ test_datahub_rest_emitter[record1-/entities?action=ingest-snapshot1]
tests.unit.test_rest_sink ‑ test_datahub_rest_emitter[record2-/entities?action=ingest-snapshot2]
tests.unit.test_rest_sink ‑ test_datahub_rest_emitter[record3-/usageStats?action=batchIngest-snapshot3]
tests.unit.test_rest_sink ‑ test_datahub_rest_emitter[record4-/aspects?action=ingestProposal-snapshot4]
tests.unit.test_schema_util ‑ test_avro_sample_payment_schema_to_mce_fields_with_nesting
tests.unit.test_schema_util ‑ test_avro_schema_array_reference_to_record_type
tests.unit.test_schema_util ‑ test_avro_schema_array_reference_to_record_type_elsewhere
tests.unit.test_schema_util ‑ test_avro_schema_namespacing
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_events_with_nullable_fields[optional_field_via_fixed]
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_events_with_nullable_fields[optional_field_via_primitive]
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_events_with_nullable_fields[optional_field_via_union_null_not_first]
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_events_with_nullable_fields[optional_field_via_union_type]
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_record_with_two_fields
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_sample_events_with_different_field_types
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_toplevel_isnt_a_record
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_with_default
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_with_field_meta_mapping
tests.unit.test_schema_util ‑ test_avro_schema_to_mce_fields_with_nesting_across_records
tests.unit.test_schema_util ‑ test_avro_schema_with_recursion
tests.unit.test_schema_util ‑ test_ignore_exceptions
tests.unit.test_schema_util ‑ test_jsonProps_propagation
tests.unit.test_schema_util ‑ test_key_schema_handling
tests.unit.test_schema_util ‑ test_logical_types_bare
tests.unit.test_schema_util ‑ test_logical_types_fully_specified_in_type
tests.unit.test_schema_util ‑ test_map_of_union_of_int_and_record_of_union
tests.unit.test_schema_util ‑ test_mce_avro_parses_okay
tests.unit.test_schema_util ‑ test_needs_disambiguation_nested_union_of_records_with_same_field_name
tests.unit.test_schema_util ‑ test_nested_arrays
tests.unit.test_schema_util ‑ test_recursive_avro
tests.unit.test_schema_util ‑ test_simple_nested_record_with_a_string_field_for_key_schema
tests.unit.test_schema_util ‑ test_simple_record_with_primitive_types
tests.unit.test_schema_util ‑ test_union_with_nested_record_of_union
tests.unit.test_secret_registry.TestClearRegistry ‑ test_clear_increments_version
tests.unit.test_secret_registry.TestClearRegistry ‑ test_clear_removes_all_secrets
tests.unit.test_secret_registry.TestIsMaskingEnabled ‑ test_masking_disabled_with_1
tests.unit.test_secret_registry.TestIsMaskingEnabled ‑ test_masking_disabled_with_true
tests.unit.test_secret_registry.TestIsMaskingEnabled ‑ test_masking_enabled_by_default
tests.unit.test_secret_registry.TestIsMaskingEnabled ‑ test_masking_enabled_with_false
tests.unit.test_secret_registry.TestRegisterSecretsBatch ‑ test_register_secrets_batch_filters_invalid_values
tests.unit.test_secret_registry.TestRegisterSecretsBatch ‑ test_register_secrets_batch_with_dict
tests.unit.test_secret_registry.TestRegisterSecretsBatch ‑ test_register_secrets_batch_with_empty_dict
tests.unit.test_secret_registry.TestRegisterSecretsBatch ‑ test_register_secrets_batch_with_special_chars_registers_url_encoded
tests.unit.test_secret_registry.TestSecretRegistryGetAllSecrets ‑ test_get_all_secrets_returns_copy
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_duplicate_secret_value_uses_first_name
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_register_duplicate_with_different_case_treats_as_different
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_register_empty_string_value_ignored
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_register_non_string_value_ignored
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_register_none_value_ignored
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_register_secret_with_special_chars_registers_url_encoded
tests.unit.test_secret_registry.TestSecretRegistryInvalidInputs ‑ test_register_short_string_value_ignored
tests.unit.test_secret_registry.TestSecretRegistryMaxSecrets ‑ test_register_stops_at_max_secrets
tests.unit.test_secret_registry.TestSecretRegistrySingleton ‑ test_get_instance_returns_singleton
tests.unit.test_secret_registry.TestSecretRegistrySingleton ‑ test_reset_instance_clears_singleton
tests.unit.test_secret_registry.TestSecretRegistryVersionTracking ‑ test_get_version_increments_on_register
tests.unit.test_secret_registry.TestSecretRegistryVersionTracking ‑ test_get_version_unchanged_after_clear
tests.unit.test_setup_py_requirements ‑ test_all_extras_require_are_valid_pep508
tests.unit.test_source ‑ test_aspects_by_subtypes
tests.unit.test_source ‑ test_discretize_dict_values
tests.unit.test_source ‑ test_lineage_in_aspects_by_subtypes
tests.unit.test_source ‑ test_multiple_same_aspects_count_correctly
tests.unit.test_source ‑ test_samples_with_overlapping_aspects
tests.unit.test_source ‑ test_stale_entity_removal_excludes_all_aspects
tests.unit.test_sql_common ‑ test_fine_grained_lineages[ spaced . field -spaced.field-spaced.field-spaced.field]
tests.unit.test_sql_common ‑ test_fine_grained_lineages[[version=2.0].[type=string].employee_id-[version=2.0].[type=string].employee_id-employee_id-employee_id]
tests.unit.test_sql_common ‑ test_fine_grained_lineages[[version=2.0].[type=struct].[type=array].[type=string].skills-[version=2.0].[type=struct].[type=array].[type=string].skills-skills-skills]
tests.unit.test_sql_common ‑ test_fine_grained_lineages[[version=2.0].[type=struct].[type=map].[type=struct].job_history-[version=2.0].[type=struct].[type=map].[type=struct].job_history-job_history-job_history]
tests.unit.test_sql_common ‑ test_generate_foreign_key
tests.unit.test_sql_common ‑ test_get_db_schema_with_dots_in_view_name
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[awsathena://test_athena:3316/athenadb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[bigquery://test_bq:3316/bigquery]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[clickhouse://test_clickhouse:3316/clickhousedb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[druid://test_druid:1101/druiddb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[hive://test_hive:1201/hive]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[jdbc:postgres://test_redshift:5432/redshift.amazonaws]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[mongodb://test_mongodb:1201/mongo]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[mssql://test_mssql:1201/mssqldb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[mysql://test_mysql:1201/mysql]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[oracle://test_oracle:3306/oracledb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[pinot://test_pinot:3306/pinot]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[postgresql://test_postgres:5432/postgres]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[postgresql://test_redshift:5432/redshift.amazonaws]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[presto://test_presto:5432/prestodb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[redshift://test_redshift:5432/redshift]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[snowflake://test_snowflake:5432/snowflakedb]
tests.unit.test_sql_common ‑ test_get_platform_from_sqlalchemy_uri[trino://test_trino:5432/trino]
tests.unit.test_sql_common ‑ test_test_connection_failure
tests.unit.test_sql_common ‑ test_test_connection_success
tests.unit.test_sql_common ‑ test_use_source_schema_for_foreign_key_if_not_specified
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[boolean-BooleanTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[date-DateTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[duration-TimeTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[float-NumberTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[integer-NumberTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[list-ArrayTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[local_date_time-TimeTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[local_time-TimeTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[node-StringTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[point-StringTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[relationship-StringTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[string-StringTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[zoned_date_time-TimeTypeClass]
tests.unit.test_sql_types ‑ test_neo4j_type_mappings[zoned_time-TimeTypeClass]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[array<struct<x bigint, y double>>-array]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[bigint-bigint]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[binary-binary]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[boolean-boolean]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[char-char]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[date-date]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[decimal(10,0)-decimal]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[double-double]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[float-float]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[int-int]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[integer-integer]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[map<varchar, varchar>-map]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[smallint-smallint]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[struct<x timestamp(3), y timestamp>-struct]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[timestamp(3)-timestamp]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[timestamp-timestamp]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[tinyint-tinyint]
tests.unit.test_sql_types ‑ test_resolve_athena_modified_type[varchar(20)-varchar]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[ARRAY-ARRAY]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[BIGINT-BIGINT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[BINARY-BINARY]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[BOOLEAN-BOOLEAN]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[BYTEINT-BYTEINT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[CHAR(10)-CHAR]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[CHARACTER VARYING(50)-CHARACTER VARYING]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[CHARACTER(5)-CHARACTER]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[DATE-DATE]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[DATETIME-DATETIME]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[DECIMAL(38,2)-DECIMAL]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[DOUBLE PRECISION-DOUBLE PRECISION]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[DOUBLE-DOUBLE]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[FLOAT-FLOAT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[FLOAT4-FLOAT4]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[FLOAT8-FLOAT8]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[GEOGRAPHY-GEOGRAPHY]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[INT-INT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[INTEGER-INTEGER]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[NUMBER(10,0)-NUMBER]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[NUMERIC(15,4)-NUMERIC]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[OBJECT-OBJECT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[REAL-REAL]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[SMALLINT-SMALLINT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[STRING-STRING]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TEXT-TEXT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIME(3)-TIME]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIME-TIME]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIMESTAMP(3)-TIMESTAMP]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIMESTAMP-TIMESTAMP]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIMESTAMP_LTZ-TIMESTAMP_LTZ]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIMESTAMP_NTZ-TIMESTAMP_NTZ]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TIMESTAMP_TZ-TIMESTAMP_TZ]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[TINYINT-TINYINT]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[VARBINARY-VARBINARY]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[VARCHAR(20)-VARCHAR]
tests.unit.test_sql_types ‑ test_resolve_snowflake_type[VARIANT-VARIANT]
tests.unit.test_sql_types ‑ test_resolve_sql_type
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[array(row(x bigint, y double))-array]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[bigint-bigint]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[boolean-boolean]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[char-char]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[date-date]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[decimal(10,0)-decimal]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[double-double]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[int-int]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[integer-integer]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[json-json]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[map(varchar, varchar)-map]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[real-real]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[row(x bigint, y double)-row]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[smallint-smallint]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[time(12)-time]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[time-time]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[timestamp(3)-timestamp]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[timestamp-timestamp]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[tinyint-tinyint]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[varbinary-varbinary]
tests.unit.test_sql_types ‑ test_resolve_trino_modified_type[varchar(20)-varchar]
tests.unit.test_sql_types ‑ test_type_conflicts_across_platforms
tests.unit.test_sql_utils ‑ test_guid_generators
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.*-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.*-db.table-True0]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.*-db.table-True1]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.schema.*-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.table..*-db.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.table.column-db.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db.table.column2-db.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db2\\.schema.*-db.schema.table-False0]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db2\\.schema.*-db.schema.table-False1]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db\\.schema\\..*-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db\\.schema\\.table2\\.column-db.schema.table-False]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db\\.schema\\.table\\..*-db.table2-False]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db\\.schema\\.table\\.column-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_allow_list[db\\.schema\\.table\\.column_prefix.*-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.*-db.schema.table-False]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.*-db.table-False0]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.*-db.table-False1]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.schema.*-db.schema.table-False]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.table..*-db.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.table.column-db.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db.table.column2-db.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db2\\.schema.*-db.schema.table-True0]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db2\\.schema.*-db.schema.table-True1]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db\\.schema\\..*-db.schema.table-False]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db\\.schema\\.table2\\.column-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db\\.schema\\.table\\..*-db.table2-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db\\.schema\\.table\\.column-db.schema.table-True]
tests.unit.test_sql_utils ‑ test_profile_pattern_matching_on_table_deny_list[db\\.schema\\.table\\.column_prefix.*-db.schema.table-True]
tests.unit.test_superset_source ‑ test_column_level_lineage
tests.unit.test_superset_source ‑ test_construct_chart_cll_aggregate_mode
tests.unit.test_superset_source ‑ test_default_values
tests.unit.test_superset_source ‑ test_set_display_uri
tests.unit.test_superset_source ‑ test_superset_build_owners_info
tests.unit.test_superset_source ‑ test_superset_login
tests.unit.test_superset_source.TestDatabaseAlias ‑ test_apply_database_alias_empty_config
tests.unit.test_superset_source.TestDatabaseAlias ‑ test_apply_database_alias_no_match_returns_unchanged
tests.unit.test_superset_source.TestDatabaseAlias ‑ test_apply_database_alias_transforms_urn
tests.unit.test_superset_source.TestDatabaseAlias ‑ test_database_alias_in_virtual_dataset_lineage
tests.unit.test_superset_source.TestDatabaseAlias ‑ test_get_datasource_urn_applies_database_alias
tests.unit.test_teradata_integration.TestComplexQueryScenarios ‑ test_large_query_result_processing
tests.unit.test_teradata_integration.TestComplexQueryScenarios ‑ test_multi_line_query_processing
tests.unit.test_teradata_integration.TestComplexQueryScenarios ‑ test_query_with_special_characters
tests.unit.test_teradata_integration.TestConfigurationIntegration ‑ test_database_filtering_integration
tests.unit.test_teradata_integration.TestConfigurationIntegration ‑ test_lineage_and_usage_statistics_integration
tests.unit.test_teradata_integration.TestConfigurationIntegration ‑ test_profiling_configuration_integration
tests.unit.test_teradata_integration.TestEndToEndWorkflow ‑ test_complete_metadata_extraction_workflow
tests.unit.test_teradata_integration.TestEndToEndWorkflow ‑ test_error_handling_in_complex_workflow
tests.unit.test_teradata_integration.TestEndToEndWorkflow ‑ test_lineage_extraction_with_historical_data
tests.unit.test_teradata_integration.TestEndToEndWorkflow ‑ test_view_processing_with_threading
tests.unit.test_teradata_integration.TestResourceManagement ‑ test_aggregator_cleanup_on_close
tests.unit.test_teradata_integration.TestResourceManagement ‑ test_connection_cleanup_in_error_scenarios
tests.unit.test_teradata_integration.TestResourceManagement ‑ test_engine_disposal_on_close
tests.unit.test_teradata_performance.TestCachingOptimizations ‑ test_cache_invalidation_different_schemas
tests.unit.test_teradata_performance.TestCachingOptimizations ‑ test_get_schema_columns_caching
tests.unit.test_teradata_performance.TestCachingOptimizations ‑ test_get_schema_foreign_keys_caching
tests.unit.test_teradata_performance.TestCachingOptimizations ‑ test_get_schema_pk_constraints_caching
tests.unit.test_teradata_performance.TestMemoryOptimizations ‑ test_chunked_processing_batch_size
tests.unit.test_teradata_performance.TestMemoryOptimizations ‑ test_streaming_query_processing
tests.unit.test_teradata_performance.TestMemoryOptimizations ‑ test_tables_cache_memory_efficiency
tests.unit.test_teradata_performance.TestPerformanceReporting ‑ test_column_extraction_timing
tests.unit.test_teradata_performance.TestPerformanceReporting ‑ test_connection_pool_metrics
tests.unit.test_teradata_performance.TestPerformanceReporting ‑ test_database_level_metrics_tracking
tests.unit.test_teradata_performance.TestPerformanceReporting ‑ test_view_processing_timing_metrics
tests.unit.test_teradata_performance.TestQueryOptimizations ‑ test_parameterized_query_usage
tests.unit.test_teradata_performance.TestQueryOptimizations ‑ test_query_structure_optimization
tests.unit.test_teradata_performance.TestQueryOptimizations ‑ test_qvci_optimization
tests.unit.test_teradata_performance.TestQueryOptimizations ‑ test_usexviews_optimization
tests.unit.test_teradata_performance.TestThreadSafetyOptimizations ‑ test_pooled_engine_lock_usage
tests.unit.test_teradata_performance.TestThreadSafetyOptimizations ‑ test_report_lock_usage
tests.unit.test_teradata_performance.TestThreadSafetyOptimizations ‑ test_tables_cache_lock_usage
tests.unit.test_teradata_prepared_statement.TestBackwardCompatibility ‑ test_default_config_unchanged
tests.unit.test_teradata_prepared_statement.TestBackwardCompatibility ‑ test_report_defaults
tests.unit.test_teradata_prepared_statement.TestFallbackLogic ‑ test_dbc_success_no_fallback
tests.unit.test_teradata_prepared_statement.TestFallbackLogic ‑ test_fallback_chain_priority
tests.unit.test_teradata_prepared_statement.TestPreparedStatementColumnMapping ‑ test_column_mapping_basic
tests.unit.test_teradata_prepared_statement.TestPreparedStatementColumnMapping ‑ test_column_mapping_decimal_precision
tests.unit.test_teradata_prepared_statement.TestPreparedStatementColumnMapping ‑ test_column_mapping_not_nullable
tests.unit.test_teradata_prepared_statement.TestPreparedStatementConfiguration ‑ test_both_configs_enabled
tests.unit.test_teradata_prepared_statement.TestPreparedStatementConfiguration ‑ test_fallback_config_default_false
tests.unit.test_teradata_prepared_statement.TestPreparedStatementConfiguration ‑ test_fallback_config_enabled
tests.unit.test_teradata_prepared_statement.TestPreparedStatementConfiguration ‑ test_prepared_statement_config_default_false
tests.unit.test_teradata_prepared_statement.TestPreparedStatementConfiguration ‑ test_prepared_statement_config_enabled
tests.unit.test_teradata_prepared_statement.TestPreparedStatementExtraction ‑ test_prepared_statement_extraction_invalid_table
tests.unit.test_teradata_prepared_statement.TestPreparedStatementExtraction ‑ test_prepared_statement_extraction_no_description
tests.unit.test_teradata_prepared_statement.TestPreparedStatementExtraction ‑ test_prepared_statement_extraction_no_permissions
tests.unit.test_teradata_prepared_statement.TestPreparedStatementExtraction ‑ test_prepared_statement_extraction_success
tests.unit.test_teradata_prepared_statement.TestPreparedStatementExtraction ‑ test_prepared_statement_sql_injection_prevention
tests.unit.test_teradata_prepared_statement.TestPreparedStatementReporting ‑ test_prepared_statement_failure_tracked
tests.unit.test_teradata_prepared_statement.TestPreparedStatementReporting ‑ test_prepared_statement_metrics_tracked
tests.unit.test_teradata_source.TestConcurrencySupport ‑ test_cached_loop_tables_safe_access
tests.unit.test_teradata_source.TestConcurrencySupport ‑ test_tables_cache_thread_safety
tests.unit.test_teradata_source.TestErrorHandling ‑ test_empty_lineage_entries
tests.unit.test_teradata_source.TestErrorHandling ‑ test_malformed_query_entry
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_end_to_end_separate_queries_integration
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_fetch_lineage_entries_chunked_batch_processing
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_fetch_lineage_entries_chunked_multiple_queries
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_fetch_lineage_entries_chunked_single_query
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_make_lineage_queries_current_only
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_make_lineage_queries_with_database_filter
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_make_lineage_queries_with_historical_available
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_make_lineage_queries_with_historical_unavailable
tests.unit.test_teradata_source.TestLineageQuerySeparation ‑ test_query_logging_and_progress_tracking
tests.unit.test_teradata_source.TestMemoryEfficiency ‑ test_fetch_lineage_entries_chunked_streaming
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_emit_ownership_creates_user_urn
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_emit_ownership_early_return
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_emit_ownership_scenarios[False-True-False]
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_emit_ownership_scenarios[True-False-False]
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_emit_ownership_scenarios[True-True-True]
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_get_creator_for_entity_returns_creator
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_get_creator_for_entity_returns_none_when_not_found
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_get_creator_returns_from_cache
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_process_entity_emits_ownership_work_units[table-datahub.ingestion.source.sql.two_tier_sql_source.TwoTierSQLAlchemySource._process_table]
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_process_entity_emits_ownership_work_units[view-datahub.ingestion.source.sql.two_tier_sql_source.TwoTierSQLAlchemySource._process_view]
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_table_creator_cache_handles_none_creator
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_table_creator_cache_population
tests.unit.test_teradata_source.TestOwnershipExtraction ‑ test_table_creator_cache_population_with_creator
tests.unit.test_teradata_source.TestQueryConstruction ‑ test_current_query_construction
tests.unit.test_teradata_source.TestQueryConstruction ‑ test_historical_query_construction
tests.unit.test_teradata_source.TestSQLInjectionSafety ‑ test_get_schema_columns_parameterized
tests.unit.test_teradata_source.TestSQLInjectionSafety ‑ test_get_schema_pk_constraints_parameterized
tests.unit.test_teradata_source.TestStageTracking ‑ test_stage_tracking_in_aggregator_processing
tests.unit.test_teradata_source.TestStageTracking ‑ test_stage_tracking_in_cache_operation
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_empty_entries
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_empty_query_text
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_metadata_preservation
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_mixed_queries
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_multi_row_queries
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_single_row_queries
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_space_joining_behavior
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_teradata_specific_transformations
tests.unit.test_teradata_source.TestStreamingQueryReconstruction ‑ test_reconstruct_queries_streaming_with_none_user
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_config_inheritance_chain
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_extract_ownership_config[override0-False]
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_extract_ownership_config[override1-True]
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_extract_ownership_config[override2-False]
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_include_queries_default
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_incremental_lineage_config_support
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_max_workers_custom_value
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_max_workers_default
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_max_workers_validation_valid
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_time_window_defaults_applied
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_user_original_recipe_compatibility
tests.unit.test_teradata_source.TestTeradataConfig ‑ test_valid_config
tests.unit.test_teradata_source.TestTeradataSource ‑ test_cache_tables_and_views_thread_safety
tests.unit.test_teradata_source.TestTeradataSource ‑ test_check_historical_table_exists_failure
tests.unit.test_teradata_source.TestTeradataSource ‑ test_check_historical_table_exists_success
tests.unit.test_teradata_source.TestTeradataSource ‑ test_close_cleanup
tests.unit.test_teradata_source.TestTeradataSource ‑ test_convert_entry_to_observed_query
tests.unit.test_teradata_source.TestTeradataSource ‑ test_convert_entry_to_observed_query_with_none_user
tests.unit.test_teradata_source.TestTeradataSource ‑ test_get_inspectors
tests.unit.test_teradata_source.TestTeradataSource ‑ test_make_lineage_queries_with_time_defaults
tests.unit.test_teradata_source.TestTeradataSource ‑ test_source_initialization
tests.unit.test_transform_dataset ‑ test_add_dataset_browse_paths
tests.unit.test_transform_dataset ‑ test_add_dataset_data_product_transformation
tests.unit.test_transform_dataset ‑ test_add_dataset_properties
tests.unit.test_transform_dataset ‑ test_add_dataset_tags_transformation
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_digits
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_fixed_string
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_multiple_values
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_pattern
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_pattern_with_alphanumeric_value
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_values_using_regex
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_remove_word_in_capital_letters
tests.unit.test_transform_dataset ‑ test_clean_owner_group_urn_transformation_should_not_remove_system_identifier
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_digits
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_fixed_string
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_multiple_values
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_pattern
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_pattern_with_alphanumeric_value
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_values_using_regex
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_remove_word_in_capital_letters
tests.unit.test_transform_dataset ‑ test_clean_owner_urn_transformation_should_not_remove_system_identifier
tests.unit.test_transform_dataset ‑ test_dataset_ownership_transformation
tests.unit.test_transform_dataset ‑ test_domain_mapping_based__r_on_tags_with_multiple_tags
tests.unit.test_transform_dataset ‑ test_domain_mapping_based_on_tags_with_empty_config
tests.unit.test_transform_dataset ‑ test_domain_mapping_based_on_tags_with_empty_tags
tests.unit.test_transform_dataset ‑ test_domain_mapping_based_on_tags_with_no_matching_tags
tests.unit.test_transform_dataset ‑ test_domain_mapping_based_on_tags_with_no_tags
tests.unit.test_transform_dataset ‑ test_domain_mapping_based_on_tags_with_valid_tags
tests.unit.test_transform_dataset ‑ test_extract_dataset_tags
tests.unit.test_transform_dataset ‑ test_extract_owners_from_tags
tests.unit.test_transform_dataset ‑ test_mark_status_dataset
tests.unit.test_transform_dataset ‑ test_mcp_add_tags_existing
tests.unit.test_transform_dataset ‑ test_mcp_add_tags_missing
tests.unit.test_transform_dataset ‑ test_mcp_multiple_transformers
tests.unit.test_transform_dataset ‑ test_mcp_multiple_transformers_replace
tests.unit.test_transform_dataset ‑ test_ownership_patching_intersect
tests.unit.test_transform_dataset ‑ test_ownership_patching_with_different_types_1
tests.unit.test_transform_dataset ‑ test_ownership_patching_with_different_types_2
tests.unit.test_transform_dataset ‑ test_ownership_patching_with_empty_mce_none_server
tests.unit.test_transform_dataset ‑ test_ownership_patching_with_empty_mce_nonempty_server
tests.unit.test_transform_dataset ‑ test_ownership_patching_with_nones
tests.unit.test_transform_dataset ‑ test_pattern_add_container_dataset_domain_no_match
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_aspect_name
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_match
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_no_match
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_patch_no_match_with_server_domain
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_replace_existing_match
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_replace_existing_no_match
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_semantics_overwrite
tests.unit.test_transform_dataset ‑ test_pattern_add_dataset_domain_semantics_patch
tests.unit.test_transform_dataset ‑ test_pattern_cleanup_usage_statistics_user_1
tests.unit.test_transform_dataset ‑ test_pattern_cleanup_usage_statistics_user_2
tests.unit.test_transform_dataset ‑ test_pattern_cleanup_usage_statistics_user_3
tests.unit.test_transform_dataset ‑ test_pattern_container_and_dataset_domain_transformation
tests.unit.test_transform_dataset ‑ test_pattern_container_and_dataset_domain_transformation_with_no_container
tests.unit.test_transform_dataset ‑ test_pattern_container_and_dataset_ownership_transformation
tests.unit.test_transform_dataset ‑ test_pattern_container_and_dataset_ownership_with_no_container
tests.unit.test_transform_dataset ‑ test_pattern_container_and_dataset_ownership_with_no_match
tests.unit.test_transform_dataset ‑ test_pattern_dataset_data_product_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_ownership_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_ownership_with_invalid_type_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_ownership_with_type_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_schema_tags_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_schema_tags_transformation_overwrite
tests.unit.test_transform_dataset ‑ test_pattern_dataset_schema_tags_transformation_patch
tests.unit.test_transform_dataset ‑ test_pattern_dataset_schema_terms_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_schema_terms_transformation_overwrite
tests.unit.test_transform_dataset ‑ test_pattern_dataset_schema_terms_transformation_patch
tests.unit.test_transform_dataset ‑ test_pattern_dataset_tags_transformation
tests.unit.test_transform_dataset ‑ test_pattern_dataset_terms_transformation
tests.unit.test_transform_dataset ‑ test_replace_external_regex_container_replace_1
tests.unit.test_transform_dataset ‑ test_replace_external_regex_container_replace_2
tests.unit.test_transform_dataset ‑ test_replace_external_regex_replace_1
tests.unit.test_transform_dataset ‑ test_replace_external_regex_replace_2
tests.unit.test_transform_dataset ‑ test_replace_external_url_container_word_replace
tests.unit.test_transform_dataset ‑ test_replace_external_url_word_replace
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_aspect_name
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_mce_support
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_on_conflict_do_nothing
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_on_conflict_do_nothing_no_conflict
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_replace_existing
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_semantics_overwrite
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_domain_semantics_patch
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_properties
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_properties_overwrite
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_properties_patch
tests.unit.test_transform_dataset ‑ test_simple_add_dataset_properties_replace_existing
tests.unit.test_transform_dataset ‑ test_simple_dataset_data_product_transformation
tests.unit.test_transform_dataset ‑ test_simple_dataset_ownership_transformer_semantics_patch
tests.unit.test_transform_dataset ‑ test_simple_dataset_ownership_with_invalid_type_transformation
tests.unit.test_transform_dataset ‑ test_simple_dataset_ownership_with_type_transformation
tests.unit.test_transform_dataset ‑ test_simple_dataset_ownership_with_type_urn_transformation
tests.unit.test_transform_dataset ‑ test_simple_dataset_tags_transformation
tests.unit.test_transform_dataset ‑ test_simple_dataset_terms_transformation
tests.unit.test_transform_dataset ‑ test_simple_remove_dataset_ownership
tests.unit.test_transform_dataset ‑ test_supression_works
tests.unit.test_transform_dataset ‑ test_tags_to_terms_transformation
tests.unit.test_transform_dataset ‑ test_tags_to_terms_with_missing_tags
tests.unit.test_transform_dataset ‑ test_tags_to_terms_with_no_matching_terms
tests.unit.test_transform_dataset ‑ test_tags_to_terms_with_partial_match
tests.unit.test_unity_catalog_config ‑ test_databricks_api_page_size_default
tests.unit.test_unity_catalog_config ‑ test_databricks_api_page_size_negative_invalid
tests.unit.test_unity_catalog_config ‑ test_databricks_api_page_size_valid_values
tests.unit.test_unity_catalog_config ‑ test_databricks_api_page_size_zero_allowed
tests.unit.test_unity_catalog_config ‑ test_global_warehouse_id_is_set_from_profiling
tests.unit.test_unity_catalog_config ‑ test_include_ml_model_aliases_explicit_true
tests.unit.test_unity_catalog_config ‑ test_include_ml_model_default
tests.unit.test_unity_catalog_config ‑ test_lineage_data_source_api_does_not_require_warehouse
tests.unit.test_unity_catalog_config ‑ test_lineage_data_source_default
tests.unit.test_unity_catalog_config ‑ test_lineage_data_source_system_tables_requires_warehouse_id
tests.unit.test_unity_catalog_config ‑ test_ml_model_max_results_negative_invalid
tests.unit.test_unity_catalog_config ‑ test_ml_model_max_results_valid_values
tests.unit.test_unity_catalog_config ‑ test_profiling_requires_warehouses_id
tests.unit.test_unity_catalog_config ‑ test_set_different_warehouse_id_from_profiling
tests.unit.test_unity_catalog_config ‑ test_set_profiling_warehouse_id_from_global
tests.unit.test_unity_catalog_config ‑ test_usage_data_source_api_does_not_require_warehouse
tests.unit.test_unity_catalog_config ‑ test_usage_data_source_can_be_set_with_warehouse
tests.unit.test_unity_catalog_config ‑ test_usage_data_source_default

Check notice on line 0 in .github

See this annotation in the file changed.

@github-actions github-actions / Unit Test Results (Metadata Ingestion)

7547 tests found (test 7150 to 7547)

There are 7547 tests, see "Raw output" for the list of tests 7150 to 7547.
Raw output
tests.unit.test_unity_catalog_config ‑ test_usage_data_source_system_tables_requires_warehouse_id
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_auto_disables_tags_when_missing
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_explicit_true_auto_disables
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_must_be_present_test_connection
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_must_be_set_if_include_hive_metastore_is_true
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_not_required_when_tags_disabled
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_validation_with_hive_metastore_precedence
tests.unit.test_unity_catalog_config ‑ test_warehouse_id_with_tags_enabled_succeeds
tests.unit.test_unity_catalog_config ‑ test_within_thirty_days
tests.unit.test_unity_catalog_config ‑ test_workspace_url_should_start_with_https
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_build_datetime_where_conditions_both
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_build_datetime_where_conditions_empty
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_build_datetime_where_conditions_end_only
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_build_datetime_where_conditions_start_only
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_catalogs_with_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_check_basic_connectivity_with_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_constructor_with_databricks_api_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_create_ml_model_success
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_create_ml_model_version_success
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_create_ml_model_version_with_none_version
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_create_ml_model_with_missing_full_name
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_dataclass_creation
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_extract_signature_from_files_api_missing_file
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_extract_signature_from_files_api_no_signature
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_extract_signature_from_files_api_success
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_extract_signature_with_malformed_json
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_extract_signature_with_parameters
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_catalog_column_lineage_data_processing
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_catalog_column_lineage_empty
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_catalog_column_lineage_with_datetime_filter
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_catalog_table_lineage_data_processing
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_catalog_table_lineage_empty
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_catalog_table_lineage_with_datetime_filter
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_run_details_success
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_run_details_with_api_error
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_run_details_with_empty_metrics_params
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_get_run_details_with_missing_run
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_ml_model_versions_with_include_aliases_false
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_ml_model_versions_with_include_aliases_true
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_ml_models_with_max_results
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_ml_models_without_max_results
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_process_system_table_lineage
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_process_system_table_lineage_invalid_table_name
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_process_system_table_lineage_no_lineage_data
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_query_history_with_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_schemas_with_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_sql_execution_error_handling
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_tables_with_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxy ‑ test_workspace_notebooks_with_page_size
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyAuthentication ‑ test_apply_databricks_proxy_fix
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyAuthentication ‑ test_basic_proxy_auth_header
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyAuthentication ‑ test_basic_proxy_auth_header_no_credentials
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyAuthentication ‑ test_execute_sql_query_with_proxy
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_empty
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_error_handling
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_filters_statement_types
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_handles_null_values
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_row_parse_error
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_time_parameters
tests.unit.test_unity_catalog_proxy.TestUnityCatalogProxyUsageSystemTables ‑ test_get_query_history_via_system_tables_with_data
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_azure_auth_config_missing_fields[azure_auth_partial0]
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_azure_auth_config_missing_fields[azure_auth_partial1]
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_azure_auth_config_missing_fields[azure_auth_partial2]
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_azure_auth_config_validation
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_process_ml_model_generates_workunits
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_process_ml_model_version_with_none_run_details
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_process_ml_model_version_with_partial_run_details
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_process_ml_model_version_with_run_details
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_config_page_size_available_to_source
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_constructor_passes_custom_page_size_to_proxy
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_constructor_passes_default_page_size_to_proxy
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_creation_fails_with_both_authentication_methods
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_creation_fails_without_authentication
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_report_includes_ml_model_stats
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_source_with_hive_metastore_disabled
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_test_connection_fails_without_authentication
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_test_connection_with_azure_auth
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_test_connection_with_ml_model_configs
tests.unit.test_unity_catalog_source.TestUnityCatalogSource ‑ test_test_connection_with_page_size_config
tests.unit.test_unity_catalog_tag_entities.TestEdgeCasesAndErrorHandling ‑ test_resource_equality_and_hashing
tests.unit.test_unity_catalog_tag_entities.TestEdgeCasesAndErrorHandling ‑ test_sync_context_validation
tests.unit.test_unity_catalog_tag_entities.TestEdgeCasesAndErrorHandling ‑ test_tag_id_with_special_characters
tests.unit.test_unity_catalog_tag_entities.TestEdgeCasesAndErrorHandling ‑ test_tag_resource_with_large_allowed_values_list
tests.unit.test_unity_catalog_tag_entities.TestIntegrationScenario ‑ test_complete_tag_workflow
tests.unit.test_unity_catalog_tag_entities.TestIntegrationScenario ‑ test_tag_synchronization_flags_workflow
tests.unit.test_unity_catalog_tag_entities.TestIntegrationScenario ‑ test_tag_workflow_with_none_value
tests.unit.test_unity_catalog_tag_entities.TestIntegrationScenario ‑ test_urn_lifecycle_management
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagEntitiesIntegrationWithRepository ‑ test_cache_integration_workflow
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagEntitiesIntegrationWithRepository ‑ test_error_handling_in_from_datahub_urn
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagEntitiesIntegrationWithRepository ‑ test_tag_creation_with_repository_integration
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResource ‑ test_as_platform_resource_conversion
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResource ‑ test_platform_resource_creation
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResourceId ‑ test_basic_properties
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResourceId ‑ test_equality
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResourceId ‑ test_from_datahub_tag
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResourceId ‑ test_platform_resource_key_conversion
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagPlatformResourceId ‑ test_platform_resource_key_with_none_value
tests.unit.test_unity_catalog_tag_entities.TestUnityCatalogTagSyncContext ‑ test_context_creation
tests.unit.test_usage_common ‑ test_add_one_query_with_ignored_user
tests.unit.test_usage_common ‑ test_add_one_query_without_columns
tests.unit.test_usage_common ‑ test_extract_user_email
tests.unit.test_usage_common ‑ test_make_usage_workunit
tests.unit.test_usage_common ‑ test_make_usage_workunit_include_top_n_queries
tests.unit.test_usage_common ‑ test_multiple_query_with_ignored_user
tests.unit.test_usage_common ‑ test_multiple_query_without_columns
tests.unit.test_usage_common ‑ test_query_formatting
tests.unit.test_usage_common ‑ test_query_trimming
tests.unit.test_usage_common ‑ test_top_n_queries_validator_fails
tests.unit.test_usage_common ‑ test_usage_aggregator_passes_user_email_pattern
tests.unit.test_user_add ‑ test_create_native_user_invalid_role
tests.unit.test_user_add ‑ test_create_native_user_no_invite_token
tests.unit.test_user_add ‑ test_create_native_user_role_assignment_failure
tests.unit.test_user_add ‑ test_create_native_user_role_normalization
tests.unit.test_user_add ‑ test_create_native_user_signup_failure
tests.unit.test_user_add ‑ test_create_native_user_success
tests.unit.test_user_add ‑ test_create_native_user_with_role
tests.unit.test_vertexai_source ‑ test_experiment_run_with_none_timestamps
tests.unit.test_vertexai_source ‑ test_gen_experiment_run_mcps
tests.unit.test_vertexai_source ‑ test_gen_training_job_mcps
tests.unit.test_vertexai_source ‑ test_get_endpoint_mcps
tests.unit.test_vertexai_source ‑ test_get_experiment_mcps
tests.unit.test_vertexai_source ‑ test_get_input_dataset_mcps
tests.unit.test_vertexai_source ‑ test_get_ml_model_mcps
tests.unit.test_vertexai_source ‑ test_get_ml_model_properties_mcps
tests.unit.test_vertexai_source ‑ test_get_pipeline_mcps
tests.unit.test_vertexai_source ‑ test_get_training_jobs_mcps
tests.unit.test_vertexai_source ‑ test_make_job_urn
tests.unit.test_vertexai_source ‑ test_make_model_external_url
tests.unit.test_vertexai_source ‑ test_pipeline_task_with_none_end_time
tests.unit.test_vertexai_source ‑ test_pipeline_task_with_none_start_time
tests.unit.test_vertexai_source ‑ test_vertexai_config_init
tests.unit.test_vertica_source ‑ test_vertica_uri_https
tests.unit.transformers.test_base_transformer ‑ test_multiple_aspect_transformer_mcpw
tests.unit.transformers.test_base_transformer ‑ test_multiple_aspect_transformer_removal
tests.unit.transformers.test_base_transformer ‑ test_multiple_aspect_transformer_single_output
tests.unit.transformers.test_base_transformer ‑ test_multiple_aspect_transformer_work_unit_ids
tests.unit.transformers.test_set_attribution ‑ test_attribution_overwrite_warning
tests.unit.transformers.test_set_attribution ‑ test_config_invalid_raises[kwargs0-urn:li:]
tests.unit.transformers.test_set_attribution ‑ test_config_invalid_raises[kwargs1-non-empty]
tests.unit.transformers.test_set_attribution ‑ test_config_invalid_raises[kwargs2-urn:li:]
tests.unit.transformers.test_set_attribution ‑ test_config_valid[kwargs0-urn:li:corpuser:datahub]
tests.unit.transformers.test_set_attribution ‑ test_config_valid[kwargs1-urn:li:corpuser:datahub]
tests.unit.transformers.test_set_attribution ‑ test_config_valid[kwargs2-None]
tests.unit.transformers.test_set_attribution ‑ test_empty_aspect
tests.unit.transformers.test_set_attribution ‑ test_end_of_stream_passthrough
tests.unit.transformers.test_set_attribution ‑ test_global_tags_patch_mode
tests.unit.transformers.test_set_attribution ‑ test_global_tags_upsert_mode
tests.unit.transformers.test_set_attribution ‑ test_global_tags_with_source_detail
tests.unit.transformers.test_set_attribution ‑ test_glossary_terms_upsert_mode
tests.unit.transformers.test_set_attribution ‑ test_mce_input_conversion
tests.unit.transformers.test_set_attribution ‑ test_mce_input_multiple_aspects
tests.unit.transformers.test_set_attribution ‑ test_mixed_supported_and_unsupported_aspects
tests.unit.transformers.test_set_attribution ‑ test_ownership_upsert_mode
tests.unit.transformers.test_set_attribution ‑ test_patch_input_different_attribution_source
tests.unit.transformers.test_set_attribution ‑ test_patch_input_unsupported_content_type
tests.unit.transformers.test_set_attribution ‑ test_patch_input_with_attribution
tests.unit.transformers.test_set_attribution ‑ test_patch_to_obj
tests.unit.transformers.test_set_attribution ‑ test_unsupported_aspect_passthrough
tests.unit.transformers.test_set_attribution ‑ test_unsupported_aspect_passthrough_mcp
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[airflow_case]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[empty_initial_path]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[expand_non_existent_variables]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[expansion_containers_overwrite]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[expansion_instance_overwrite]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[expansion_overwrite]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[non_existent_variable]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[overwrite_platform_instance]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[set_empty_path]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[set_empty_path_noop]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[simple]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[simple_expansion]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_existing[simple_overwrite]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_non_existing[empty_node_reduction]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_non_existing[expansion_overwrite]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_non_existing[simple2]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_non_existing[simple]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_non_existing[simple_overwrite]
tests.unit.transformers.test_set_browse_path ‑ test_set_browse_paths_against_non_existing[white_spaces_reduction]
tests.unit.transformers.test_tags_to_structured_properties ‑ test_aspect_name
tests.unit.transformers.test_tags_to_structured_properties ‑ test_combined_key_value_and_keyword
tests.unit.transformers.test_tags_to_structured_properties ‑ test_empty_tags
tests.unit.transformers.test_tags_to_structured_properties ‑ test_entity_types
tests.unit.transformers.test_tags_to_structured_properties ‑ test_extract_tag_name
tests.unit.transformers.test_tags_to_structured_properties ‑ test_find_property_for_keyword_helper
tests.unit.transformers.test_tags_to_structured_properties ‑ test_keep_original_tags
tests.unit.transformers.test_tags_to_structured_properties ‑ test_key_value_tag_parsing_custom_separator
tests.unit.transformers.test_tags_to_structured_properties ‑ test_key_value_tag_parsing_default_separator
tests.unit.transformers.test_tags_to_structured_properties ‑ test_key_value_takes_precedence
tests.unit.transformers.test_tags_to_structured_properties ‑ test_keyword_tag_mapping
tests.unit.transformers.test_tags_to_structured_properties ‑ test_multiple_tags_same_property
tests.unit.transformers.test_tags_to_structured_properties ‑ test_no_properties_mapped
tests.unit.transformers.test_tags_to_structured_properties ‑ test_none_aspect
tests.unit.transformers.test_tags_to_structured_properties ‑ test_parse_key_value_tag_helper
tests.unit.transformers.test_tags_to_structured_properties ‑ test_remove_original_tags
tests.unit.transformers.test_tags_to_structured_properties ‑ test_unmatched_tags_warning
tests.unit.urns.test_corp_group_urn.TestCorpGroupUrn ‑ test_parse_urn
tests.unit.urns.test_corpuser_urn.TestCorpuserUrn ‑ test_parse_urn
tests.unit.urns.test_data_flow_urn.TestDataFlowUrn ‑ test_parse_urn
tests.unit.urns.test_data_job_urn.TestDataJobUrn ‑ test_parse_urn
tests.unit.urns.test_data_process_instance_urn.TestDataProcessInstanceUrn ‑ test_parse_urn
tests.unit.urns.test_dataset_urn.TestDatasetUrn ‑ test_parse_urn
tests.unit.urns.test_domain_urn.TestDomainUrn ‑ test_parse_urn
tests.unit.urns.test_notebook_urn.TestNotebookUrn ‑ test_parse_urn
tests.unit.urns.test_tag_urn.TestTagUrn ‑ test_parse_urn
tests.unit.urns.test_urn ‑ test_invalid_urns
tests.unit.urns.test_urn ‑ test_parse_urn
tests.unit.urns.test_urn ‑ test_url_encode_urn
tests.unit.urns.test_urn ‑ test_urn_coercion
tests.unit.urns.test_urn ‑ test_urn_colon
tests.unit.urns.test_urn ‑ test_urn_doctest
tests.unit.urns.test_urn ‑ test_urn_from_urn_simple
tests.unit.urns.test_urn ‑ test_urn_from_urn_tricky
tests.unit.urns.test_urn ‑ test_urn_type_dispatch_1
tests.unit.urns.test_urn ‑ test_urn_type_dispatch_2
tests.unit.urns.test_urn ‑ test_urn_type_dispatch_3
tests.unit.urns.test_urn ‑ test_urn_type_dispatch_4
tests.unit.urns.test_urn ‑ test_urns_in_init
tests.unit.urns.test_urn ‑ test_valid_urns
tests.unit.utilities.test_backpressure_aware_executor ‑ test_backpressure_aware_executor_advanced
tests.unit.utilities.test_backpressure_aware_executor ‑ test_backpressure_aware_executor_simple
tests.unit.utilities.test_cli_logging ‑ test_cli_logging
tests.unit.utilities.test_cli_logging ‑ test_extra_args_exception_suppressed
tests.unit.utilities.test_cooperative_timeout ‑ test_cooperate_no_timeout
tests.unit.utilities.test_cooperative_timeout ‑ test_cooperate_with_timeout
tests.unit.utilities.test_cooperative_timeout ‑ test_cooperative_timeout_no_timeout
tests.unit.utilities.test_cooperative_timeout ‑ test_cooperative_timeout_with_timeout
tests.unit.utilities.test_file_backed_collections ‑ test_custom_column[False-0]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_column[False-10]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_column[False-1]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_column[True-0]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_column[True-10]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_column[True-1]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_serde[False]
tests.unit.utilities.test_file_backed_collections ‑ test_custom_serde[True]
tests.unit.utilities.test_file_backed_collections ‑ test_file_cleanup
tests.unit.utilities.test_file_backed_collections ‑ test_file_dict[False]
tests.unit.utilities.test_file_backed_collections ‑ test_file_dict[True]
tests.unit.utilities.test_file_backed_collections ‑ test_file_dict_ordering[False]
tests.unit.utilities.test_file_backed_collections ‑ test_file_dict_ordering[True]
tests.unit.utilities.test_file_backed_collections ‑ test_file_dict_stores_counter
tests.unit.utilities.test_file_backed_collections ‑ test_file_list
tests.unit.utilities.test_file_backed_collections ‑ test_set_use_sqlite_on_conflict
tests.unit.utilities.test_file_backed_collections ‑ test_shared_connection[False]
tests.unit.utilities.test_file_backed_collections ‑ test_shared_connection[True]
tests.unit.utilities.test_hive_schema_to_avro ‑ test_get_avro_schema_for_hive_column
tests.unit.utilities.test_hive_schema_to_avro ‑ test_get_avro_schema_for_null_type_hive_column
tests.unit.utilities.test_hive_schema_to_avro ‑ test_get_avro_schema_for_struct_hive_column
tests.unit.utilities.test_hive_schema_to_avro ‑ test_get_avro_schema_for_struct_hive_with_duplicate_column
tests.unit.utilities.test_hive_schema_to_avro ‑ test_get_avro_schema_for_struct_hive_with_duplicate_column2
tests.unit.utilities.test_incremental_lineage_helper ‑ test_convert_chart_info_to_patch
tests.unit.utilities.test_ingest_utils ‑ test_deploy_source_name_precedence
tests.unit.utilities.test_ingest_utils ‑ test_deploy_source_vars
tests.unit.utilities.test_ingest_utils ‑ test_deploy_source_vars_from_config_file
tests.unit.utilities.test_ingest_utils ‑ test_deploy_source_vars_precedence
tests.unit.utilities.test_ingest_utils ‑ test_deploy_source_vars_with_extra_env
tests.unit.utilities.test_ingest_utils ‑ test_make_ingestion_urn
tests.unit.utilities.test_lossy_collections ‑ test_lossydict_sampling[10-False-14]
tests.unit.utilities.test_lossy_collections ‑ test_lossydict_sampling[100-True-1000]
tests.unit.utilities.test_lossy_collections ‑ test_lossydict_sampling[4-False-4]
tests.unit.utilities.test_lossy_collections ‑ test_lossylist_sampling[10-False]
tests.unit.utilities.test_lossy_collections ‑ test_lossylist_sampling[100-True]
tests.unit.utilities.test_lossy_collections ‑ test_lossyset_sampling[10-False]
tests.unit.utilities.test_lossy_collections ‑ test_lossyset_sampling[100-True]
tests.unit.utilities.test_memory_footprint ‑ test_total_size_with_defaultdict
tests.unit.utilities.test_memory_footprint ‑ test_total_size_with_empty_dict
tests.unit.utilities.test_memory_footprint ‑ test_total_size_with_list
tests.unit.utilities.test_memory_footprint ‑ test_total_size_with_none
tests.unit.utilities.test_ordered_set ‑ test_ordered_set
tests.unit.utilities.test_ordered_set ‑ test_ordered_set_diff
tests.unit.utilities.test_parsing_util ‑ test_get_missing_key
tests.unit.utilities.test_parsing_util ‑ test_get_missing_key_any
tests.unit.utilities.test_partition_executor ‑ test_batch_partition_executor_deadlock
tests.unit.utilities.test_partition_executor ‑ test_batch_partition_executor_max_batch_size
tests.unit.utilities.test_partition_executor ‑ test_batch_partition_executor_sequential_key_execution[10]
tests.unit.utilities.test_partition_executor ‑ test_batch_partition_executor_sequential_key_execution[1]
tests.unit.utilities.test_partition_executor ‑ test_batch_partition_executor_sequential_key_execution[2]
tests.unit.utilities.test_partition_executor ‑ test_empty_batch_partition_executor
tests.unit.utilities.test_partition_executor ‑ test_partitioned_executor
tests.unit.utilities.test_partition_executor ‑ test_partitioned_executor_bounding
tests.unit.utilities.test_perf_timer ‑ test_generator_with_paused_timer
tests.unit.utilities.test_perf_timer ‑ test_perf_timer_paused_timer
tests.unit.utilities.test_perf_timer ‑ test_perf_timer_reuse
tests.unit.utilities.test_perf_timer ‑ test_perf_timer_simple
tests.unit.utilities.test_prefix_patch_builder ‑ test_build_prefix_batches_empty_input
tests.unit.utilities.test_prefix_patch_builder ‑ test_build_prefix_batches_exceeds_max_batch_size
tests.unit.utilities.test_prefix_patch_builder ‑ test_build_prefix_batches_multiple_groups
tests.unit.utilities.test_prefix_patch_builder ‑ test_build_prefix_batches_single_group
tests.unit.utilities.test_progress_timer ‑ test_progress_timer_basic
tests.unit.utilities.test_progress_timer ‑ test_progress_timer_multiple_intervals
tests.unit.utilities.test_progress_timer ‑ test_progress_timer_with_report_0
tests.unit.utilities.test_ratelimiter ‑ test_rate_is_limited
tests.unit.utilities.test_search_utils ‑ test_multi_arg_create_from
tests.unit.utilities.test_search_utils ‑ test_negation
tests.unit.utilities.test_search_utils ‑ test_simple_and_filters
tests.unit.utilities.test_search_utils ‑ test_simple_field_match
tests.unit.utilities.test_search_utils ‑ test_simple_or_filters
tests.unit.utilities.test_serialized_lru_cache ‑ test_cache_eviction
tests.unit.utilities.test_serialized_lru_cache ‑ test_cache_hit
tests.unit.utilities.test_serialized_lru_cache ‑ test_concurrent_access_to_same_key
tests.unit.utilities.test_serialized_lru_cache ‑ test_thread_safety
tests.unit.utilities.test_server_config_util ‑ test_commit_hash
tests.unit.utilities.test_server_config_util ‑ test_datahub_cloud_feature
tests.unit.utilities.test_server_config_util ‑ test_feature_enum
tests.unit.utilities.test_server_config_util ‑ test_feature_requirements_dictionary
tests.unit.utilities.test_server_config_util ‑ test_feature_requirements_shared_reference
tests.unit.utilities.test_server_config_util ‑ test_get_deployment_requirements
tests.unit.utilities.test_server_config_util ‑ test_init_with_config
tests.unit.utilities.test_server_config_util ‑ test_is_datahub_cloud_property
tests.unit.utilities.test_server_config_util ‑ test_is_managed_ingestion_enabled
tests.unit.utilities.test_server_config_util ‑ test_is_no_code_enabled
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current0-required0-True]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current1-required1-True]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current2-required2-False]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current3-required3-True]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current4-required4-False]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current5-required5-True]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current6-required6-False]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current7-required7-True]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least[current8-required8-False]
tests.unit.utilities.test_server_config_util ‑ test_is_version_at_least_none
tests.unit.utilities.test_server_config_util ‑ test_missing_deployment_requirements
tests.unit.utilities.test_server_config_util ‑ test_parse_version[-expected7]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[1.0.0-expected1]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[None-expected6]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[v1.0.0-acryl-expected4]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[v1.0.0-expected0]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[v1.0.0.1rc3-expected5]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[v1.0.0rc3-expected3]
tests.unit.utilities.test_server_config_util ‑ test_parse_version[v1.2.3.4-expected2]
tests.unit.utilities.test_server_config_util ‑ test_parse_version_invalid
tests.unit.utilities.test_server_config_util ‑ test_parsed_version_caching
tests.unit.utilities.test_server_config_util ‑ test_requirements_not_defined
tests.unit.utilities.test_server_config_util ‑ test_server_type
tests.unit.utilities.test_server_config_util ‑ test_service_version
tests.unit.utilities.test_server_config_util ‑ test_str_and_repr
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[cloud-v0.1.0.0-ServiceFeature.IMPACT_ANALYSIS-True]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[cloud-v0.3.10.0-ServiceFeature.OPEN_API_SDK-False]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[cloud-v0.3.11.0-ServiceFeature.OPEN_API_SDK-True]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[cloud-v1.0.0.0-ServiceFeature.OPEN_API_SDK-True]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[core-v0.1.0.0-ServiceFeature.IMPACT_ANALYSIS-True]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[core-v1.0.0.0-ServiceFeature.OPEN_API_SDK-False]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[core-v1.0.0.0-unknown_feature-False]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[core-v1.0.1.0-ServiceFeature.OPEN_API_SDK-True]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_cloud_core[core-v2.0.0.0-ServiceFeature.OPEN_API_SDK-True]
tests.unit.utilities.test_server_config_util ‑ test_supports_feature_required_versions
tests.unit.utilities.test_sqlalchemy_type_converter ‑ test_get_avro_schema_for_sqlalchemy_array_column
tests.unit.utilities.test_sqlalchemy_type_converter ‑ test_get_avro_schema_for_sqlalchemy_column
tests.unit.utilities.test_sqlalchemy_type_converter ‑ test_get_avro_schema_for_sqlalchemy_map_column
tests.unit.utilities.test_sqlalchemy_type_converter ‑ test_get_avro_schema_for_sqlalchemy_struct_column
tests.unit.utilities.test_sqlalchemy_type_converter ‑ test_get_avro_schema_for_sqlalchemy_unknown_column
tests.unit.utilities.test_threaded_iterator_executor ‑ test_threaded_iterator_executor
tests.unit.utilities.test_threading_timeout ‑ test_timeout_early_exit
tests.unit.utilities.test_threading_timeout ‑ test_timeout_no_timeout
tests.unit.utilities.test_threading_timeout ‑ test_timeout_raises
tests.unit.utilities.test_threading_timeout ‑ test_timeout_zero
tests.unit.utilities.test_topological_sort ‑ test_topological_sort_invalid
tests.unit.utilities.test_topological_sort ‑ test_topological_sort_valid
tests.unit.utilities.test_unified_diff ‑ test_apply_diff
tests.unit.utilities.test_unified_diff ‑ test_apply_diff_add_to_empty_file
tests.unit.utilities.test_unified_diff ‑ test_apply_diff_invalid_patch
tests.unit.utilities.test_unified_diff ‑ test_apply_diff_unapplicable_patch
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_addition_beyond_end_of_file
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_context_beyond_end_of_file
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_context_mismatch
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_end_of_file
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_invalid_prefix
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_mismatch
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_remove_non_existent_line
tests.unit.utilities.test_unified_diff ‑ test_apply_hunk_success
tests.unit.utilities.test_unified_diff ‑ test_find_hunk_start
tests.unit.utilities.test_unified_diff ‑ test_find_hunk_start_not_found
tests.unit.utilities.test_unified_diff ‑ test_parse_patch
tests.unit.utilities.test_unified_diff ‑ test_parse_patch_bad_header
tests.unit.utilities.test_unified_diff ‑ test_parse_patch_invalid
tests.unit.utilities.test_urn_encoder ‑ test_encode_string_with_reserved_chars[test&database.test(schema.test*table]
tests.unit.utilities.test_urn_encoder ‑ test_encode_string_with_reserved_chars[test-database,test-schema,test-table]
tests.unit.utilities.test_urn_encoder ‑ test_encode_string_with_reserved_chars[test_database,(test$schema),test+table]
tests.unit.utilities.test_urn_encoder ‑ test_encode_string_without_reserved_chars_no_change[test&database.%testschema.test*table]
tests.unit.utilities.test_urn_encoder ‑ test_encode_string_without_reserved_chars_no_change[test-database.test-schema.test-table]
tests.unit.utilities.test_urn_encoder ‑ test_encode_string_without_reserved_chars_no_change[test_database.test$schema.test+table]
tests.unit.utilities.test_utilities ‑ test_delayed_iter
tests.unit.utilities.test_utilities ‑ test_groupby_unsorted
tests.unit.utilities.test_utilities ‑ test_is_pytest_running
tests.unit.utilities.test_utilities ‑ test_logging_name_extraction
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_columns_complex_query_with_union
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_columns_from_simple_query
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_columns_from_templated_query
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_columns_with_alias_and_count_star
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_columns_with_join
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_columns_with_more_complex_join
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_tables_from_complex_query
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_tables_from_simple_query
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_get_tables_from_templated_query
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_tables_from_redash_query
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_tables_with_special_names
tests.unit.utilities.test_utilities ‑ test_sqllineage_sql_parser_with_weird_lookml_query
tests.unit.utilities.test_yaml_sync_utils ‑ test_indentation_inference
tests.unit.utilities.test_yaml_sync_utils ‑ test_update_yaml_file