-
Notifications
You must be signed in to change notification settings - Fork 22
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
[Issue #1279] Add tests for copy oracle data + a script for generatin…
…g foreign tables (#1352) ## Summary Fixes #1279 ### Time to review: __5 mins__ ## Changes proposed Added a new script for generating foreign data tables which when run locally instead generates normal tables (for testing purposes) Added tests for copy-oracle-data which use this new script copy-oracle-data catches, logs, and throws any exceptions so our monitoring can more easily detect issues ## Context for reviewers This new `setup-foreign-tables` script is maybe a bit hackier than I'd like, but while generating a normal table and a foreign table are similar, there is just enough of a difference (how foreign keys are defined notably) that it required a bit of work to do and so rather than defining the SQL itself, it builds the SQL from the column definitions. It may be worth revisiting how we generate these tables at a later date as we add more of them, but we haven't yet settled on the transformation process so we can punt that discussion for now. ## Additional information Locally, it generates the table as you'd expect when running: data:image/s3,"s3://crabby-images/dd1b6/dd1b6550ef3bc0d677e1f605651709666d984638" alt="Screenshot 2024-02-28 at 11 00 56 AM" And the table created: data:image/s3,"s3://crabby-images/6f5bc/6f5bcb6b1f67f923cf6e6a1ea216dc001d70c6c6" alt="Screenshot 2024-02-28 at 11 02 28 AM"
- Loading branch information
Showing
10 changed files
with
356 additions
and
3 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,120 @@ | ||
import logging | ||
from dataclasses import dataclass | ||
|
||
from pydantic import Field | ||
from sqlalchemy import text | ||
|
||
import src.adapters.db as db | ||
import src.adapters.db.flask_db as flask_db | ||
from src.data_migration.data_migration_blueprint import data_migration_blueprint | ||
from src.util.env_config import PydanticBaseEnvConfig | ||
|
||
logger = logging.getLogger(__name__) | ||
|
||
|
||
class ForeignTableConfig(PydanticBaseEnvConfig): | ||
is_local_foreign_table: bool = Field(False) | ||
|
||
|
||
@dataclass | ||
class Column: | ||
column_name: str | ||
postgres_type: str | ||
|
||
is_nullable: bool = True | ||
is_primary_key: bool = False | ||
|
||
|
||
OPPORTUNITY_COLUMNS: list[Column] = [ | ||
Column("OPPORTUNITY_ID", "numeric(20)", is_nullable=False, is_primary_key=True), | ||
Column("OPPNUMBER", "character varying (40)"), | ||
Column("REVISION_NUMBER", "numeric(20)"), | ||
Column("OPPTITLE", "character varying (255)"), | ||
Column("OWNINGAGENCY", "character varying (255)"), | ||
Column("PUBLISHERUID", "character varying (255)"), | ||
Column("LISTED", "CHAR(1)"), | ||
Column("OPPCATEGORY", "CHAR(1)"), | ||
Column("INITIAL_OPPORTUNITY_ID", "numeric(20)"), | ||
Column("MODIFIED_COMMENTS", "character varying (2000)"), | ||
Column("CREATED_DATE", "DATE"), | ||
Column("LAST_UPD_DATE", "DATE"), | ||
Column("CREATOR_ID", "character varying (50)"), | ||
Column("LAST_UPD_ID", "character varying (50)"), | ||
Column("FLAG_2006", "CHAR(1)"), | ||
Column("CATEGORY_EXPLANATION", "character varying (255)"), | ||
Column("PUBLISHER_PROFILE_ID", "numeric(20)"), | ||
Column("IS_DRAFT", "character varying (1)"), | ||
] | ||
|
||
|
||
@data_migration_blueprint.cli.command( | ||
"setup-foreign-tables", help="Setup the foreign tables for connecting to the Oracle database" | ||
) | ||
@flask_db.with_db_session() | ||
def setup_foreign_tables(db_session: db.Session) -> None: | ||
logger.info("Beginning setup of foreign Oracle tables") | ||
|
||
config = ForeignTableConfig() | ||
|
||
with db_session.begin(): | ||
_run_create_table_commands(db_session, config) | ||
|
||
logger.info("Successfully ran setup-foreign-tables") | ||
|
||
|
||
def build_sql(table_name: str, columns: list[Column], is_local: bool) -> str: | ||
""" | ||
Build the SQL for creating a possibly foreign data table. If running | ||
with is_local, it instead creates a regular table. | ||
Assume you have a table with two columns, an "ID" primary key column, and a "description" text column, | ||
you would call this as:: | ||
build_sql("EXAMPLE_TABLE", [Column("ID", "integer", is_nullable=False, is_primary_key=True), Column("DESCRIPTION", "text")], is_local) | ||
Depending on whether the is_local bool is true or false would give two different outputs. | ||
is_local is True:: | ||
CREATE TABLE IF NOT EXISTS foreign_example_table (ID integer CONSTRAINT EXAMPLE_TABLE_pkey PRIMARY KEY NOT NULL,DESCRIPTION text) | ||
is_local is False:: | ||
CREATE FOREIGN TABLE IF NOT EXISTS foreign_example_table (ID integer OPTIONS (key 'true') NOT NULL,DESCRIPTION text) SERVER grants OPTIONS (schema 'EGRANTSADMIN', table 'EXAMPLE_TABLE') | ||
""" | ||
|
||
column_sql_parts = [] | ||
for column in columns: | ||
column_sql = f"{column.column_name} {column.postgres_type}" | ||
|
||
# Primary keys are defined as constraints in a regular table | ||
# and as options in a foreign data table | ||
if column.is_primary_key and is_local: | ||
column_sql += f" CONSTRAINT {table_name}_pkey PRIMARY KEY" | ||
elif column.is_primary_key and not is_local: | ||
column_sql += " OPTIONS (key 'true')" | ||
|
||
if not column.is_nullable: | ||
column_sql += " NOT NULL" | ||
|
||
column_sql_parts.append(column_sql) | ||
|
||
create_table_command = "CREATE FOREIGN TABLE IF NOT EXISTS" | ||
if is_local: | ||
# Don't make a foreign table if running locally | ||
create_table_command = "CREATE TABLE IF NOT EXISTS" | ||
|
||
create_command_suffix = ( | ||
f" SERVER grants OPTIONS (schema 'EGRANTSADMIN', table '{table_name}')" # noqa: B907 | ||
) | ||
if is_local: | ||
# We don't want the config at the end if we're running locally so unset it | ||
create_command_suffix = "" | ||
|
||
return f"{create_table_command} foreign_{table_name.lower()} ({','.join(column_sql_parts)}){create_command_suffix}" | ||
|
||
|
||
def _run_create_table_commands(db_session: db.Session, config: ForeignTableConfig) -> None: | ||
db_session.execute( | ||
text(build_sql("TOPPORTUNITY", OPPORTUNITY_COLUMNS, config.is_local_foreign_table)) | ||
) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Empty file.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,99 @@ | ||
from datetime import date | ||
|
||
import pytest | ||
from sqlalchemy import text | ||
|
||
from src.data_migration.copy_oracle_data import _run_copy_commands | ||
from src.data_migration.setup_foreign_tables import ForeignTableConfig, _run_create_table_commands | ||
from src.db.models.transfer.topportunity_models import TransferTopportunity | ||
from tests.src.db.models.factories import ForeignTopportunityFactory, TransferTopportunityFactory | ||
|
||
|
||
@pytest.fixture(autouse=True) | ||
def setup_foreign_tables(db_session): | ||
_run_create_table_commands(db_session, ForeignTableConfig(is_local_foreign_table=True)) | ||
|
||
|
||
@pytest.fixture(autouse=True, scope="function") | ||
def truncate_tables(db_session): | ||
# Automatically delete all the data in the relevant tables before tests | ||
db_session.execute(text("TRUNCATE TABLE foreign_topportunity")) | ||
db_session.execute(text("TRUNCATE TABLE transfer_topportunity")) | ||
|
||
|
||
def convert_value_for_insert(value) -> str: | ||
if value is None: | ||
return "NULL" | ||
|
||
if isinstance(value, int): | ||
return str(value) | ||
if isinstance(value, str): | ||
return f"'{value}'" # noqa: B907 | ||
if isinstance(value, date): | ||
return f"'{value.isoformat()}'" # noqa: B907 | ||
|
||
raise Exception("Type not configured for conversion") | ||
|
||
|
||
def build_foreign_opportunity(db_session, opp_params: dict): | ||
opp = ForeignTopportunityFactory.build(**opp_params) | ||
|
||
columns = opp.keys() | ||
values = [convert_value_for_insert(opp[column]) for column in columns] | ||
|
||
db_session.execute( | ||
text( | ||
f"INSERT INTO foreign_topportunity ({','.join(columns)}) VALUES ({','.join(values)})" # nosec | ||
) | ||
) | ||
|
||
return opp | ||
|
||
|
||
def test_copy_oracle_data_foreign_empty(db_session, enable_factory_create): | ||
TransferTopportunityFactory.create_batch(size=5) | ||
# The foreign table is empty, so this just truncates the transfer table | ||
assert db_session.query(TransferTopportunity).count() == 5 | ||
_run_copy_commands(db_session) | ||
assert db_session.query(TransferTopportunity).count() == 0 | ||
|
||
|
||
def test_copy_oracle_data(db_session, enable_factory_create): | ||
print(db_session.__class__.__name__) | ||
|
||
# Create some records initially in the table that we'll wipe | ||
TransferTopportunityFactory.create_batch(size=3) | ||
|
||
foreign_records = [ | ||
build_foreign_opportunity(db_session, {}), | ||
build_foreign_opportunity(db_session, {}), | ||
build_foreign_opportunity(db_session, {}), | ||
build_foreign_opportunity(db_session, {"oppnumber": "ABC-123-454-321-CBA"}), | ||
build_foreign_opportunity(db_session, {"opportunity_id": 100}), | ||
] | ||
|
||
# The copy script won't fetch anything with is_draft not equaling "N" so add one | ||
build_foreign_opportunity(db_session, {"is_draft": "Y"}) | ||
|
||
_run_copy_commands(db_session) | ||
|
||
copied_opportunities = db_session.query(TransferTopportunity).all() | ||
|
||
assert len(copied_opportunities) == len(foreign_records) | ||
|
||
copied_opportunities.sort(key=lambda opportunity: opportunity.opportunity_id) | ||
foreign_records.sort(key=lambda opportunity: opportunity["opportunity_id"]) | ||
|
||
for copied_opportunity, foreign_record in zip( | ||
copied_opportunities, foreign_records, strict=True | ||
): | ||
assert copied_opportunity.opportunity_id == foreign_record["opportunity_id"] | ||
assert copied_opportunity.oppnumber == foreign_record["oppnumber"] | ||
assert copied_opportunity.opptitle == foreign_record["opptitle"] | ||
assert copied_opportunity.owningagency == foreign_record["owningagency"] | ||
assert copied_opportunity.oppcategory == foreign_record["oppcategory"] | ||
assert copied_opportunity.category_explanation == foreign_record["category_explanation"] | ||
assert copied_opportunity.is_draft == foreign_record["is_draft"] | ||
assert copied_opportunity.revision_number == foreign_record["revision_number"] | ||
assert copied_opportunity.last_upd_date == foreign_record["last_upd_date"] | ||
assert copied_opportunity.created_date == foreign_record["created_date"] |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,80 @@ | ||
import pytest | ||
|
||
from src.data_migration.setup_foreign_tables import OPPORTUNITY_COLUMNS, Column, build_sql | ||
|
||
EXPECTED_LOCAL_OPPORTUNITY_SQL = ( | ||
"CREATE TABLE IF NOT EXISTS foreign_topportunity " | ||
"(OPPORTUNITY_ID numeric(20) CONSTRAINT TOPPORTUNITY_pkey PRIMARY KEY NOT NULL," | ||
"OPPNUMBER character varying (40)," | ||
"REVISION_NUMBER numeric(20)," | ||
"OPPTITLE character varying (255)," | ||
"OWNINGAGENCY character varying (255)," | ||
"PUBLISHERUID character varying (255)," | ||
"LISTED CHAR(1)," | ||
"OPPCATEGORY CHAR(1)," | ||
"INITIAL_OPPORTUNITY_ID numeric(20)," | ||
"MODIFIED_COMMENTS character varying (2000)," | ||
"CREATED_DATE DATE," | ||
"LAST_UPD_DATE DATE," | ||
"CREATOR_ID character varying (50)," | ||
"LAST_UPD_ID character varying (50)," | ||
"FLAG_2006 CHAR(1)," | ||
"CATEGORY_EXPLANATION character varying (255)," | ||
"PUBLISHER_PROFILE_ID numeric(20)," | ||
"IS_DRAFT character varying (1))" | ||
) | ||
|
||
EXPECTED_NONLOCAL_OPPORTUNITY_SQL = ( | ||
"CREATE FOREIGN TABLE IF NOT EXISTS foreign_topportunity " | ||
"(OPPORTUNITY_ID numeric(20) OPTIONS (key 'true') NOT NULL," | ||
"OPPNUMBER character varying (40)," | ||
"REVISION_NUMBER numeric(20)," | ||
"OPPTITLE character varying (255)," | ||
"OWNINGAGENCY character varying (255)," | ||
"PUBLISHERUID character varying (255)," | ||
"LISTED CHAR(1)," | ||
"OPPCATEGORY CHAR(1)," | ||
"INITIAL_OPPORTUNITY_ID numeric(20)," | ||
"MODIFIED_COMMENTS character varying (2000)," | ||
"CREATED_DATE DATE," | ||
"LAST_UPD_DATE DATE," | ||
"CREATOR_ID character varying (50)," | ||
"LAST_UPD_ID character varying (50)," | ||
"FLAG_2006 CHAR(1)," | ||
"CATEGORY_EXPLANATION character varying (255)," | ||
"PUBLISHER_PROFILE_ID numeric(20)," | ||
"IS_DRAFT character varying (1))" | ||
" SERVER grants OPTIONS (schema 'EGRANTSADMIN', table 'TOPPORTUNITY')" | ||
) | ||
|
||
|
||
TEST_COLUMNS = [ | ||
Column("ID", "integer", is_nullable=False, is_primary_key=True), | ||
Column("DESCRIPTION", "text"), | ||
] | ||
EXPECTED_LOCAL_TEST_SQL = ( | ||
"CREATE TABLE IF NOT EXISTS foreign_test_table " | ||
"(ID integer CONSTRAINT TEST_TABLE_pkey PRIMARY KEY NOT NULL," | ||
"DESCRIPTION text)" | ||
) | ||
EXPECTED_NONLOCAL_TEST_SQL = ( | ||
"CREATE FOREIGN TABLE IF NOT EXISTS foreign_test_table " | ||
"(ID integer OPTIONS (key 'true') NOT NULL," | ||
"DESCRIPTION text)" | ||
" SERVER grants OPTIONS (schema 'EGRANTSADMIN', table 'TEST_TABLE')" | ||
) | ||
|
||
|
||
@pytest.mark.parametrize( | ||
"table_name,columns,is_local,expected_sql", | ||
[ | ||
("TEST_TABLE", TEST_COLUMNS, True, EXPECTED_LOCAL_TEST_SQL), | ||
("TEST_TABLE", TEST_COLUMNS, False, EXPECTED_NONLOCAL_TEST_SQL), | ||
("TOPPORTUNITY", OPPORTUNITY_COLUMNS, True, EXPECTED_LOCAL_OPPORTUNITY_SQL), | ||
("TOPPORTUNITY", OPPORTUNITY_COLUMNS, False, EXPECTED_NONLOCAL_OPPORTUNITY_SQL), | ||
], | ||
) | ||
def test_build_sql(table_name, columns, is_local, expected_sql): | ||
sql = build_sql(table_name, columns, is_local) | ||
|
||
assert sql == expected_sql |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters