-
Notifications
You must be signed in to change notification settings - Fork 1.1k
/
Copy pathconftest.py
557 lines (468 loc) · 17.8 KB
/
conftest.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
# Copyright 2021 The Feast Authors
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import logging
import multiprocessing
import os
import random
import tempfile
from datetime import timedelta
from multiprocessing import Process
from sys import platform
from textwrap import dedent
from typing import Any, Dict, List, Tuple, no_type_check
from unittest import mock
import pandas as pd
import pytest
from _pytest.nodes import Item
from feast.data_source import DataSource
from feast.feature_store import FeatureStore # noqa: E402
from feast.utils import _utc_now
from feast.wait import wait_retry_backoff # noqa: E402
from tests.data.data_creator import (
create_basic_driver_dataset, # noqa: E402
create_document_dataset,
)
from tests.integration.feature_repos.integration_test_repo_config import ( # noqa: E402
IntegrationTestRepoConfig,
)
from tests.integration.feature_repos.repo_configuration import ( # noqa: E402
AVAILABLE_OFFLINE_STORES,
AVAILABLE_ONLINE_STORES,
OFFLINE_STORE_TO_PROVIDER_CONFIG,
Environment,
TestData,
construct_test_environment,
construct_universal_feature_views,
construct_universal_test_data,
)
from tests.integration.feature_repos.universal.data_sources.file import ( # noqa: E402
FileDataSourceCreator,
)
from tests.integration.feature_repos.universal.entities import ( # noqa: E402
customer,
driver,
location,
)
from tests.utils.auth_permissions_util import default_store
from tests.utils.http_server import check_port_open, free_port # noqa: E402
from tests.utils.ssl_certifcates_util import (
combine_trust_stores,
create_ca_trust_store,
generate_self_signed_cert,
)
logger = logging.getLogger(__name__)
level = logging.INFO
logging.basicConfig(
format="%(asctime)s %(name)s %(levelname)s: %(message)s",
datefmt="%m/%d/%Y %I:%M:%S %p",
level=level,
)
# Override the logging level for already created loggers (due to loggers being created at the import time)
# Note, that format & datefmt does not need to be set, because by default child loggers don't override them
# Also note, that mypy complains that logging.root doesn't have "manager" because of the way it's written.
# So we have to put a type ignore hint for mypy.
for logger_name in logging.root.manager.loggerDict: # type: ignore
if "feast" in logger_name:
logger = logging.getLogger(logger_name)
logger.setLevel(level)
def pytest_configure(config):
if platform in ["darwin", "windows"]:
multiprocessing.set_start_method("spawn", force=True)
else:
multiprocessing.set_start_method("fork")
config.addinivalue_line(
"markers", "integration: mark test that has external dependencies"
)
config.addinivalue_line("markers", "benchmark: mark benchmarking tests")
config.addinivalue_line(
"markers",
"universal_online_stores: mark tests that can be run against different online stores",
)
config.addinivalue_line(
"markers",
"universal_offline_stores: mark tests that can be run against different offline stores",
)
def pytest_addoption(parser):
parser.addoption(
"--integration",
action="store_true",
default=False,
help="Run tests with external dependencies",
)
parser.addoption(
"--benchmark",
action="store_true",
default=False,
help="Run benchmark tests",
)
def pytest_collection_modifyitems(config, items: List[Item]):
should_run_integration = config.getoption("--integration") is True
should_run_benchmark = config.getoption("--benchmark") is True
integration_tests = [t for t in items if "integration" in t.keywords]
if not should_run_integration:
for t in integration_tests:
items.remove(t)
else:
items.clear()
for t in integration_tests:
items.append(t)
benchmark_tests = [t for t in items if "benchmark" in t.keywords]
if not should_run_benchmark:
for t in benchmark_tests:
items.remove(t)
else:
items.clear()
for t in benchmark_tests:
items.append(t)
@pytest.fixture
def simple_dataset_1() -> pd.DataFrame:
now = _utc_now()
ts = pd.Timestamp(now).round("ms")
data = {
"id_join_key": [1, 2, 1, 3, 3],
"float_col": [0.1, 0.2, 0.3, 4, 5],
"int64_col": [1, 2, 3, 4, 5],
"string_col": ["a", "b", "c", "d", "e"],
"ts_1": [
ts,
ts - timedelta(hours=4),
ts - timedelta(hours=3),
ts - timedelta(hours=2),
ts - timedelta(hours=1),
],
}
return pd.DataFrame.from_dict(data)
@pytest.fixture
def simple_dataset_2() -> pd.DataFrame:
now = _utc_now()
ts = pd.Timestamp(now).round("ms")
data = {
"id_join_key": ["a", "b", "c", "d", "e"],
"float_col": [0.1, 0.2, 0.3, 4, 5],
"int64_col": [1, 2, 3, 4, 5],
"string_col": ["a", "b", "c", "d", "e"],
"ts_1": [
ts,
ts - timedelta(hours=4),
ts - timedelta(hours=3),
ts - timedelta(hours=2),
ts - timedelta(hours=1),
],
}
return pd.DataFrame.from_dict(data)
def start_test_local_server(repo_path: str, port: int):
fs = FeatureStore(repo_path)
fs.serve(host="localhost", port=port)
@pytest.fixture
def environment(request, worker_id):
e = construct_test_environment(
request.param,
worker_id=worker_id,
fixture_request=request,
)
e.setup()
if hasattr(e.data_source_creator, "mock_environ"):
with mock.patch.dict(os.environ, e.data_source_creator.mock_environ):
yield e
else:
yield e
e.teardown()
@pytest.fixture
def vectordb_environment(request, worker_id):
e = construct_test_environment(
request.param,
worker_id=worker_id,
fixture_request=request,
entity_key_serialization_version=3,
)
e.setup()
if hasattr(e.data_source_creator, "mock_environ"):
with mock.patch.dict(os.environ, e.data_source_creator.mock_environ):
yield e
else:
yield e
e.teardown()
_config_cache: Any = {}
@no_type_check
def pytest_generate_tests(metafunc: pytest.Metafunc):
"""
This function receives each test function (wrapped in Metafunc)
at the collection stage (before tests started).
Here we can access all fixture requests made by the test as well as its markers.
That allows us to dynamically parametrize the test based on markers and fixtures
by calling metafunc.parametrize(...).
See more examples at https://docs.pytest.org/en/6.2.x/example/parametrize.html#paramexamples
We also utilize indirect parametrization here. Since `environment` is a fixture,
when we call metafunc.parametrize("environment", ..., indirect=True) we actually
parametrizing this "environment" fixture and not the test itself.
Moreover, by utilizing `_config_cache` we are able to share `environment` fixture between different tests.
In order for pytest to group tests together (and share environment fixture)
parameter should point to the same Python object (hence, we use _config_cache dict to store those objects).
"""
if "environment" in metafunc.fixturenames:
markers = {m.name: m for m in metafunc.definition.own_markers}
offline_stores = None
if "universal_offline_stores" in markers:
# Offline stores can be explicitly requested
if "only" in markers["universal_offline_stores"].kwargs:
offline_stores = [
OFFLINE_STORE_TO_PROVIDER_CONFIG.get(store_name)
for store_name in markers["universal_offline_stores"].kwargs["only"]
if store_name in OFFLINE_STORE_TO_PROVIDER_CONFIG
]
else:
offline_stores = AVAILABLE_OFFLINE_STORES
else:
# default offline store for testing online store dimension
offline_stores = [("local", FileDataSourceCreator)]
online_stores = None
if "universal_online_stores" in markers:
# Online stores can be explicitly requested
if "only" in markers["universal_online_stores"].kwargs:
online_stores = [
AVAILABLE_ONLINE_STORES.get(store_name)
for store_name in markers["universal_online_stores"].kwargs["only"]
if store_name in AVAILABLE_ONLINE_STORES
]
else:
online_stores = AVAILABLE_ONLINE_STORES.values()
if online_stores is None:
# No online stores requested -> setting the default or first available
online_stores = [
AVAILABLE_ONLINE_STORES.get(
"redis",
AVAILABLE_ONLINE_STORES.get(
"sqlite", next(iter(AVAILABLE_ONLINE_STORES.values()))
),
)
]
extra_dimensions: List[Dict[str, Any]] = [{}]
if "python_server" in metafunc.fixturenames:
extra_dimensions.extend([{"python_feature_server": True}])
configs = []
if offline_stores:
for provider, offline_store_creator in offline_stores:
for online_store, online_store_creator in online_stores:
for dim in extra_dimensions:
config = {
"provider": provider,
"offline_store_creator": offline_store_creator,
"online_store": online_store,
"online_store_creator": online_store_creator,
**dim,
}
c = IntegrationTestRepoConfig(**config)
if c not in _config_cache:
marks = [
pytest.mark.xdist_group(name=m)
for m in c.offline_store_creator.xdist_groups()
]
# Check if there are any test markers associated with the creator and add them.
if c.offline_store_creator.test_markers():
marks.extend(c.offline_store_creator.test_markers())
_config_cache[c] = pytest.param(c, marks=marks)
configs.append(_config_cache[c])
else:
# No offline stores requested -> setting the default or first available
offline_stores = [("local", FileDataSourceCreator)]
metafunc.parametrize(
"environment", configs, indirect=True, ids=[str(c) for c in configs]
)
@pytest.fixture
def feature_server_endpoint(environment):
if not environment.python_feature_server or environment.provider != "local":
yield environment.feature_store.get_feature_server_endpoint()
return
port = free_port()
proc = Process(
target=start_test_local_server,
args=(environment.feature_store.repo_path, port),
)
if (
environment.python_feature_server
and environment.test_repo_config.provider == "local"
):
proc.start()
# Wait for server to start
wait_retry_backoff(
lambda: (None, check_port_open("localhost", port)),
timeout_secs=10,
)
yield f"http://localhost:{port}"
if proc.is_alive():
proc.kill()
# wait server to free the port
wait_retry_backoff(
lambda: (
None,
not check_port_open("localhost", environment.get_local_server_port()),
),
timeout_secs=30,
)
@pytest.fixture
def universal_data_sources(environment) -> TestData:
return construct_universal_test_data(environment)
@pytest.fixture
def e2e_data_sources(environment: Environment):
df = create_basic_driver_dataset()
data_source = environment.data_source_creator.create_data_source(
df,
environment.feature_store.project,
field_mapping={"ts_1": "ts"},
)
return df, data_source
@pytest.fixture
def feature_store_for_online_retrieval(
environment, universal_data_sources
) -> Tuple[FeatureStore, List[str], List[Dict[str, int]]]:
"""
Returns a feature store that is ready for online retrieval, along with entity rows and feature
refs that can be used to query for online features.
"""
fs = environment.feature_store
entities, datasets, data_sources = universal_data_sources
feature_views = construct_universal_feature_views(data_sources)
feast_objects = []
feast_objects.extend(feature_views.values())
feast_objects.extend([driver(), customer(), location()])
fs.apply(feast_objects)
fs.materialize(environment.start_date, environment.end_date)
sample_drivers = random.sample(entities.driver_vals, 10)
sample_customers = random.sample(entities.customer_vals, 10)
entity_rows = [
{"driver_id": d, "customer_id": c, "val_to_add": 50}
for (d, c) in zip(sample_drivers, sample_customers)
]
feature_refs = [
"driver_stats:conv_rate",
"driver_stats:avg_daily_trips",
"customer_profile:current_balance",
"customer_profile:avg_passenger_count",
"customer_profile:lifetime_trip_count",
"conv_rate_plus_100:conv_rate_plus_100",
"conv_rate_plus_100:conv_rate_plus_val_to_add",
"global_stats:num_rides",
"global_stats:avg_ride_length",
]
return fs, feature_refs, entity_rows
@pytest.fixture
def fake_ingest_data():
"""Fake data to ingest into the feature store"""
data = {
"driver_id": [1],
"conv_rate": [0.5],
"acc_rate": [0.6],
"avg_daily_trips": [4],
"event_timestamp": [pd.Timestamp(_utc_now()).round("ms")],
"created": [pd.Timestamp(_utc_now()).round("ms")],
}
return pd.DataFrame(data)
@pytest.fixture
def fake_document_data(environment: Environment) -> Tuple[pd.DataFrame, DataSource]:
df = create_document_dataset()
data_source = environment.data_source_creator.create_data_source(
df,
environment.feature_store.project,
)
return df, data_source
@pytest.fixture
def temp_dir():
with tempfile.TemporaryDirectory() as temp_dir:
print(f"Created {temp_dir}")
yield temp_dir
@pytest.fixture
def server_port():
return free_port()
@pytest.fixture
def feature_store(temp_dir, auth_config, applied_permissions):
print(f"Creating store at {temp_dir}")
return default_store(str(temp_dir), auth_config, applied_permissions)
@pytest.fixture(scope="module")
def all_markers_from_module(request):
markers = set()
for item in request.session.items:
for marker in item.iter_markers():
markers.add(marker.name)
return markers
@pytest.fixture(scope="module")
def is_integration_test(all_markers_from_module):
return "integration" in all_markers_from_module
@pytest.fixture(
scope="module",
params=[
dedent(
"""
auth:
type: no_auth
"""
),
dedent(
"""
auth:
type: kubernetes
"""
),
dedent(
"""
auth:
type: oidc
client_id: feast-integration-client
client_secret: feast-integration-client-secret
username: reader_writer
password: password
auth_discovery_url: KEYCLOAK_URL_PLACE_HOLDER/realms/master/.well-known/openid-configuration
"""
),
],
)
def auth_config(request, is_integration_test):
auth_configuration = request.param
if is_integration_test:
if "kubernetes" in auth_configuration:
pytest.skip(
"skipping integration tests for kubernetes platform, unit tests are covering this functionality."
)
elif "oidc" in auth_configuration:
keycloak_url = request.getfixturevalue("start_keycloak_server")
return auth_configuration.replace("KEYCLOAK_URL_PLACE_HOLDER", keycloak_url)
return auth_configuration
@pytest.fixture(scope="module")
def tls_mode(request):
is_tls_mode = request.param[0]
output_combined_truststore_path = ""
if is_tls_mode:
certificates_path = tempfile.mkdtemp()
tls_key_path = os.path.join(certificates_path, "key.pem")
tls_cert_path = os.path.join(certificates_path, "cert.pem")
generate_self_signed_cert(cert_path=tls_cert_path, key_path=tls_key_path)
is_ca_trust_store_set = request.param[1]
if is_ca_trust_store_set:
# Paths
feast_ca_trust_store_path = os.path.join(
certificates_path, "feast_trust_store.pem"
)
create_ca_trust_store(
public_key_path=tls_cert_path,
private_key_path=tls_key_path,
output_trust_store_path=feast_ca_trust_store_path,
)
# Combine trust stores
output_combined_path = os.path.join(
certificates_path, "combined_trust_store.pem"
)
combine_trust_stores(feast_ca_trust_store_path, output_combined_path)
else:
tls_key_path = ""
tls_cert_path = ""
return is_tls_mode, tls_key_path, tls_cert_path, output_combined_truststore_path