forked from mongodb/mongo-python-driver
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtest_pooling.py
596 lines (482 loc) · 21 KB
/
test_pooling.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
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
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
# Copyright 2009-present MongoDB, Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Test built in connection-pooling with threads."""
from __future__ import annotations
import asyncio
import gc
import random
import socket
import sys
import time
from test.asynchronous.utils import async_get_pool, async_joinall
from bson.codec_options import DEFAULT_CODEC_OPTIONS
from bson.son import SON
from pymongo import AsyncMongoClient, message, timeout
from pymongo.errors import AutoReconnect, ConnectionFailure, DuplicateKeyError
from pymongo.hello import HelloCompat
from pymongo.lock import _async_create_lock
sys.path[0:0] = [""]
from test.asynchronous import AsyncIntegrationTest, async_client_context, unittest
from test.asynchronous.helpers import ConcurrentRunner
from test.utils_shared import delay
from pymongo.asynchronous.pool import Pool, PoolOptions
from pymongo.socket_checker import SocketChecker
_IS_SYNC = False
N = 10
DB = "pymongo-pooling-tests"
async def gc_collect_until_done(tasks, timeout=60):
start = time.time()
running = list(tasks)
while running:
assert (time.time() - start) < timeout, "Tasks timed out"
for t in running:
await t.join(0.1)
if not t.is_alive():
running.remove(t)
gc.collect()
class MongoTask(ConcurrentRunner):
"""A thread/Task that uses a AsyncMongoClient."""
def __init__(self, client):
super().__init__()
self.daemon = True # Don't hang whole test if task hangs.
self.client = client
self.db = self.client[DB]
self.passed = False
async def run(self):
await self.run_mongo_thread()
self.passed = True
async def run_mongo_thread(self):
raise NotImplementedError
class InsertOneAndFind(MongoTask):
async def run_mongo_thread(self):
for _ in range(N):
rand = random.randint(0, N)
_id = (await self.db.sf.insert_one({"x": rand})).inserted_id
assert rand == (await self.db.sf.find_one(_id))["x"]
class Unique(MongoTask):
async def run_mongo_thread(self):
for _ in range(N):
await self.db.unique.insert_one({}) # no error
class NonUnique(MongoTask):
async def run_mongo_thread(self):
for _ in range(N):
try:
await self.db.unique.insert_one({"_id": "jesse"})
except DuplicateKeyError:
pass
else:
raise AssertionError("Should have raised DuplicateKeyError")
class SocketGetter(MongoTask):
"""Utility for TestPooling.
Checks out a socket and holds it forever. Used in
test_no_wait_queue_timeout.
"""
def __init__(self, client, pool):
super().__init__(client)
self.state = "init"
self.pool = pool
self.sock = None
async def run_mongo_thread(self):
self.state = "get_socket"
# Call 'pin_cursor' so we can hold the socket.
async with self.pool.checkout() as sock:
sock.pin_cursor()
self.sock = sock
self.state = "connection"
def __del__(self):
if self.sock:
self.sock.close_conn(None)
async def run_cases(client, cases):
tasks = []
n_runs = 5
for case in cases:
for _i in range(n_runs):
t = case(client)
await t.start()
tasks.append(t)
for t in tasks:
await t.join()
for t in tasks:
assert t.passed, "%s.run() threw an exception" % repr(t)
class _TestPoolingBase(AsyncIntegrationTest):
"""Base class for all connection-pool tests."""
@async_client_context.require_connection
async def asyncSetUp(self):
await super().asyncSetUp()
self.c = await self.async_rs_or_single_client()
db = self.c[DB]
await db.unique.drop()
await db.test.drop()
await db.unique.insert_one({"_id": "jesse"})
await db.test.insert_many([{} for _ in range(10)])
async def create_pool(self, pair=None, *args, **kwargs):
if pair is None:
pair = (await async_client_context.host, await async_client_context.port)
# Start the pool with the correct ssl options.
pool_options = async_client_context.client._topology_settings.pool_options
kwargs["ssl_context"] = pool_options._ssl_context
kwargs["tls_allow_invalid_hostnames"] = pool_options.tls_allow_invalid_hostnames
kwargs["server_api"] = pool_options.server_api
pool = Pool(pair, PoolOptions(*args, **kwargs))
await pool.ready()
return pool
class TestPooling(_TestPoolingBase):
async def test_max_pool_size_validation(self):
host, port = await async_client_context.host, await async_client_context.port
self.assertRaises(ValueError, AsyncMongoClient, host=host, port=port, maxPoolSize=-1)
self.assertRaises(ValueError, AsyncMongoClient, host=host, port=port, maxPoolSize="foo")
c = AsyncMongoClient(host=host, port=port, maxPoolSize=100, connect=False)
self.assertEqual(c.options.pool_options.max_pool_size, 100)
async def test_no_disconnect(self):
await run_cases(self.c, [NonUnique, Unique, InsertOneAndFind])
async def test_pool_reuses_open_socket(self):
# Test Pool's _check_closed() method doesn't close a healthy socket.
cx_pool = await self.create_pool(max_pool_size=10)
cx_pool._check_interval_seconds = 0 # Always check.
async with cx_pool.checkout() as conn:
pass
async with cx_pool.checkout() as new_connection:
self.assertEqual(conn, new_connection)
self.assertEqual(1, len(cx_pool.conns))
async def test_get_socket_and_exception(self):
# get_socket() returns socket after a non-network error.
cx_pool = await self.create_pool(max_pool_size=1, wait_queue_timeout=1)
with self.assertRaises(ZeroDivisionError):
async with cx_pool.checkout() as conn:
1 / 0
# Socket was returned, not closed.
async with cx_pool.checkout() as new_connection:
self.assertEqual(conn, new_connection)
self.assertEqual(1, len(cx_pool.conns))
async def test_pool_removes_closed_socket(self):
# Test that Pool removes explicitly closed socket.
cx_pool = await self.create_pool()
async with cx_pool.checkout() as conn:
# Use Connection's API to close the socket.
conn.close_conn(None)
self.assertEqual(0, len(cx_pool.conns))
async def test_pool_removes_dead_socket(self):
# Test that Pool removes dead socket and the socket doesn't return
# itself PYTHON-344
cx_pool = await self.create_pool(max_pool_size=1, wait_queue_timeout=1)
cx_pool._check_interval_seconds = 0 # Always check.
async with cx_pool.checkout() as conn:
# Simulate a closed socket without telling the Connection it's
# closed.
conn.conn.close()
self.assertTrue(conn.conn_closed())
async with cx_pool.checkout() as new_connection:
self.assertEqual(0, len(cx_pool.conns))
self.assertNotEqual(conn, new_connection)
self.assertEqual(1, len(cx_pool.conns))
# Semaphore was released.
async with cx_pool.checkout():
pass
async def test_socket_closed(self):
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect((await async_client_context.host, await async_client_context.port))
socket_checker = SocketChecker()
self.assertFalse(socket_checker.socket_closed(s))
s.close()
self.assertTrue(socket_checker.socket_closed(s))
async def test_socket_checker(self):
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect((await async_client_context.host, await async_client_context.port))
socket_checker = SocketChecker()
# Socket has nothing to read.
self.assertFalse(socket_checker.select(s, read=True))
self.assertFalse(socket_checker.select(s, read=True, timeout=0))
self.assertFalse(socket_checker.select(s, read=True, timeout=0.05))
# Socket is writable.
self.assertTrue(socket_checker.select(s, write=True, timeout=None))
self.assertTrue(socket_checker.select(s, write=True))
self.assertTrue(socket_checker.select(s, write=True, timeout=0))
self.assertTrue(socket_checker.select(s, write=True, timeout=0.05))
# Make the socket readable
_, msg, _ = message._query(
0, "admin.$cmd", 0, -1, SON([("ping", 1)]), None, DEFAULT_CODEC_OPTIONS
)
s.sendall(msg)
# Block until the socket is readable.
self.assertTrue(socket_checker.select(s, read=True, timeout=None))
self.assertTrue(socket_checker.select(s, read=True))
self.assertTrue(socket_checker.select(s, read=True, timeout=0))
self.assertTrue(socket_checker.select(s, read=True, timeout=0.05))
# Socket is still writable.
self.assertTrue(socket_checker.select(s, write=True, timeout=None))
self.assertTrue(socket_checker.select(s, write=True))
self.assertTrue(socket_checker.select(s, write=True, timeout=0))
self.assertTrue(socket_checker.select(s, write=True, timeout=0.05))
s.close()
self.assertTrue(socket_checker.socket_closed(s))
async def test_return_socket_after_reset(self):
pool = await self.create_pool()
async with pool.checkout() as sock:
self.assertEqual(pool.active_sockets, 1)
self.assertEqual(pool.operation_count, 1)
await pool.reset()
self.assertTrue(sock.closed)
self.assertEqual(0, len(pool.conns))
self.assertEqual(pool.active_sockets, 0)
self.assertEqual(pool.operation_count, 0)
async def test_pool_check(self):
# Test that Pool recovers from two connection failures in a row.
# This exercises code at the end of Pool._check().
cx_pool = await self.create_pool(max_pool_size=1, connect_timeout=1, wait_queue_timeout=1)
cx_pool._check_interval_seconds = 0 # Always check.
self.addAsyncCleanup(cx_pool.close)
async with cx_pool.checkout() as conn:
# Simulate a closed socket without telling the Connection it's
# closed.
conn.conn.close()
# Swap pool's address with a bad one.
address, cx_pool.address = cx_pool.address, ("foo.com", 1234)
with self.assertRaises(AutoReconnect):
async with cx_pool.checkout():
pass
# Back to normal, semaphore was correctly released.
cx_pool.address = address
async with cx_pool.checkout():
pass
async def test_wait_queue_timeout(self):
wait_queue_timeout = 2 # Seconds
pool = await self.create_pool(max_pool_size=1, wait_queue_timeout=wait_queue_timeout)
self.addAsyncCleanup(pool.close)
async with pool.checkout():
start = time.time()
with self.assertRaises(ConnectionFailure):
async with pool.checkout():
pass
duration = time.time() - start
self.assertTrue(
abs(wait_queue_timeout - duration) < 1,
f"Waited {duration:.2f} seconds for a socket, expected {wait_queue_timeout:f}",
)
async def test_no_wait_queue_timeout(self):
# Verify get_socket() with no wait_queue_timeout blocks forever.
pool = await self.create_pool(max_pool_size=1)
self.addAsyncCleanup(pool.close)
# Reach max_size.
async with pool.checkout() as s1:
t = SocketGetter(self.c, pool)
await t.start()
while t.state != "get_socket":
await asyncio.sleep(0.1)
await asyncio.sleep(1)
self.assertEqual(t.state, "get_socket")
while t.state != "connection":
await asyncio.sleep(0.1)
self.assertEqual(t.state, "connection")
self.assertEqual(t.sock, s1)
async def test_checkout_more_than_max_pool_size(self):
pool = await self.create_pool(max_pool_size=2)
socks = []
for _ in range(2):
# Call 'pin_cursor' so we can hold the socket.
async with pool.checkout() as sock:
sock.pin_cursor()
socks.append(sock)
tasks = []
for _ in range(30):
t = SocketGetter(self.c, pool)
await t.start()
tasks.append(t)
await asyncio.sleep(1)
for t in tasks:
self.assertEqual(t.state, "get_socket")
for socket_info in socks:
socket_info.close_conn(None)
async def test_maxConnecting(self):
client = await self.async_rs_or_single_client()
await self.client.test.test.insert_one({})
self.addAsyncCleanup(self.client.test.test.delete_many, {})
pool = await async_get_pool(client)
docs = []
# Run 50 short running operations
async def find_one():
docs.append(await client.test.test.find_one({}))
tasks = [ConcurrentRunner(target=find_one) for _ in range(50)]
for task in tasks:
await task.start()
for task in tasks:
await task.join(10)
self.assertEqual(len(docs), 50)
self.assertLessEqual(len(pool.conns), 50)
# TLS and auth make connection establishment more expensive than
# the query which leads to more threads hitting maxConnecting.
# The end result is fewer total connections and better latency.
if async_client_context.tls and async_client_context.auth_enabled:
self.assertLessEqual(len(pool.conns), 30)
else:
self.assertLessEqual(len(pool.conns), 50)
# MongoDB 4.4.1 with auth + ssl:
# maxConnecting = 2: 6 connections in ~0.231+ seconds
# maxConnecting = unbounded: 50 connections in ~0.642+ seconds
#
# MongoDB 4.4.1 with no-auth no-ssl Python 3.8:
# maxConnecting = 2: 15-22 connections in ~0.108+ seconds
# maxConnecting = unbounded: 30+ connections in ~0.140+ seconds
print(len(pool.conns))
@async_client_context.require_failCommand_appName
async def test_csot_timeout_message(self):
client = await self.async_rs_or_single_client(appName="connectionTimeoutApp")
# Mock an operation failing due to pymongo.timeout().
mock_connection_timeout = {
"configureFailPoint": "failCommand",
"mode": "alwaysOn",
"data": {
"blockConnection": True,
"blockTimeMS": 1000,
"failCommands": ["find"],
"appName": "connectionTimeoutApp",
},
}
await client.db.t.insert_one({"x": 1})
async with self.fail_point(mock_connection_timeout):
with self.assertRaises(Exception) as error:
with timeout(0.5):
await client.db.t.find_one({"$where": delay(2)})
self.assertTrue("(configured timeouts: timeoutMS: 500.0ms" in str(error.exception))
@async_client_context.require_failCommand_appName
async def test_socket_timeout_message(self):
client = await self.async_rs_or_single_client(
socketTimeoutMS=500, appName="connectionTimeoutApp"
)
# Mock an operation failing due to socketTimeoutMS.
mock_connection_timeout = {
"configureFailPoint": "failCommand",
"mode": "alwaysOn",
"data": {
"blockConnection": True,
"blockTimeMS": 1000,
"failCommands": ["find"],
"appName": "connectionTimeoutApp",
},
}
await client.db.t.insert_one({"x": 1})
async with self.fail_point(mock_connection_timeout):
with self.assertRaises(Exception) as error:
await client.db.t.find_one({"$where": delay(2)})
self.assertTrue(
"(configured timeouts: socketTimeoutMS: 500.0ms, connectTimeoutMS: 20000.0ms)"
in str(error.exception)
)
@async_client_context.require_failCommand_appName
async def test_connection_timeout_message(self):
# Mock a connection creation failing due to timeout.
mock_connection_timeout = {
"configureFailPoint": "failCommand",
"mode": "alwaysOn",
"data": {
"blockConnection": True,
"blockTimeMS": 1000,
"failCommands": [HelloCompat.LEGACY_CMD, "hello"],
"appName": "connectionTimeoutApp",
},
}
client = await self.async_rs_or_single_client(
connectTimeoutMS=500,
socketTimeoutMS=500,
appName="connectionTimeoutApp",
heartbeatFrequencyMS=1000000,
)
await client.admin.command("ping")
pool = await async_get_pool(client)
await pool.reset_without_pause()
async with self.fail_point(mock_connection_timeout):
with self.assertRaises(Exception) as error:
await client.admin.command("ping")
self.assertTrue(
"(configured timeouts: socketTimeoutMS: 500.0ms, connectTimeoutMS: 500.0ms)"
in str(error.exception)
)
class TestPoolMaxSize(_TestPoolingBase):
async def test_max_pool_size(self):
max_pool_size = 4
c = await self.async_rs_or_single_client(maxPoolSize=max_pool_size)
collection = c[DB].test
# Need one document.
await collection.drop()
await collection.insert_one({})
# ntasks had better be much larger than max_pool_size to ensure that
# max_pool_size connections are actually required at some point in this
# test's execution.
cx_pool = await async_get_pool(c)
ntasks = 10
tasks = []
lock = _async_create_lock()
self.n_passed = 0
async def f():
for _ in range(5):
await collection.find_one({"$where": delay(0.1)})
assert len(cx_pool.conns) <= max_pool_size
async with lock:
self.n_passed += 1
for _i in range(ntasks):
t = ConcurrentRunner(target=f)
tasks.append(t)
await t.start()
await async_joinall(tasks)
self.assertEqual(ntasks, self.n_passed)
self.assertTrue(len(cx_pool.conns) > 1)
self.assertEqual(0, cx_pool.requests)
async def test_max_pool_size_none(self):
c = await self.async_rs_or_single_client(maxPoolSize=None)
collection = c[DB].test
# Need one document.
await collection.drop()
await collection.insert_one({})
cx_pool = await async_get_pool(c)
ntasks = 10
tasks = []
lock = _async_create_lock()
self.n_passed = 0
async def f():
for _ in range(5):
await collection.find_one({"$where": delay(0.1)})
async with lock:
self.n_passed += 1
for _i in range(ntasks):
t = ConcurrentRunner(target=f)
tasks.append(t)
await t.start()
await async_joinall(tasks)
self.assertEqual(ntasks, self.n_passed)
self.assertTrue(len(cx_pool.conns) > 1)
self.assertEqual(cx_pool.max_pool_size, float("inf"))
async def test_max_pool_size_zero(self):
c = await self.async_rs_or_single_client(maxPoolSize=0)
pool = await async_get_pool(c)
self.assertEqual(pool.max_pool_size, float("inf"))
async def test_max_pool_size_with_connection_failure(self):
# The pool acquires its semaphore before attempting to connect; ensure
# it releases the semaphore on connection failure.
test_pool = Pool(
("somedomainthatdoesntexist.org", 27017),
PoolOptions(max_pool_size=1, connect_timeout=1, socket_timeout=1, wait_queue_timeout=1),
)
await test_pool.ready()
# First call to get_socket fails; if pool doesn't release its semaphore
# then the second call raises "ConnectionFailure: Timed out waiting for
# socket from pool" instead of AutoReconnect.
for _i in range(2):
with self.assertRaises(AutoReconnect) as context:
async with test_pool.checkout():
pass
# Testing for AutoReconnect instead of ConnectionFailure, above,
# is sufficient right *now* to catch a semaphore leak. But that
# seems error-prone, so check the message too.
self.assertNotIn("waiting for socket from pool", str(context.exception))
if __name__ == "__main__":
unittest.main()