I have the following code which works fine for a single table. But when I try to use a for..loop() to process all the tables in my database, I am getting the error, "AnalysisException: Cannot redefine dataset 'source_ds',Map(),Map(),List(),List(),Map())"
.
I need to pass the table name to source_ds so as to process CDC based on key & sequence_columns. Appreciate any help/suggestions please.
import dlt
from pyspark.sql.functions import *
from pyspark.sql.types import *
import time
raw_db_name = "raw_db"
def generate_silver_tables(target_table, source_table, keys_col_list):
@dlt.table
def source_ds():
return spark.table(f"{raw_db_name}.{source_table}")
### Create the target table definition
dlt.create_target_table(name=target_table,
comment= f"Clean, merged {target_table}",
#partition_cols=["topic"],
table_properties={
"quality": "silver",
"pipelines.autoOptimize.managed": "true"
}
)
## Do the merge
dlt.apply_changes(
target = target_table,
source = "source_ds",
keys = keys_col_list,
apply_as_deletes = expr("operation = 'DELETE'"),
sequence_by = col("ts_ms"),
ignore_null_updates = False,
except_column_list = ["operation", "timestamp_ms"],
stored_as_scd_type = "1"
)
return
# THIS WORKS FINE
#---------------
# raw_dbname = "raw_db"
# raw_tbl_name = 'raw_table'
# processed_tbl_name = raw_tbl_name.replace("raw", "processed")
# generate_silver_tables(processed_tbl_name, raw_tbl_name)
table_list = spark.sql(f"show tables in landing_db ").collect()
for row in table_list:
landing_tbl_name = row.tableName
s2 = spark.sql(f"select key from {landing_db_name}.{landing_tbl_name} limit 1")
keys_col_list = list(json.loads(s2.collect()[0][0]).keys())
raw_tbl_name = landing_tbl_name.replace("landing", "raw")
processed_tbl_name = landing_tbl_name.replace("landing", "processed")
generate_silver_tables(processed_tbl_name, raw_tbl_name, keys_col_list)
# time.sleep(10)
You need to give unique names to each table by providing name
attribute to the dlt.table
annotation for source table, and then use the same name in the apply_changes
. Otherwise it will be take from the function name and fail because you already defined that function. Like this:
def generate_silver_tables(target_table, source_table, keys_col_list):
@dlt.table(
name=source_table
)
def source_ds():
return spark.table(f"{raw_db_name}.{source_table}")
### Create the target table definition
dlt.create_target_table(name=target_table,
comment= f"Clean, merged {target_table}",
#partition_cols=["topic"],
table_properties={
"quality": "silver",
"pipelines.autoOptimize.managed": "true"
}
)
## Do the merge
dlt.apply_changes(
target = target_table,
source = source_table,
keys = keys_col_list,
apply_as_deletes = expr("operation = 'DELETE'"),
sequence_by = col("ts_ms"),
ignore_null_updates = False,
except_column_list = ["operation", "timestamp_ms"],
stored_as_scd_type = "1"
)
return
See DLT Cookbook for full example.