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
|
from __future__ import annotations
import sys
import pickle
from weakref import ref
import pytest
import psycopg
from psycopg import errors as e
from psycopg import pq
from .utils import eur
from .fix_crdb import is_crdb
def test_finishedpgconn(pgconn):
with pytest.raises(TypeError):
e.FinishedPGconn.connect()
assert pgconn.socket
finished = e.finish_pgconn(pgconn)
with pytest.raises(e.OperationalError, match="connection is closed"):
finished.socket
with pytest.raises(e.OperationalError, match="connection is closed"):
pgconn.socket
@pytest.mark.crdb_skip("severity_nonlocalized")
def test_error_diag(conn):
cur = conn.cursor()
with pytest.raises(e.DatabaseError) as excinfo:
cur.execute("select 1 from wat")
exc = excinfo.value
diag = exc.diag
assert diag.sqlstate == "42P01"
assert diag.severity_nonlocalized == "ERROR"
def test_diag_all_attrs(pgconn):
res = pgconn.make_empty_result(pq.ExecStatus.NONFATAL_ERROR)
diag = e.Diagnostic(res)
for d in pq.DiagnosticField:
val = getattr(diag, d.name.lower())
assert val is None or isinstance(val, str)
def test_diag_right_attr(pgconn, monkeypatch):
res = pgconn.make_empty_result(pq.ExecStatus.NONFATAL_ERROR)
diag = e.Diagnostic(res)
to_check: pq.DiagnosticField
checked: list[pq.DiagnosticField] = []
def check_val(self, v):
assert to_check == v
checked.append(v)
return None
monkeypatch.setattr(e.Diagnostic, "_error_message", check_val)
for to_check in pq.DiagnosticField:
getattr(diag, to_check.name.lower())
assert len(checked) == len(pq.DiagnosticField)
def test_diag_attr_values(conn):
if is_crdb(conn):
conn.execute("set experimental_enable_temp_tables = 'on'")
conn.execute(
"""
create temp table test_exc (
data int constraint chk_eq1 check (data = 1)
)"""
)
with pytest.raises(e.Error) as exc:
conn.execute("insert into test_exc values(2)")
diag = exc.value.diag
assert diag.sqlstate == "23514"
assert diag.constraint_name == "chk_eq1"
if not is_crdb(conn):
assert diag.table_name == "test_exc"
assert diag.schema_name and diag.schema_name[:7] == "pg_temp"
assert diag.severity_nonlocalized == "ERROR"
@pytest.mark.crdb_skip("do")
@pytest.mark.parametrize("enc", ["utf8", "latin9"])
def test_diag_encoding(conn, enc):
msgs = []
conn.pgconn.exec_(b"set client_min_messages to notice")
conn.add_notice_handler(lambda diag: msgs.append(diag.message_primary))
conn.execute(f"set client_encoding to {enc}")
cur = conn.cursor()
cur.execute("do $$begin raise notice 'hello %', chr(8364); end$$ language plpgsql")
assert msgs == [f"hello {eur}"]
@pytest.mark.crdb_skip("do")
@pytest.mark.parametrize("enc", ["utf8", "latin9"])
def test_error_encoding(conn, enc):
with conn.transaction():
conn.execute(f"set client_encoding to {enc}")
cur = conn.cursor()
with pytest.raises(e.DatabaseError) as excinfo:
cur.execute(
"""
do $$begin
execute format('insert into "%s" values (1)', chr(8364));
end$$ language plpgsql;
"""
)
diag = excinfo.value.diag
assert diag.message_primary and f'"{eur}"' in diag.message_primary
assert diag.sqlstate == "42P01"
def test_exception_class(conn):
cur = conn.cursor()
with pytest.raises(e.DatabaseError) as excinfo:
cur.execute("select * from nonexist")
assert isinstance(excinfo.value, e.UndefinedTable)
assert isinstance(excinfo.value, conn.ProgrammingError)
def test_exception_class_fallback(conn):
cur = conn.cursor()
x = e._sqlcodes.pop("42P01")
try:
with pytest.raises(e.Error) as excinfo:
cur.execute("select * from nonexist")
finally:
e._sqlcodes["42P01"] = x
assert type(excinfo.value) is conn.ProgrammingError
def test_lookup():
assert e.lookup("42P01") is e.UndefinedTable
assert e.lookup("42p01") is e.UndefinedTable
assert e.lookup("UNDEFINED_TABLE") is e.UndefinedTable
assert e.lookup("undefined_table") is e.UndefinedTable
with pytest.raises(KeyError):
e.lookup("XXXXX")
def test_error_sqlstate():
assert e.Error.sqlstate is None
assert e.ProgrammingError.sqlstate is None
assert e.UndefinedTable.sqlstate == "42P01"
def test_error_pickle(conn):
cur = conn.cursor()
with pytest.raises(e.DatabaseError) as excinfo:
cur.execute("select 1 from wat")
exc = pickle.loads(pickle.dumps(excinfo.value))
assert isinstance(exc, e.UndefinedTable)
assert exc.diag.sqlstate == "42P01"
def test_diag_pickle(conn):
cur = conn.cursor()
with pytest.raises(e.DatabaseError) as excinfo:
cur.execute("select 1 from wat")
diag1 = excinfo.value.diag
diag2 = pickle.loads(pickle.dumps(diag1))
assert isinstance(diag2, type(diag1))
for f in pq.DiagnosticField:
assert getattr(diag1, f.name.lower()) == getattr(diag2, f.name.lower())
assert diag2.sqlstate == "42P01"
@pytest.mark.slow
@pytest.mark.xfail(
(pq.__impl__ in ("c", "binary") and sys.version_info[:2] == (3, 12)),
reason="Something with Exceptions, C, Python 3.12",
)
def test_diag_survives_cursor(conn, gc_collect):
cur = conn.cursor()
with pytest.raises(e.Error) as exc:
cur.execute("select * from nosuchtable")
diag = exc.value.diag
del exc
w = ref(cur)
del cur
gc_collect()
assert w() is None
assert diag.sqlstate == "42P01"
def test_diag_independent(conn):
conn.autocommit = True
cur = conn.cursor()
with pytest.raises(e.Error) as exc1:
cur.execute("l'acqua e' poca e 'a papera nun galleggia")
with pytest.raises(e.Error) as exc2:
cur.execute("select level from water where ducks > 1")
assert exc1.value.diag.sqlstate == "42601"
assert exc2.value.diag.sqlstate == "42P01"
@pytest.mark.crdb_skip("deferrable")
def test_diag_from_commit(conn):
cur = conn.cursor()
cur.execute(
"""
create temp table test_deferred (
data int primary key,
ref int references test_deferred (data)
deferrable initially deferred)
"""
)
cur.execute("insert into test_deferred values (1,2)")
with pytest.raises(e.Error) as exc:
conn.commit()
assert exc.value.diag.sqlstate == "23503"
@pytest.mark.crdb_skip("deferrable")
async def test_diag_from_commit_async(aconn):
cur = aconn.cursor()
await cur.execute(
"""
create temp table test_deferred (
data int primary key,
ref int references test_deferred (data)
deferrable initially deferred)
"""
)
await cur.execute("insert into test_deferred values (1,2)")
with pytest.raises(e.Error) as exc:
await aconn.commit()
assert exc.value.diag.sqlstate == "23503"
def test_query_context(conn):
with pytest.raises(e.Error) as exc:
conn.execute("select * from wat")
s = str(exc.value)
if not is_crdb(conn):
assert "from wat" in s, s
assert exc.value.diag.message_primary
assert exc.value.diag.message_primary in s
assert "ERROR" not in s
assert not s.endswith("\n")
@pytest.mark.crdb_skip("do")
def test_unknown_sqlstate(conn):
code = "PXX99"
with pytest.raises(KeyError):
e.lookup(code)
with pytest.raises(e.ProgrammingError) as excinfo:
conn.execute(
f"""
do $$begin
raise exception 'made up code' using errcode = '{code}';
end$$ language plpgsql
"""
)
exc = excinfo.value
assert exc.diag.sqlstate == code
assert exc.sqlstate == code
# Survives pickling too
pexc = pickle.loads(pickle.dumps(exc))
assert pexc.sqlstate == code
@pytest.mark.crdb("skip", reason="can connect to any db name")
def test_pgconn_error(conn_cls, dsn):
with pytest.raises(psycopg.OperationalError) as excinfo:
conn_cls.connect(dsn, dbname="nosuchdb")
exc = excinfo.value
assert exc.pgconn
assert exc.pgconn.db == b"nosuchdb"
@pytest.mark.crdb("skip", reason="can connect to any db name")
def test_pgconn_error_pickle(conn_cls, dsn):
with pytest.raises(psycopg.OperationalError) as excinfo:
conn_cls.connect(dsn, dbname="nosuchdb")
exc = pickle.loads(pickle.dumps(excinfo.value))
assert exc.pgconn is None
def test_pgresult(conn):
with pytest.raises(e.DatabaseError) as excinfo:
conn.execute("select 1 from wat")
exc = excinfo.value
assert exc.pgresult
assert exc.pgresult.error_field(pq.DiagnosticField.SQLSTATE) == b"42P01"
def test_pgresult_pickle(conn):
with pytest.raises(e.DatabaseError) as excinfo:
conn.execute("select 1 from wat")
exc = pickle.loads(pickle.dumps(excinfo.value))
assert exc.pgresult is None
assert exc.diag.sqlstate == "42P01"
def test_blank_sqlstate(conn):
assert e.get_base_exception("") is e.DatabaseError
@pytest.mark.parametrize(
"msg",
[
'connection to server at "2001:1488:fffe:20::229", port 5432 failed',
"HORROR: foo\n",
],
)
def test_strip_severity_unstripped(msg):
from psycopg.pq.misc import strip_severity
out = strip_severity(msg)
assert out == msg.strip()
@pytest.mark.parametrize(
"msg",
[
"ERROR: foo\n",
"ERRORE: foo\nbar\n",
"오류: foo: bar",
],
)
def test_strip_severity_l10n(msg):
from psycopg.pq.misc import strip_severity
out = strip_severity(msg)
assert out == msg.split(":", 1)[1].strip()
|