-
Notifications
You must be signed in to change notification settings - Fork 9
/
conftest.py
254 lines (201 loc) · 6.07 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
from datetime import timedelta
from collections.abc import Generator
from sqlalchemy.ext.asyncio import async_sessionmaker
from sqlalchemy.ext.asyncio.session import AsyncSession
import pytest
from fastapi.testclient import TestClient
from loguru import logger
from sqlalchemy import inspect
from sqlalchemy.orm import Session, sessionmaker
from sqlalchemy.schema import (
DropConstraint,
DropTable,
ForeignKeyConstraint,
MetaData,
Table,
)
from tests.factories_db import RoleDBFactory
from app.infra.constants import DocumentType, Roles
from app.user.services import create_access_token, gen_hash
from config import settings
from app.infra.models import Base, UserDB
from app.infra.database import get_async_engine, get_engine
from main import app
from app.infra.deps import get_db
@pytest.fixture(scope='session', autouse=True)
def _set_test_settings() -> None:
"""Force testing env."""
settings.configure(FORCE_ENV_FOR_DYNACONF='testing')
@pytest.fixture(scope='session')
def clean_db():
_engine = get_engine()
db_DropEverything()
Base.metadata.create_all(bind=_engine)
def db_DropEverything():
_engine = get_engine()
conn = _engine.connect()
# the transaction only applies if the DB supports
# transactional DDL, i.e. Postgresql, MS SQL Server
trans = conn.begin()
inspector = inspect(_engine)
# gather all data first before dropping anything.
# some DBs lock after things have been dropped in
# a transaction.
metadata = MetaData()
tbs = []
all_fks = []
for table_name in inspector.get_table_names():
fks = []
for fk in inspector.get_foreign_keys(table_name):
if not fk['name']:
continue
fks.append(ForeignKeyConstraint((), (), name=fk['name']))
t = Table(table_name, metadata, *fks)
tbs.append(t)
all_fks.extend(fks)
for fkc in all_fks:
conn.execute(DropConstraint(fkc))
for table in tbs:
conn.execute(DropTable(table))
trans.commit()
@pytest.fixture(scope='session')
def override_get_db():
try:
_engine = get_engine()
logger.info(f'----- ADD DB {Base.metadata}-------')
TestingSessionLocal = sessionmaker(
autocommit=False,
autoflush=False,
bind=_engine,
)
db = TestingSessionLocal()
yield db
finally:
db.close()
# TODO: Annotation slowly the db function in this time.
@pytest.fixture
def db():
"""Generate db session."""
_engine = get_engine()
# Reflect all tables from metadata
metadata = Base.metadata
metadata.drop_all(_engine)
metadata.create_all(_engine)
with Session(_engine) as session:
yield session
session.rollback()
@pytest.fixture(scope='session')
def db_models(clean_db) -> Generator:
logger.info('-----GENERATE DB------')
_engine = get_engine()
TestingSessionLocal = sessionmaker(
autocommit=False,
autoflush=False,
bind=_engine,
)
return TestingSessionLocal()
@pytest.fixture(scope='session')
def t_client(clean_db, override_get_db) -> Generator:
def _get_db_override():
return override_get_db
logger.info('-----GENERATE APP------')
app.dependency_overrides[get_db] = _get_db_override
logger.info(f'{ settings.current_env }')
with TestClient(app) as c:
yield c
@pytest.fixture
def user(db):
new_role = RoleDBFactory(role_id=Roles.USER.value)
db.add(new_role)
user = UserDB(
name='Teste',
username='Teste',
email='[email protected]',
password=gen_hash('testtest'),
document_type=DocumentType.CPF.value,
document='12345678901',
phone='11123456789',
role_id=Roles.USER.value,
)
db.add(user)
db.commit()
db.refresh(user)
user.clean_password = 'testtest'
return user
@pytest.fixture
def token(user):
access_token_expires = timedelta(
minutes=settings.ACCESS_TOKEN_EXPIRE_MINUTES,
)
access_token = create_access_token(
data={'sub': user.document},
expires_delta=access_token_expires,
)
return access_token
@pytest.fixture
def admin_user(db):
new_role = RoleDBFactory(role_id=Roles.ADMIN.value)
db.add(new_role)
user = UserDB(
name='Teste',
username='Teste',
email='[email protected]',
password=gen_hash('testtest'),
document_type=DocumentType.CPF.value,
document='12345678901',
phone='11123456789',
role_id=Roles.ADMIN.value,
)
db.add(user)
db.commit()
db.refresh(user)
db.commit()
user.clean_password = 'testtest'
return user
@pytest.fixture
def admin_token(admin_user):
access_token_expires = timedelta(
minutes=settings.ACCESS_TOKEN_EXPIRE_MINUTES,
)
access_token = create_access_token(
data={'sub': admin_user.document},
expires_delta=access_token_expires,
)
return access_token
@pytest.fixture
async def asyncdb():
"""Generate asyncdb session."""
_engine = get_async_engine()
# --- Alterações aqui ---
async with _engine.begin() as conn:
await conn.run_sync(Base.metadata.create_all)
yield async_sessionmaker(
autoflush=True,
expire_on_commit=False,
bind=_engine,
class_=AsyncSession,
)
async with _engine.begin() as conn:
await conn.run_sync(Base.metadata.drop_all)
@pytest.fixture
async def async_admin_user(asyncdb):
"""Generate admin user in asyncdb."""
new_role = RoleDBFactory(role_id=Roles.ADMIN.value)
async with asyncdb as db:
db.add(new_role)
user = UserDB(
name='Teste',
username='Teste',
email='[email protected]',
password=gen_hash('testtest'),
document_type=DocumentType.CPF.value,
document='12345678901',
phone='11123456789',
role_id=Roles.ADMIN.value,
)
db.add(user)
db.commit()
db.refresh(user)
db.commit()
user.clean_password = 'testtest'
return user