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
|
import io
import os
import sys
import pytest
import logging
from contextlib import contextmanager
from typing import Optional
import psycopg
from psycopg import pq
from psycopg import sql
from psycopg._compat import cache
from psycopg.pq._debug import PGconnDebug
from .utils import check_postgres_version
# Set by warm_up_database() the first time the dsn fixture is used
pg_version: int
crdb_version: Optional[int]
def pytest_addoption(parser):
parser.addoption(
"--test-dsn",
metavar="DSN",
default=os.environ.get("PSYCOPG_TEST_DSN"),
help=(
"Connection string to run database tests requiring a connection"
" [you can also use the PSYCOPG_TEST_DSN env var]."
),
)
parser.addoption(
"--pq-trace",
metavar="{TRACEFILE,STDERR}",
default=None,
help="Generate a libpq trace to TRACEFILE or STDERR.",
)
parser.addoption(
"--pq-debug",
action="store_true",
default=False,
help="Log PGconn access. (Requires PSYCOPG_IMPL=python.)",
)
def pytest_report_header(config):
dsn = config.getoption("--test-dsn")
if dsn is None:
return []
try:
with psycopg.connect(dsn, connect_timeout=10) as conn:
server_version = conn.execute("select version()").fetchall()[0][0]
except Exception as ex:
server_version = f"unknown ({ex})"
return [
f"Server version: {server_version}",
]
def pytest_collection_modifyitems(items):
for item in items:
for name in item.fixturenames:
if name in ("pipeline", "apipeline"):
item.add_marker(pytest.mark.pipeline)
break
def pytest_runtest_setup(item):
for m in item.iter_markers(name="pipeline"):
if not psycopg.Pipeline.is_supported():
pytest.skip(psycopg.Pipeline._not_supported_reason())
def pytest_configure(config):
# register pg marker
markers = [
"pg(version_expr): run the test only with matching server version"
" (e.g. '>= 10', '< 9.6')",
"pipeline: the test runs with connection in pipeline mode",
]
for marker in markers:
config.addinivalue_line("markers", marker)
@pytest.fixture(scope="session")
def session_dsn(request):
"""
Return the dsn used to connect to the `--test-dsn` database (session-wide).
"""
dsn = request.config.getoption("--test-dsn")
if dsn is None:
pytest.skip("skipping test as no --test-dsn")
warm_up_database(dsn)
return dsn
@pytest.fixture
def dsn(session_dsn, request):
"""Return the dsn used to connect to the `--test-dsn` database."""
check_connection_version(request.node)
return session_dsn
@pytest.fixture(scope="session")
def tracefile(request):
"""Open and yield a file for libpq client/server communication traces if
--pq-tracefile option is set.
"""
tracefile = request.config.getoption("--pq-trace")
if not tracefile:
yield None
return
if tracefile.lower() == "stderr":
try:
sys.stderr.fileno()
except io.UnsupportedOperation:
raise pytest.UsageError(
"cannot use stderr for --pq-trace (in-memory file?)"
) from None
yield sys.stderr
return
with open(tracefile, "w") as f:
yield f
@contextmanager
def maybe_trace(pgconn, tracefile, function):
"""Handle libpq client/server communication traces for a single test
function.
"""
if tracefile is None:
yield None
return
if tracefile != sys.stderr:
title = f" {function.__module__}::{function.__qualname__} ".center(80, "=")
tracefile.write(title + "\n")
tracefile.flush()
pgconn.trace(tracefile.fileno())
try:
pgconn.set_trace_flags(pq.Trace.SUPPRESS_TIMESTAMPS | pq.Trace.REGRESS_MODE)
except psycopg.NotSupportedError:
pass
try:
yield None
finally:
pgconn.untrace()
@pytest.fixture(autouse=True)
def pgconn_debug(request):
if not request.config.getoption("--pq-debug"):
return
if pq.__impl__ != "python":
raise pytest.UsageError("set PSYCOPG_IMPL=python to use --pq-debug")
logging.basicConfig(level=logging.INFO, format="%(message)s")
logger = logging.getLogger("psycopg.debug")
logger.setLevel(logging.INFO)
pq.PGconn = PGconnDebug
@pytest.fixture
def pgconn(dsn, request, tracefile):
"""Return a PGconn connection open to `--test-dsn`."""
check_connection_version(request.node)
conn = pq.PGconn.connect(dsn.encode())
if conn.status != pq.ConnStatus.OK:
pytest.fail(f"bad connection: {conn.error_message.decode('utf8', 'replace')}")
with maybe_trace(conn, tracefile, request.function):
yield conn
conn.finish()
@pytest.fixture
def conn(conn_cls, dsn, request, tracefile):
"""Return a `Connection` connected to the ``--test-dsn`` database."""
check_connection_version(request.node)
conn = conn_cls.connect(dsn)
with maybe_trace(conn.pgconn, tracefile, request.function):
yield conn
conn.close()
@pytest.fixture(params=[True, False], ids=["pipeline=on", "pipeline=off"])
def pipeline(request, conn):
if request.param:
if not psycopg.Pipeline.is_supported():
pytest.skip(psycopg.Pipeline._not_supported_reason())
with conn.pipeline() as p:
yield p
return
else:
yield None
@pytest.fixture
async def aconn(dsn, aconn_cls, request, tracefile):
"""Return an `AsyncConnection` connected to the ``--test-dsn`` database."""
check_connection_version(request.node)
conn = await aconn_cls.connect(dsn)
with maybe_trace(conn.pgconn, tracefile, request.function):
yield conn
await conn.close()
@pytest.fixture(params=[True, False], ids=["pipeline=on", "pipeline=off"])
async def apipeline(request, aconn):
if request.param:
if not psycopg.Pipeline.is_supported():
pytest.skip(psycopg.Pipeline._not_supported_reason())
async with aconn.pipeline() as p:
yield p
return
else:
yield None
@pytest.fixture(scope="session")
def conn_cls(session_dsn):
cls = psycopg.Connection
if crdb_version:
from psycopg.crdb import CrdbConnection
cls = CrdbConnection
return cls
@pytest.fixture(scope="session")
def aconn_cls(session_dsn):
cls = psycopg.AsyncConnection
if crdb_version:
from psycopg.crdb import AsyncCrdbConnection
cls = AsyncCrdbConnection
return cls
@pytest.fixture(scope="session")
def svcconn(conn_cls, session_dsn):
"""
Return a session `Connection` connected to the ``--test-dsn`` database.
"""
conn = conn_cls.connect(session_dsn, autocommit=True)
yield conn
conn.close()
@pytest.fixture
def commands(conn, monkeypatch):
"""The list of commands issued internally by the test connection."""
yield patch_exec(conn, monkeypatch)
@pytest.fixture
def acommands(aconn, monkeypatch):
"""The list of commands issued internally by the test async connection."""
yield patch_exec(aconn, monkeypatch)
def patch_exec(conn, monkeypatch):
"""Helper to implement the commands fixture both sync and async."""
_orig_exec_command = conn._exec_command
L = ListPopAll()
def _exec_command(command, *args, **kwargs):
cmdcopy = command
if isinstance(cmdcopy, bytes):
cmdcopy = cmdcopy.decode(conn.info.encoding)
elif isinstance(cmdcopy, sql.Composable):
cmdcopy = cmdcopy.as_string(conn)
L.append(cmdcopy)
return _orig_exec_command(command, *args, **kwargs)
monkeypatch.setattr(conn, "_exec_command", _exec_command)
return L
class ListPopAll(list): # type: ignore[type-arg]
"""A list, with a popall() method."""
def popall(self):
out = self[:]
del self[:]
return out
def check_connection_version(node):
try:
pg_version
except NameError:
# First connection creation failed. Let the tests fail.
pytest.fail("server version not available")
for mark in node.iter_markers():
if mark.name == "pg":
assert len(mark.args) == 1
msg = check_postgres_version(pg_version, mark.args[0])
if msg:
pytest.skip(msg)
elif mark.name in ("crdb", "crdb_skip"):
from .fix_crdb import check_crdb_version
msg = check_crdb_version(crdb_version, mark)
if msg:
pytest.skip(msg)
@pytest.fixture
def hstore(svcconn):
try:
with svcconn.transaction():
svcconn.execute("create extension if not exists hstore")
except psycopg.Error as e:
pytest.skip(str(e))
@cache
def warm_up_database(dsn: str) -> None:
"""Connect to the database before returning a connection.
In the CI sometimes, the first test fails with a timeout, probably because
the server hasn't started yet. Absorb the delay before the test.
In case of error, abort the test run entirely, to avoid failing downstream
hundreds of times.
"""
global pg_version, crdb_version
try:
with psycopg.connect(dsn, connect_timeout=10) as conn:
conn.execute("select 1")
pg_version = conn.info.server_version
crdb_version = None
param = conn.info.parameter_status("crdb_version")
if param:
from psycopg.crdb import CrdbConnectionInfo
crdb_version = CrdbConnectionInfo.parse_crdb_version(param)
except Exception as exc:
pytest.exit(f"failed to connect to the test database: {exc}")
|