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
|
import asyncio
import gc
import os
import re
import ssl
import aiomysql
import pymysql
import pytest
import uvloop
@pytest.fixture
def disable_gc():
gc_enabled = gc.isenabled()
if gc_enabled:
gc.disable()
gc.collect()
yield
if gc_enabled:
gc.collect()
gc.enable()
def pytest_generate_tests(metafunc):
if 'loop_type' in metafunc.fixturenames:
loop_type = ['asyncio', 'uvloop'] if uvloop else ['asyncio']
metafunc.parametrize("loop_type", loop_type)
if "mysql_address" in metafunc.fixturenames:
mysql_addresses = []
ids = []
opt_mysql_unix_socket = \
list(metafunc.config.getoption("mysql_unix_socket"))
for i in range(len(opt_mysql_unix_socket)):
if "=" in opt_mysql_unix_socket[i]:
label, path = opt_mysql_unix_socket[i].split("=", 1)
mysql_addresses.append(path)
ids.append(label)
else:
mysql_addresses.append(opt_mysql_unix_socket[i])
ids.append(f"unix{i}")
opt_mysql_address = list(metafunc.config.getoption("mysql_address"))
for i in range(len(opt_mysql_address)):
if "=" in opt_mysql_address[i]:
label, addr = opt_mysql_address[i].split("=", 1)
ids.append(label)
else:
addr = opt_mysql_address[i]
ids.append(f"tcp{i}")
if ":" in addr:
addr = addr.split(":", 1)
mysql_addresses.append((addr[0], int(addr[1])))
else:
mysql_addresses.append((addr, 3306))
# default to connecting to localhost
if len(mysql_addresses) == 0:
mysql_addresses = [("127.0.0.1", 3306)]
ids = ["tcp-local"]
assert len(mysql_addresses) == len(set(mysql_addresses)), \
"mysql targets are not unique"
assert len(ids) == len(set(ids)), \
"mysql target names are not unique"
metafunc.parametrize("mysql_address",
mysql_addresses,
ids=ids,
scope="session",
)
@pytest.fixture
def loop(request, loop_type):
loop = asyncio.new_event_loop()
asyncio.set_event_loop(None)
if uvloop and loop_type == 'uvloop':
loop = uvloop.new_event_loop()
else:
loop = asyncio.new_event_loop()
yield loop
if not loop._closed:
loop.call_soon(loop.stop)
loop.run_forever()
loop.close()
gc.collect()
asyncio.set_event_loop(None)
@pytest.mark.tryfirst
def pytest_pycollect_makeitem(collector, name, obj):
if collector.funcnamefilter(name):
if not callable(obj):
return
item = pytest.Function.from_parent(collector, name=name)
if 'run_loop' in item.keywords:
return list(collector._genfunctions(name, obj))
@pytest.mark.tryfirst
def pytest_pyfunc_call(pyfuncitem):
"""
Run asyncio marked test functions in an event loop instead of a normal
function call.
"""
if 'run_loop' in pyfuncitem.keywords:
funcargs = pyfuncitem.funcargs
loop = funcargs['loop']
testargs = {arg: funcargs[arg]
for arg in pyfuncitem._fixtureinfo.argnames}
loop.run_until_complete(pyfuncitem.obj(**testargs))
return True
def pytest_runtest_setup(item):
if 'run_loop' in item.keywords and 'loop' not in item.fixturenames:
# inject an event loop fixture for all async tests
item.fixturenames.append('loop')
def pytest_configure(config):
config.addinivalue_line(
"markers",
"run_loop"
)
config.addinivalue_line(
"markers",
"mysql_version(db, version): run only on specific database versions"
)
def pytest_addoption(parser):
parser.addoption(
"--mysql-address",
action="append",
default=[],
help="list of addresses to connect to: [name=]host[:port]",
)
parser.addoption(
"--mysql-unix-socket",
action="append",
default=[],
help="list of unix sockets to connect to: [name=]/path/to/socket",
)
@pytest.fixture
def mysql_params(mysql_server):
params = {**mysql_server['conn_params'],
"db": os.environ.get('MYSQL_DB', 'test_pymysql'),
"local_infile": True,
"use_unicode": True,
}
return params
# TODO: fix this workaround
async def _cursor_wrapper(conn):
return await conn.cursor()
@pytest.fixture
def cursor(connection, loop):
cur = loop.run_until_complete(_cursor_wrapper(connection))
yield cur
loop.run_until_complete(cur.close())
@pytest.fixture
def connection(mysql_params, loop):
coro = aiomysql.connect(loop=loop, **mysql_params)
conn = loop.run_until_complete(coro)
yield conn
loop.run_until_complete(conn.ensure_closed())
@pytest.fixture
def connection_creator(mysql_params, loop):
connections = []
async def f(**kw):
conn_kw = mysql_params.copy()
conn_kw.update(kw)
_loop = conn_kw.pop('loop', loop)
conn = await aiomysql.connect(loop=_loop, **conn_kw)
connections.append(conn)
return conn
yield f
for conn in connections:
try:
loop.run_until_complete(conn.ensure_closed())
except ConnectionResetError:
pass
@pytest.fixture
def pool_creator(mysql_params, loop):
pools = []
async def f(**kw):
conn_kw = mysql_params.copy()
conn_kw.update(kw)
_loop = conn_kw.pop('loop', loop)
pool = await aiomysql.create_pool(loop=_loop, **conn_kw)
pools.append(pool)
return pool
yield f
for pool in pools:
pool.close()
loop.run_until_complete(pool.wait_closed())
@pytest.fixture
def table_cleanup(loop, connection):
table_list = []
cursor = loop.run_until_complete(_cursor_wrapper(connection))
def _register_table(table_name):
table_list.append(table_name)
yield _register_table
for t in table_list:
# TODO: probably this is not safe code
sql = f"DROP TABLE IF EXISTS {t}"
loop.run_until_complete(cursor.execute(sql))
@pytest.fixture(scope='session')
def mysql_server(mysql_address):
unix_socket = type(mysql_address) is str
if not unix_socket:
ssl_directory = os.path.join(os.path.dirname(__file__),
'ssl_resources', 'ssl')
ca_file = os.path.join(ssl_directory, 'ca.pem')
ctx = ssl.SSLContext(ssl.PROTOCOL_TLSv1_2)
ctx.check_hostname = False
ctx.load_verify_locations(cafile=ca_file)
# ctx.verify_mode = ssl.CERT_NONE
server_params = {
'user': 'root',
'password': os.environ.get("MYSQL_ROOT_PASSWORD"),
}
if unix_socket:
server_params["unix_socket"] = mysql_address
else:
server_params["host"] = mysql_address[0]
server_params["port"] = mysql_address[1]
server_params["ssl"] = ctx
try:
connection = pymysql.connect(
db='mysql',
charset='utf8mb4',
cursorclass=pymysql.cursors.DictCursor,
**server_params)
with connection.cursor() as cursor:
cursor.execute("SELECT VERSION() AS version")
server_version = cursor.fetchone()["version"]
db_type = "mariadb" if "MariaDB" in server_version else "mysql"
server_version_tuple = tuple(
(int(dig) if dig is not None else 0)
for dig in
re.match(r"^(\d+)\.(\d+)(?:\.(\d+))?", server_version).group(1, 2, 3)
)
server_version_tuple_short = (server_version_tuple[0],
server_version_tuple[1])
if not unix_socket:
cursor.execute("SHOW STATUS LIKE 'Ssl_version%'")
result = cursor.fetchone()
# As we connected with TLS, it should start with that :D
assert result['Value'].startswith('TLS'), \
"Not connected to the database with TLS"
# Drop possibly existing old databases
cursor.execute('DROP DATABASE IF EXISTS test_pymysql;')
cursor.execute('DROP DATABASE IF EXISTS test_pymysql2;')
# Create Databases
cursor.execute('CREATE DATABASE test_pymysql '
'DEFAULT CHARACTER SET utf8 '
'DEFAULT COLLATE utf8_general_ci;')
cursor.execute('CREATE DATABASE test_pymysql2 '
'DEFAULT CHARACTER SET utf8 '
'DEFAULT COLLATE utf8_general_ci;')
# Do MySQL8+ Specific Setup
if db_type == "mysql" and server_version_tuple_short == (8, 0):
# Drop existing users
cursor.execute('DROP USER IF EXISTS user_sha256;')
cursor.execute('DROP USER IF EXISTS nopass_sha256;')
cursor.execute('DROP USER IF EXISTS user_caching_sha2;')
cursor.execute('DROP USER IF EXISTS nopass_caching_sha2;')
# Create Users to test SHA256
cursor.execute('CREATE USER user_sha256 '
'IDENTIFIED WITH "sha256_password" '
'BY "pass_sha256"')
cursor.execute('CREATE USER nopass_sha256 '
'IDENTIFIED WITH "sha256_password"')
cursor.execute('CREATE USER user_caching_sha2 '
'IDENTIFIED '
'WITH "caching_sha2_password" '
'BY "pass_caching_sha2"')
cursor.execute('CREATE USER nopass_caching_sha2 '
'IDENTIFIED '
'WITH "caching_sha2_password" '
'PASSWORD EXPIRE NEVER')
cursor.execute('FLUSH PRIVILEGES')
connection.close()
except Exception:
pytest.fail("Cannot initialize MySQL environment")
return {
"conn_params": server_params,
"server_version": server_version,
"server_version_tuple": server_version_tuple,
"server_version_tuple_short": server_version_tuple_short,
"db_type": db_type,
}
|