-
Notifications
You must be signed in to change notification settings - Fork 1.6k
/
base.py
1228 lines (1016 loc) · 41.8 KB
/
base.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import json
import os
import io
import random
import shutil
import sys
import tempfile
import time
import traceback
import unittest
from contextlib import contextmanager
from datetime import datetime
from functools import wraps
import pytest
import yaml
from unittest.mock import patch
import dbt.main as dbt
import dbt.flags as flags
from dbt.deprecations import reset_deprecations
from dbt.adapters.factory import get_adapter, reset_adapters, register_adapter
from dbt.clients.jinja import template_cache
from dbt.config import RuntimeConfig
from dbt.context import providers
from dbt.logger import GLOBAL_LOGGER as logger, log_manager
INITIAL_ROOT = os.getcwd()
def normalize(path):
"""On windows, neither is enough on its own:
>>> normcase('C:\\documents/ALL CAPS/subdir\\..')
'c:\\documents\\all caps\\subdir\\..'
>>> normpath('C:\\documents/ALL CAPS/subdir\\..')
'C:\\documents\\ALL CAPS'
>>> normpath(normcase('C:\\documents/ALL CAPS/subdir\\..'))
'c:\\documents\\all caps'
"""
return os.path.normcase(os.path.normpath(path))
class Normalized:
def __init__(self, value):
self.value = value
def __repr__(self):
return f'Normalized({self.value!r})'
def __str__(self):
return f'Normalized({self.value!s})'
def __eq__(self, other):
return normalize(self.value) == normalize(other)
class FakeArgs:
def __init__(self):
self.threads = 1
self.data = False
self.defer = False
self.schema = True
self.full_refresh = False
self.models = None
self.exclude = None
self.single_threaded = False
self.selector_name = None
self.state = None
self.defer = None
class TestArgs:
def __init__(self, kwargs):
self.which = 'run'
self.single_threaded = False
self.profiles_dir = None
self.project_dir = None
self.__dict__.update(kwargs)
def _profile_from_test_name(test_name):
adapter_names = ('postgres', 'snowflake', 'redshift', 'bigquery', 'presto')
adapters_in_name = sum(x in test_name for x in adapter_names)
if adapters_in_name != 1:
raise ValueError(
'test names must have exactly 1 profile choice embedded, {} has {}'
.format(test_name, adapters_in_name)
)
for adapter_name in adapter_names:
if adapter_name in test_name:
return adapter_name
raise ValueError(
'could not find adapter name in test name {}'.format(test_name)
)
def _pytest_test_name():
return os.environ['PYTEST_CURRENT_TEST'].split()[0]
def _pytest_get_test_root():
test_path = _pytest_test_name().split('::')[0]
relative_to = INITIAL_ROOT
head = os.path.relpath(test_path, relative_to)
path_parts = []
while head:
head, tail = os.path.split(head)
path_parts.append(tail)
path_parts.reverse()
# dbt tests are all of the form 'test/integration/XXX_suite_name'
target = os.path.join(*path_parts[:3])
return os.path.join(relative_to, target)
def _really_makedirs(path):
while not os.path.exists(path):
try:
os.makedirs(path)
except EnvironmentError:
raise
class DBTIntegrationTest(unittest.TestCase):
CREATE_SCHEMA_STATEMENT = 'CREATE SCHEMA {}'
DROP_SCHEMA_STATEMENT = 'DROP SCHEMA IF EXISTS {} CASCADE'
_randint = random.randint(0, 9999)
_runtime_timedelta = (datetime.utcnow() - datetime(1970, 1, 1, 0, 0, 0))
_runtime = (
(int(_runtime_timedelta.total_seconds() * 1e6)) +
_runtime_timedelta.microseconds
)
prefix = f'test{_runtime}{_randint:04}'
setup_alternate_db = False
@property
def database_host(self):
if os.name == 'nt':
return 'localhost'
return 'database'
def postgres_profile(self):
return {
'config': {
'send_anonymous_usage_stats': False
},
'test': {
'outputs': {
'default2': {
'type': 'postgres',
'threads': 4,
'host': self.database_host,
'port': 5432,
'user': 'root',
'pass': 'password',
'dbname': 'dbt',
'schema': self.unique_schema()
},
'noaccess': {
'type': 'postgres',
'threads': 4,
'host': self.database_host,
'port': 5432,
'user': 'noaccess',
'pass': 'password',
'dbname': 'dbt',
'schema': self.unique_schema()
}
},
'target': 'default2'
}
}
def redshift_profile(self):
return {
'config': {
'send_anonymous_usage_stats': False
},
'test': {
'outputs': {
'default2': {
'type': 'redshift',
'threads': 1,
'host': os.getenv('REDSHIFT_TEST_HOST'),
'port': int(os.getenv('REDSHIFT_TEST_PORT')),
'user': os.getenv('REDSHIFT_TEST_USER'),
'pass': os.getenv('REDSHIFT_TEST_PASS'),
'dbname': os.getenv('REDSHIFT_TEST_DBNAME'),
'schema': self.unique_schema()
}
},
'target': 'default2'
}
}
def snowflake_profile(self):
return {
'config': {
'send_anonymous_usage_stats': False
},
'test': {
'outputs': {
'default2': {
'type': 'snowflake',
'threads': 4,
'account': os.getenv('SNOWFLAKE_TEST_ACCOUNT'),
'user': os.getenv('SNOWFLAKE_TEST_USER'),
'password': os.getenv('SNOWFLAKE_TEST_PASSWORD'),
'database': os.getenv('SNOWFLAKE_TEST_DATABASE'),
'schema': self.unique_schema(),
'warehouse': os.getenv('SNOWFLAKE_TEST_WAREHOUSE'),
},
'noaccess': {
'type': 'snowflake',
'threads': 4,
'account': os.getenv('SNOWFLAKE_TEST_ACCOUNT'),
'user': 'noaccess',
'password': 'password',
'database': os.getenv('SNOWFLAKE_TEST_DATABASE'),
'schema': self.unique_schema(),
'warehouse': os.getenv('SNOWFLAKE_TEST_WAREHOUSE'),
},
'oauth': {
'type': 'snowflake',
'threads': 4,
'account': os.getenv('SNOWFLAKE_TEST_ACCOUNT'),
'user': os.getenv('SNOWFLAKE_TEST_USER'),
'oauth_client_id': os.getenv('SNOWFLAKE_TEST_OAUTH_CLIENT_ID'),
'oauth_client_secret': os.getenv('SNOWFLAKE_TEST_OAUTH_CLIENT_SECRET'),
'token': os.getenv('SNOWFLAKE_TEST_OAUTH_REFRESH_TOKEN'),
'database': os.getenv('SNOWFLAKE_TEST_DATABASE'),
'schema': self.unique_schema(),
'warehouse': os.getenv('SNOWFLAKE_TEST_WAREHOUSE'),
'authenticator': 'oauth',
},
},
'target': 'default2'
}
}
def bigquery_profile(self):
credentials_json_str = os.getenv('BIGQUERY_SERVICE_ACCOUNT_JSON').replace("'", '')
credentials = json.loads(credentials_json_str)
project_id = credentials.get('project_id')
return {
'config': {
'send_anonymous_usage_stats': False
},
'test': {
'outputs': {
'default2': {
'type': 'bigquery',
'method': 'service-account-json',
'threads': 1,
'project': project_id,
'keyfile_json': credentials,
'schema': self.unique_schema(),
},
},
'target': 'default2'
}
}
def presto_profile(self):
return {
'config': {
'send_anonymous_usage_stats': False
},
'test': {
'outputs': {
'default2': {
'type': 'presto',
'method': 'none',
'threads': 1,
'schema': self.unique_schema(),
'database': 'hive',
'host': 'presto',
'port': 8080,
},
},
'target': 'default2'
}
}
@property
def packages_config(self):
return None
@property
def selectors_config(self):
return None
def unique_schema(self):
schema = self.schema
to_return = "{}_{}".format(self.prefix, schema)
if self.adapter_type == 'snowflake':
return to_return.upper()
return to_return.lower()
@property
def default_database(self):
database = self.config.credentials.database
if self.adapter_type == 'snowflake':
return database.upper()
return database
@property
def alternative_database(self):
if self.adapter_type == 'bigquery':
return os.environ['BIGQUERY_TEST_ALT_DATABASE']
elif self.adapter_type == 'snowflake':
return os.environ['SNOWFLAKE_TEST_ALT_DATABASE']
return None
def get_profile(self, adapter_type):
if adapter_type == 'postgres':
return self.postgres_profile()
elif adapter_type == 'snowflake':
return self.snowflake_profile()
elif adapter_type == 'bigquery':
return self.bigquery_profile()
elif adapter_type == 'redshift':
return self.redshift_profile()
elif adapter_type == 'presto':
return self.presto_profile()
else:
raise ValueError('invalid adapter type {}'.format(adapter_type))
def _pick_profile(self):
test_name = self.id().split('.')[-1]
return _profile_from_test_name(test_name)
def _symlink_test_folders(self):
for entry in os.listdir(self.test_original_source_path):
src = os.path.join(self.test_original_source_path, entry)
tst = os.path.join(self.test_root_dir, entry)
if os.path.isdir(src) or src.endswith('.sql'):
# symlink all sql files and all directories.
os.symlink(src, tst)
os.symlink(self._logs_dir, os.path.join(self.test_root_dir, 'logs'))
@property
def test_root_realpath(self):
if sys.platform == 'darwin':
return os.path.realpath(self.test_root_dir)
else:
return self.test_root_dir
def _generate_test_root_dir(self):
return normalize(tempfile.mkdtemp(prefix='dbt-int-test-'))
def setUp(self):
self.dbt_core_install_root = os.path.dirname(dbt.__file__)
log_manager.reset_handlers()
self.initial_dir = INITIAL_ROOT
os.chdir(self.initial_dir)
# before we go anywhere, collect the initial path info
self._logs_dir = os.path.join(self.initial_dir, 'logs', self.prefix)
_really_makedirs(self._logs_dir)
self.test_original_source_path = _pytest_get_test_root()
self.test_root_dir = self._generate_test_root_dir()
os.chdir(self.test_root_dir)
try:
self._symlink_test_folders()
except Exception as exc:
msg = '\n\t'.join((
'Failed to symlink test folders!',
'initial_dir={0.initial_dir}',
'test_original_source_path={0.test_original_source_path}',
'test_root_dir={0.test_root_dir}'
)).format(self)
logger.exception(msg)
# if logging isn't set up, I still really want this message.
print(msg)
traceback.print_exc()
raise
self._created_schemas = set()
reset_deprecations()
flags.reset()
template_cache.clear()
self.use_profile(self._pick_profile())
self.use_default_project()
self.set_packages()
self.set_selectors()
self.load_config()
def use_default_project(self, overrides=None):
# create a dbt_project.yml
base_project_config = {
'name': 'test',
'version': '1.0',
'config-version': 2,
'test-paths': [],
'source-paths': [self.models],
'profile': 'test',
}
project_config = {}
project_config.update(base_project_config)
project_config.update(self.project_config)
project_config.update(overrides or {})
with open("dbt_project.yml", 'w') as f:
yaml.safe_dump(project_config, f, default_flow_style=True)
def use_profile(self, adapter_type):
self.adapter_type = adapter_type
profile_config = {}
default_profile_config = self.get_profile(adapter_type)
profile_config.update(default_profile_config)
profile_config.update(self.profile_config)
if not os.path.exists(self.test_root_dir):
os.makedirs(self.test_root_dir)
profiles_path = os.path.join(self.test_root_dir, 'profiles.yml')
with open(profiles_path, 'w') as f:
yaml.safe_dump(profile_config, f, default_flow_style=True)
self._profile_config = profile_config
def set_packages(self):
if self.packages_config is not None:
with open('packages.yml', 'w') as f:
yaml.safe_dump(self.packages_config, f, default_flow_style=True)
def set_selectors(self):
if self.selectors_config is not None:
with open('selectors.yml', 'w') as f:
yaml.safe_dump(self.selectors_config, f, default_flow_style=True)
def load_config(self):
# we've written our profile and project. Now we want to instantiate a
# fresh adapter for the tests.
# it's important to use a different connection handle here so
# we don't look into an incomplete transaction
kwargs = {
'profile': None,
'profiles_dir': self.test_root_dir,
'target': None,
}
config = RuntimeConfig.from_args(TestArgs(kwargs))
register_adapter(config)
adapter = get_adapter(config)
adapter.cleanup_connections()
self.adapter_type = adapter.type()
self.adapter = adapter
self.config = config
self._drop_schemas()
self._create_schemas()
def quote_as_configured(self, value, quote_key):
return self.adapter.quote_as_configured(value, quote_key)
def tearDown(self):
# get any current run adapter and clean up its connections before we
# reset them. It'll probably be different from ours because
# handle_and_check() calls reset_adapters().
register_adapter(self.config)
adapter = get_adapter(self.config)
if adapter is not self.adapter:
adapter.cleanup_connections()
if not hasattr(self, 'adapter'):
self.adapter = adapter
self._drop_schemas()
self.adapter.cleanup_connections()
reset_adapters()
os.chdir(INITIAL_ROOT)
try:
shutil.rmtree(self.test_root_dir)
except EnvironmentError:
logger.exception('Could not clean up after test - {} not removable'
.format(self.test_root_dir))
def _get_schema_fqn(self, database, schema):
schema_fqn = self.quote_as_configured(schema, 'schema')
if self.adapter_type == 'snowflake':
database = self.quote_as_configured(database, 'database')
schema_fqn = '{}.{}'.format(database, schema_fqn)
return schema_fqn
def _create_schema_named(self, database, schema):
if self.adapter_type == 'bigquery':
relation = self.adapter.Relation.create(database=database, schema=schema)
self.adapter.create_schema(relation)
else:
schema_fqn = self._get_schema_fqn(database, schema)
self.run_sql(self.CREATE_SCHEMA_STATEMENT.format(schema_fqn))
self._created_schemas.add(schema_fqn)
def _drop_schema_named(self, database, schema):
if self.adapter_type == 'bigquery' or self.adapter_type == 'presto':
relation = self.adapter.Relation.create(database=database, schema=schema)
self.adapter.drop_schema(relation)
else:
schema_fqn = self._get_schema_fqn(database, schema)
self.run_sql(self.DROP_SCHEMA_STATEMENT.format(schema_fqn))
def _create_schemas(self):
schema = self.unique_schema()
with self.adapter.connection_named('__test'):
self._create_schema_named(self.default_database, schema)
if self.setup_alternate_db and self.adapter_type == 'snowflake':
self._create_schema_named(self.alternative_database, schema)
def _drop_schemas_adapter(self):
schema = self.unique_schema()
if self.adapter_type == 'bigquery' or self.adapter_type == 'presto':
self._drop_schema_named(self.default_database, schema)
if self.setup_alternate_db and self.alternative_database:
self._drop_schema_named(self.alternative_database, schema)
def _drop_schemas_sql(self):
schema = self.unique_schema()
# we always want to drop these if necessary, we'll clear it soon.
self._created_schemas.add(
self._get_schema_fqn(self.default_database, schema)
)
# on postgres/redshift, this will make you sad
drop_alternative = (
self.setup_alternate_db and
self.adapter_type not in {'postgres', 'redshift'} and
self.alternative_database
)
if drop_alternative:
self._created_schemas.add(
self._get_schema_fqn(self.alternative_database, schema)
)
for schema_fqn in self._created_schemas:
self.run_sql(self.DROP_SCHEMA_STATEMENT.format(schema_fqn))
self._created_schemas.clear()
def _drop_schemas(self):
with self.adapter.connection_named('__test'):
if self.adapter_type == 'bigquery' or self.adapter_type == 'presto':
self._drop_schemas_adapter()
else:
self._drop_schemas_sql()
@property
def project_config(self):
return {
'config-version': 2,
}
@property
def profile_config(self):
return {}
def run_dbt(self, args=None, expect_pass=True, strict=True, parser=True, profiles_dir=True):
res, success = self.run_dbt_and_check(args=args, strict=strict, parser=parser, profiles_dir=profiles_dir)
self.assertEqual(
success, expect_pass,
"dbt exit state did not match expected")
return res
def run_dbt_and_capture(self, *args, **kwargs):
try:
initial_stdout = log_manager.stdout
initial_stderr = log_manager.stderr
stringbuf = io.StringIO()
log_manager.set_output_stream(stringbuf)
res = self.run_dbt(*args, **kwargs)
stdout = stringbuf.getvalue()
finally:
log_manager.set_output_stream(initial_stdout, initial_stderr)
return res, stdout
def run_dbt_and_check(self, args=None, strict=True, parser=False, profiles_dir=True):
log_manager.reset_handlers()
if args is None:
args = ["run"]
final_args = []
if strict:
final_args.append('--strict')
if parser:
final_args.append('--test-new-parser')
if os.getenv('DBT_TEST_SINGLE_THREADED') in ('y', 'Y', '1'):
final_args.append('--single-threaded')
final_args.extend(args)
if profiles_dir:
final_args.extend(['--profiles-dir', self.test_root_dir])
final_args.append('--log-cache-events')
logger.info("Invoking dbt with {}".format(final_args))
return dbt.handle_and_check(final_args)
def run_sql_file(self, path, kwargs=None):
with open(path, 'r') as f:
statements = f.read().split(";")
for statement in statements:
self.run_sql(statement, kwargs=kwargs)
# horrible hack to support snowflake for right now
def transform_sql(self, query, kwargs=None):
to_return = query
if self.adapter_type == 'snowflake':
to_return = to_return.replace("BIGSERIAL", "BIGINT AUTOINCREMENT")
base_kwargs = {
'schema': self.unique_schema(),
'database': self.adapter.quote(self.default_database),
}
if kwargs is None:
kwargs = {}
base_kwargs.update(kwargs)
to_return = to_return.format(**base_kwargs)
return to_return
def run_sql_bigquery(self, sql, fetch):
"""Run an SQL query on a bigquery adapter. No cursors, transactions,
etc. to worry about"""
do_fetch = fetch != 'None'
_, res = self.adapter.execute(sql, fetch=do_fetch)
# convert dataframe to matrix-ish repr
if fetch == 'one':
return res[0]
else:
return list(res)
def run_sql_presto(self, sql, fetch, conn):
cursor = conn.handle.cursor()
try:
cursor.execute(sql)
if fetch == 'one':
return cursor.fetchall()[0]
elif fetch == 'all':
return cursor.fetchall()
else:
# we have to fetch.
cursor.fetchall()
except Exception as e:
conn.handle.rollback()
conn.transaction_open = False
print(sql)
print(e)
raise
else:
conn.handle.commit()
conn.transaction_open = False
def run_sql_common(self, sql, fetch, conn):
with conn.handle.cursor() as cursor:
try:
cursor.execute(sql)
conn.handle.commit()
if fetch == 'one':
return cursor.fetchone()
elif fetch == 'all':
return cursor.fetchall()
else:
return
except BaseException as e:
if conn.handle and not getattr(conn.handle, 'closed', True):
conn.handle.rollback()
print(sql)
print(e)
raise
finally:
conn.transaction_open = False
def run_sql(self, query, fetch='None', kwargs=None, connection_name=None):
if connection_name is None:
connection_name = '__test'
if query.strip() == "":
return
sql = self.transform_sql(query, kwargs=kwargs)
with self.get_connection(connection_name) as conn:
logger.debug('test connection "{}" executing: {}'.format(conn.name, sql))
if self.adapter_type == 'bigquery':
return self.run_sql_bigquery(sql, fetch)
elif self.adapter_type == 'presto':
return self.run_sql_presto(sql, fetch, conn)
else:
return self.run_sql_common(sql, fetch, conn)
def _ilike(self, target, value):
# presto has this regex substitution monstrosity instead of 'ilike'
if self.adapter_type == 'presto':
return r"regexp_like({}, '(?i)\A{}\Z')".format(target, value)
else:
return "{} ilike '{}'".format(target, value)
def get_many_table_columns_snowflake(self, tables, schema, database=None):
tables = set(tables)
if database is None:
database = self.default_database
sql = 'show columns in schema {database}.{schema}'.format(
database=self.quote_as_configured(database, 'database'),
schema=self.quote_as_configured(schema, 'schema')
)
# assumption: this will be much faster than doing one query/table
# because in tests, we'll want most of our tables most of the time.
columns = self.run_sql(sql, fetch='all')
results = []
for column in columns:
table_name, _, column_name, json_data_type = column[:4]
character_maximum_length = None
if table_name in tables:
typeinfo = json.loads(json_data_type)
data_type = typeinfo['type']
if data_type == 'TEXT':
character_maximum_length = max(typeinfo['length'], 16777216)
results.append((table_name, column_name, data_type, character_maximum_length))
return results
def get_many_table_columns_information_schema(self, tables, schema, database=None):
if self.adapter_type == 'presto':
columns = 'table_name, column_name, data_type'
else:
columns = 'table_name, column_name, data_type, character_maximum_length'
sql = """
select {columns}
from {db_string}information_schema.columns
where {schema_filter}
and ({table_filter})
order by column_name asc"""
db_string = ''
if database:
db_string = self.quote_as_configured(database, 'database') + '.'
table_filters_s = " OR ".join(
self._ilike('table_name', table.replace('"', ''))
for table in tables
)
schema_filter = self._ilike('table_schema', schema)
sql = sql.format(
columns=columns,
schema_filter=schema_filter,
table_filter=table_filters_s,
db_string=db_string)
columns = self.run_sql(sql, fetch='all')
return list(map(self.filter_many_columns, columns))
def get_many_table_columns_bigquery(self, tables, schema, database=None):
result = []
for table in tables:
relation = self._make_relation(table, schema, database)
columns = self.adapter.get_columns_in_relation(relation)
for col in columns:
result.append((table, col.column, col.dtype, col.char_size))
return result
def get_many_table_columns(self, tables, schema, database=None):
if self.adapter_type == 'snowflake':
result = self.get_many_table_columns_snowflake(tables, schema, database)
elif self.adapter_type == 'bigquery':
result = self.get_many_table_columns_bigquery(tables, schema, database)
else:
result = self.get_many_table_columns_information_schema(tables, schema, database)
result.sort(key=lambda x: '{}.{}'.format(x[0], x[1]))
return result
def filter_many_columns(self, column):
if len(column) == 3:
table_name, column_name, data_type = column
char_size = None
else:
table_name, column_name, data_type, char_size = column
# in snowflake, all varchar widths are created equal
if self.adapter_type == 'snowflake':
if char_size and char_size < 16777216:
char_size = 16777216
return (table_name, column_name, data_type, char_size)
@contextmanager
def get_connection(self, name=None):
"""Create a test connection context where all executed macros, etc will
get self.adapter as the adapter.
This allows tests to run normal adapter macros as if reset_adapters()
were not called by handle_and_check (for asserts, etc)
"""
if name is None:
name = '__test'
with patch.object(providers, 'get_adapter', return_value=self.adapter):
with self.adapter.connection_named(name):
conn = self.adapter.connections.get_thread_connection()
yield conn
def get_relation_columns(self, relation):
with self.get_connection():
columns = self.adapter.get_columns_in_relation(relation)
return sorted(((c.name, c.dtype, c.char_size) for c in columns),
key=lambda x: x[0])
def get_table_columns(self, table, schema=None, database=None):
schema = self.unique_schema() if schema is None else schema
database = self.default_database if database is None else database
relation = self.adapter.Relation.create(
database=database,
schema=schema,
identifier=table,
type='table',
quote_policy=self.config.quoting
)
return self.get_relation_columns(relation)
def get_table_columns_as_dict(self, tables, schema=None):
col_matrix = self.get_many_table_columns(tables, schema)
res = {}
for row in col_matrix:
table_name = row[0]
col_def = row[1:]
if table_name not in res:
res[table_name] = []
res[table_name].append(col_def)
return res
def get_models_in_schema_snowflake(self, schema):
sql = 'show objects in schema {}.{}'.format(
self.quote_as_configured(self.default_database, 'database'),
self.quote_as_configured(schema, 'schema')
)
results = {}
for row in self.run_sql(sql, fetch='all'):
# I sure hope these never change!
name = row[1]
kind = row[4]
if kind == 'TABLE':
kind = 'table'
elif kind == 'VIEW':
kind = 'view'
results[name] = kind
return results
def get_models_in_schema(self, schema=None):
schema = self.unique_schema() if schema is None else schema
if self.adapter_type == 'snowflake':
return self.get_models_in_schema_snowflake(schema)
sql = """
select table_name,
case when table_type = 'BASE TABLE' then 'table'
when table_type = 'VIEW' then 'view'
else table_type
end as materialization
from information_schema.tables
where {}
order by table_name
"""
sql = sql.format(self._ilike('table_schema', schema))
result = self.run_sql(sql, fetch='all')
return {model_name: materialization for (model_name, materialization) in result}
def _assertTablesEqualSql(self, relation_a, relation_b, columns=None):
if columns is None:
columns = self.get_relation_columns(relation_a)
column_names = [c[0] for c in columns]
sql = self.adapter.get_rows_different_sql(
relation_a, relation_b, column_names
)
return sql
def assertTablesEqual(self, table_a, table_b,
table_a_schema=None, table_b_schema=None,
table_a_db=None, table_b_db=None):
if table_a_schema is None:
table_a_schema = self.unique_schema()
if table_b_schema is None:
table_b_schema = self.unique_schema()
if table_a_db is None:
table_a_db = self.default_database
if table_b_db is None:
table_b_db = self.default_database
relation_a = self._make_relation(table_a, table_a_schema, table_a_db)
relation_b = self._make_relation(table_b, table_b_schema, table_b_db)
self._assertTableColumnsEqual(relation_a, relation_b)
sql = self._assertTablesEqualSql(relation_a, relation_b)
result = self.run_sql(sql, fetch='one')
self.assertEqual(
result[0],
0,
'row_count_difference nonzero: ' + sql
)
self.assertEqual(
result[1],
0,
'num_mismatched nonzero: ' + sql
)
def _make_relation(self, identifier, schema=None, database=None):
if schema is None:
schema = self.unique_schema()
if database is None:
database = self.default_database
return self.adapter.Relation.create(
database=database,
schema=schema,
identifier=identifier,
quote_policy=self.config.quoting
)
def get_many_relation_columns(self, relations):
"""Returns a dict of (datbase, schema) -> (dict of (table_name -> list of columns))
"""
schema_fqns = {}
for rel in relations:
this_schema = schema_fqns.setdefault((rel.database, rel.schema), [])
this_schema.append(rel.identifier)
column_specs = {}
for key, tables in schema_fqns.items():
database, schema = key
columns = self.get_many_table_columns(tables, schema, database=database)
table_columns = {}
for col in columns:
table_columns.setdefault(col[0], []).append(col[1:])
for rel_name, columns in table_columns.items():
key = (database, schema, rel_name)
column_specs[key] = columns
return column_specs
def assertManyRelationsEqual(self, relations, default_schema=None, default_database=None):
if default_schema is None:
default_schema = self.unique_schema()
if default_database is None:
default_database = self.default_database
specs = []
for relation in relations:
if not isinstance(relation, (tuple, list)):
relation = [relation]
assert len(relation) <= 3
if len(relation) == 3:
relation = self._make_relation(*relation)
elif len(relation) == 2:
relation = self._make_relation(relation[0], relation[1], default_database)
elif len(relation) == 1:
relation = self._make_relation(relation[0], default_schema, default_database)
else:
raise ValueError('relation must be a sequence of 1, 2, or 3 values')
specs.append(relation)
with self.get_connection():
column_specs = self.get_many_relation_columns(specs)