Skip to content

Commit 909e6e9

Browse files
authored
Validate & Test (#53)
1 parent 65ebd85 commit 909e6e9

File tree

8 files changed

+64
-22
lines changed

8 files changed

+64
-22
lines changed

.pylintrc

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,2 @@
11
[MASTER]
2-
disable=fixme,missing-function-docstring,missing-module-docstring
2+
disable=fixme,missing-function-docstring,missing-module-docstring,too-few-public-methods

src/destinations/dune.py

+1
Original file line numberDiff line numberDiff line change
@@ -22,6 +22,7 @@ class DuneDestination(Destination[DataFrame]):
2222
def __init__(self, api_key: str, table_name: str):
2323
self.client = DuneClient(api_key)
2424
self.table_name: str = table_name
25+
super().__init__()
2526

2627
def validate(self) -> bool:
2728
# Nothing I can think of to validate here...

src/destinations/postgres.py

+1
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,7 @@ def __init__(
2727
self.engine: sqlalchemy.engine.Engine = create_engine(db_url)
2828
self.table_name: str = table_name
2929
self.if_exists: TableExistsPolicy = if_exists
30+
super().__init__()
3031

3132
def validate(self) -> bool:
3233
# Nothing I can think of to validate here...

src/interfaces.py

+14-10
Original file line numberDiff line numberDiff line change
@@ -10,29 +10,33 @@
1010
T = TypeVar("T")
1111

1212

13-
class Source(ABC, Generic[T]):
13+
class Validate(ABC):
14+
"""Enforces validation on inheriting classes"""
15+
16+
def __init__(self) -> None:
17+
if not self.validate():
18+
raise ValueError(f"Config for {self.__class__.__name__} is invalid")
19+
20+
@abstractmethod
21+
def validate(self) -> bool:
22+
"""Validate the configuration"""
23+
24+
25+
class Source(Validate, Generic[T]):
1426
"""Abstract base class for data sources"""
1527

1628
@abstractmethod
1729
def fetch(self) -> T:
1830
"""Fetch data from the source"""
1931

20-
@abstractmethod
21-
def validate(self) -> bool:
22-
"""Validate the source configuration"""
23-
2432
@abstractmethod
2533
def is_empty(self, data: T) -> bool:
2634
"""Return True if the fetched data is empty"""
2735

2836

29-
class Destination(ABC, Generic[T]):
37+
class Destination(Validate, Generic[T]):
3038
"""Abstract base class for data destinations"""
3139

3240
@abstractmethod
3341
def save(self, data: T) -> None:
3442
"""Save data to the destination"""
35-
36-
@abstractmethod
37-
def validate(self) -> bool:
38-
"""Validate the destination configuration"""

src/sources/dune.py

+1
Original file line numberDiff line numberDiff line change
@@ -70,6 +70,7 @@ def __init__(
7070
self.query = query
7171
self.poll_frequency = poll_frequency
7272
self.client = DuneClient(api_key, performance=query_engine)
73+
super().__init__()
7374

7475
def validate(self) -> bool:
7576
# Nothing I can think of to validate here...

src/sources/postgres.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -36,7 +36,7 @@ def __init__(self, db_url: str, query_string: str):
3636
self.engine: sqlalchemy.engine.Engine = create_engine(db_url)
3737
self.query_string = ""
3838
self._set_query_string(query_string)
39-
self.validate()
39+
super().__init__()
4040

4141
def validate(self) -> bool:
4242
try:

tests/fixtures/config/basic.yaml

+1-1
Original file line numberDiff line numberDiff line change
@@ -26,7 +26,7 @@ jobs:
2626
ref: postgres
2727
table_name: foo_table
2828
if_exists: append
29-
query_string: SELECT * FROM foo;
29+
query_string: SELECT 1;
3030
destination:
3131
ref: dune
3232
table_name: table_name

tests/unit/sources_test.py

+44-9
Original file line numberDiff line numberDiff line change
@@ -3,13 +3,14 @@
33
from unittest.mock import patch
44

55
import pandas as pd
6+
import sqlalchemy
67
from dune_client.models import ExecutionResult, ResultMetadata
78
from sqlalchemy import BIGINT
89
from sqlalchemy.dialects.postgresql import BYTEA
910

1011
from src.config import RuntimeConfig
1112
from src.sources.dune import _reformat_varbinary_columns, dune_result_to_df
12-
from src.sources.postgres import _convert_bytea_to_hex
13+
from src.sources.postgres import PostgresSource, _convert_bytea_to_hex
1314
from tests import fixtures_root, config_root
1415

1516

@@ -70,14 +71,21 @@ def test_convert_bytea_to_hex(self):
7071

7172
class TestPostgresSource(unittest.TestCase):
7273

73-
@patch.dict(
74-
os.environ,
75-
{
76-
"DUNE_API_KEY": "test_key",
77-
"DB_URL": "postgresql://postgres:postgres@localhost:5432/postgres",
78-
},
79-
clear=True,
80-
)
74+
@classmethod
75+
def setUpClass(cls):
76+
cls.env_patcher = patch.dict(
77+
os.environ,
78+
{
79+
"DUNE_API_KEY": "test_key",
80+
"DB_URL": "postgresql://postgres:postgres@localhost:5432/postgres",
81+
},
82+
clear=True,
83+
)
84+
cls.env_patcher.start()
85+
86+
# TODO: This test is a Config loader test not directly testing PostgresSource
87+
# When changing it to call PGSource directly, yields a bug with the constructor.
88+
# The constructor only accepts string input, not Path!
8189
def test_load_sql_file(self):
8290
os.chdir(fixtures_root)
8391

@@ -88,3 +96,30 @@ def test_load_sql_file(self):
8896
missing_file.unlink(missing_ok=True)
8997
with self.assertRaises(RuntimeError):
9098
RuntimeConfig.load_from_yaml(config_root / "invalid_sql_file.yaml")
99+
100+
def test_invalid_query_string(self):
101+
with self.assertRaises(ValueError) as context:
102+
PostgresSource(
103+
db_url=os.environ["DB_URL"],
104+
query_string="SELECT * FROM does_not_exist",
105+
)
106+
self.assertEqual("Config for PostgresSource is invalid", str(context.exception))
107+
108+
def test_invalid_connection_string(self):
109+
with self.assertRaises(sqlalchemy.exc.ArgumentError) as context:
110+
PostgresSource(
111+
db_url="invalid connection string",
112+
query_string="SELECT 1",
113+
)
114+
self.assertEqual(
115+
"Could not parse SQLAlchemy URL from string 'invalid connection string'",
116+
str(context.exception),
117+
)
118+
119+
def test_invalid_db_url(self):
120+
with self.assertRaises(ValueError) as context:
121+
PostgresSource(
122+
db_url="postgresql://postgres:BAD_PASSWORD@localhost:5432/postgres",
123+
query_string="SELECT 1",
124+
)
125+
self.assertEqual("Config for PostgresSource is invalid", str(context.exception))

0 commit comments

Comments
 (0)