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
|
"""
psycopg connection pool base class and functionalities.
"""
# Copyright (C) 2021 The Psycopg Team
from time import monotonic
from random import random
from typing import Any, Callable, Dict, Generic, Optional, Tuple
from psycopg import errors as e
from psycopg.abc import ConnectionType
from .errors import PoolClosed
from ._compat import Counter, Deque
class BasePool(Generic[ConnectionType]):
# Used to generate pool names
_num_pool = 0
# Stats keys
_POOL_MIN = "pool_min"
_POOL_MAX = "pool_max"
_POOL_SIZE = "pool_size"
_POOL_AVAILABLE = "pool_available"
_REQUESTS_WAITING = "requests_waiting"
_REQUESTS_NUM = "requests_num"
_REQUESTS_QUEUED = "requests_queued"
_REQUESTS_WAIT_MS = "requests_wait_ms"
_REQUESTS_ERRORS = "requests_errors"
_USAGE_MS = "usage_ms"
_RETURNS_BAD = "returns_bad"
_CONNECTIONS_NUM = "connections_num"
_CONNECTIONS_MS = "connections_ms"
_CONNECTIONS_ERRORS = "connections_errors"
_CONNECTIONS_LOST = "connections_lost"
def __init__(
self,
conninfo: str = "",
*,
kwargs: Optional[Dict[str, Any]] = None,
min_size: int = 4,
max_size: Optional[int] = None,
open: bool = True,
name: Optional[str] = None,
timeout: float = 30.0,
max_waiting: int = 0,
max_lifetime: float = 60 * 60.0,
max_idle: float = 10 * 60.0,
reconnect_timeout: float = 5 * 60.0,
reconnect_failed: Optional[Callable[["BasePool[ConnectionType]"], None]] = None,
num_workers: int = 3,
):
min_size, max_size = self._check_size(min_size, max_size)
if not name:
num = BasePool._num_pool = BasePool._num_pool + 1
name = f"pool-{num}"
if num_workers < 1:
raise ValueError("num_workers must be at least 1")
self.conninfo = conninfo
self.kwargs: Dict[str, Any] = kwargs or {}
self._reconnect_failed: Callable[["BasePool[ConnectionType]"], None]
self._reconnect_failed = reconnect_failed or (lambda pool: None)
self.name = name
self._min_size = min_size
self._max_size = max_size
self.timeout = timeout
self.max_waiting = max_waiting
self.reconnect_timeout = reconnect_timeout
self.max_lifetime = max_lifetime
self.max_idle = max_idle
self.num_workers = num_workers
self._nconns = min_size # currently in the pool, out, being prepared
self._pool = Deque[ConnectionType]()
self._stats = Counter[str]()
# Min number of connections in the pool in a max_idle unit of time.
# It is reset periodically by the ShrinkPool scheduled task.
# It is used to shrink back the pool if maxcon > min_size and extra
# connections have been acquired, if we notice that in the last
# max_idle interval they weren't all used.
self._nconns_min = min_size
# Flag to allow the pool to grow only one connection at time. In case
# of spike, if threads are allowed to grow in parallel and connection
# time is slow, there won't be any thread available to return the
# connections to the pool.
self._growing = False
self._opened = False
self._closed = True
def __repr__(self) -> str:
return (
f"<{self.__class__.__module__}.{self.__class__.__name__}"
f" {self.name!r} at 0x{id(self):x}>"
)
@property
def min_size(self) -> int:
return self._min_size
@property
def max_size(self) -> int:
return self._max_size
@property
def closed(self) -> bool:
"""`!True` if the pool is closed."""
return self._closed
def _check_size(self, min_size: int, max_size: Optional[int]) -> Tuple[int, int]:
if max_size is None:
max_size = min_size
if min_size < 0:
raise ValueError("min_size cannot be negative")
if max_size < min_size:
raise ValueError("max_size must be greater or equal than min_size")
if min_size == max_size == 0:
raise ValueError("if min_size is 0 max_size must be greater or than 0")
return min_size, max_size
def _check_open(self) -> None:
if self._closed and self._opened:
raise e.OperationalError(
"pool has already been opened/closed and cannot be reused"
)
def _check_open_getconn(self) -> None:
if self._closed:
if self._opened:
raise PoolClosed(f"the pool {self.name!r} is already closed")
else:
raise PoolClosed(f"the pool {self.name!r} is not open yet")
def _check_pool_putconn(self, conn: ConnectionType) -> None:
pool = getattr(conn, "_pool", None)
if pool is self:
return
if pool:
msg = f"it comes from pool {pool.name!r}"
else:
msg = "it doesn't come from any pool"
raise ValueError(
f"can't return connection to pool {self.name!r}, {msg}: {conn}"
)
def get_stats(self) -> Dict[str, int]:
"""
Return current stats about the pool usage.
"""
rv = dict(self._stats)
rv.update(self._get_measures())
return rv
def pop_stats(self) -> Dict[str, int]:
"""
Return current stats about the pool usage.
After the call, all the counters are reset to zero.
"""
stats, self._stats = self._stats, Counter()
rv = dict(stats)
rv.update(self._get_measures())
return rv
def _get_measures(self) -> Dict[str, int]:
"""
Return immediate measures of the pool (not counters).
"""
return {
self._POOL_MIN: self._min_size,
self._POOL_MAX: self._max_size,
self._POOL_SIZE: self._nconns,
self._POOL_AVAILABLE: len(self._pool),
}
@classmethod
def _jitter(cls, value: float, min_pc: float, max_pc: float) -> float:
"""
Add a random value to *value* between *min_pc* and *max_pc* percent.
"""
return value * (1.0 + ((max_pc - min_pc) * random()) + min_pc)
def _set_connection_expiry_date(self, conn: ConnectionType) -> None:
"""Set an expiry date on a connection.
Add some randomness to avoid mass reconnection.
"""
conn._expire_at = monotonic() + self._jitter(self.max_lifetime, -0.05, 0.0)
class ConnectionAttempt:
"""Keep the state of a connection attempt."""
INITIAL_DELAY = 1.0
DELAY_JITTER = 0.1
DELAY_BACKOFF = 2.0
def __init__(self, *, reconnect_timeout: float):
self.reconnect_timeout = reconnect_timeout
self.delay = 0.0
self.give_up_at = 0.0
def update_delay(self, now: float) -> None:
"""Calculate how long to wait for a new connection attempt"""
if self.delay == 0.0:
self.give_up_at = now + self.reconnect_timeout
self.delay = BasePool._jitter(
self.INITIAL_DELAY, -self.DELAY_JITTER, self.DELAY_JITTER
)
else:
self.delay *= self.DELAY_BACKOFF
if self.delay + now > self.give_up_at:
self.delay = max(0.0, self.give_up_at - now)
def time_to_give_up(self, now: float) -> bool:
"""Return True if we are tired of trying to connect. Meh."""
return self.give_up_at > 0.0 and now >= self.give_up_at
|