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 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652
|
# Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
# SPDX-License-Identifier: Apache-2.0.
import time
import socket
import sys
import asyncio
import unittest
import threading
import subprocess
import concurrent.futures
from urllib.parse import urlparse
from test import NativeResourceTest
import ssl
import os
from io import BytesIO
from http.server import HTTPServer, SimpleHTTPRequestHandler
from awscrt import io
from awscrt.io import ClientBootstrap, ClientTlsContext, DefaultHostResolver, EventLoopGroup, TlsContextOptions, TlsCipherPref
from awscrt.http import HttpHeaders, HttpRequest, HttpVersion, Http2Setting, Http2SettingID
from awscrt.aio.http import AIOHttpClientConnection, AIOHttp2ClientConnection
import threading
class Response:
"""Holds contents of incoming response"""
def __init__(self):
self.status_code = None
self.headers = None
self.body = bytearray()
async def collect_response(self, stream):
"""Collects complete response from a stream"""
# Get status code and headers
self.status_code = await stream.get_response_status_code()
headers_list = await stream.get_response_headers()
self.headers = HttpHeaders(headers_list)
# Collect body chunks
while True:
chunk = await stream.get_next_response_chunk()
if not chunk:
break
self.body.extend(chunk)
# Return status code for convenience
return self.status_code
class TestRequestHandler(SimpleHTTPRequestHandler):
"""Request handler for test server"""
def do_PUT(self):
content_length = int(self.headers['Content-Length'])
# store put request on the server object
incoming_body_bytes = self.rfile.read(content_length)
self.server.put_requests[self.path] = incoming_body_bytes
self.send_response(200, 'OK')
self.end_headers()
class TestAsyncClient(NativeResourceTest):
hostname = 'localhost'
timeout = 5 # seconds
def _start_server(self, secure, http_1_0=False):
# HTTP/1.0 closes the connection at the end of each request
# HTTP/1.1 will keep the connection alive
if http_1_0:
TestRequestHandler.protocol_version = "HTTP/1.0"
else:
TestRequestHandler.protocol_version = "HTTP/1.1"
self.server = HTTPServer((self.hostname, 0), TestRequestHandler)
if secure:
context = ssl.SSLContext(ssl.PROTOCOL_TLS_SERVER)
context.minimum_version = ssl.TLSVersion.TLSv1_2
context.load_cert_chain(certfile='test/resources/unittest.crt', keyfile="test/resources/unittest.key")
self.server.socket = context.wrap_socket(self.server.socket, server_side=True)
self.port = self.server.server_address[1]
# put requests are stored in this dict
self.server.put_requests = {}
self.server_thread = threading.Thread(target=self.server.serve_forever, name='test_server')
self.server_thread.start()
def _stop_server(self):
self.server.shutdown()
self.server.server_close()
self.server_thread.join()
async def _new_client_connection(self, secure, proxy_options=None):
if secure:
tls_ctx_opt = TlsContextOptions()
tls_ctx_opt.verify_peer = False
tls_ctx = ClientTlsContext(tls_ctx_opt)
tls_conn_opt = tls_ctx.new_connection_options()
tls_conn_opt.set_server_name(self.hostname)
else:
tls_conn_opt = None
event_loop_group = EventLoopGroup()
host_resolver = DefaultHostResolver(event_loop_group)
bootstrap = ClientBootstrap(event_loop_group, host_resolver)
return await AIOHttpClientConnection.new(
host_name=self.hostname,
port=self.port,
bootstrap=bootstrap,
tls_connection_options=tls_conn_opt,
proxy_options=proxy_options)
async def _test_connect(self, secure):
self._start_server(secure)
try:
connection = await self._new_client_connection(secure)
# close connection
await connection.close()
self.assertFalse(connection.is_open())
finally:
self._stop_server()
async def _test_get(self, secure):
# GET request receives this very file from the server
self._start_server(secure)
try:
connection = await self._new_client_connection(secure)
self.assertTrue(connection.is_open())
test_asset_path = 'test/test_aiohttp_client.py'
# Create request and get stream - stream is already activated
request = HttpRequest('GET', '/' + test_asset_path)
stream = connection.request(request)
# Collect and process response
response = Response()
status_code = await response.collect_response(stream)
# Verify results
self.assertEqual(200, status_code)
self.assertEqual(200, response.status_code)
with open(test_asset_path, 'rb') as test_asset:
test_asset_bytes = test_asset.read()
self.assertEqual(test_asset_bytes, response.body)
await connection.close()
finally:
self._stop_server()
async def _test_put(self, secure):
# PUT request sends this very file to the server
self._start_server(secure)
try:
connection = await self._new_client_connection(secure)
test_asset_path = 'test/test_aiohttp_client.py'
with open(test_asset_path, 'rb') as outgoing_body_stream:
outgoing_body_bytes = outgoing_body_stream.read()
headers = HttpHeaders([
('Content-Length', str(len(outgoing_body_bytes))),
])
# seek back to start of stream before trying to send it
outgoing_body_stream.seek(0)
# Create request and get stream - stream is already activated
request = HttpRequest('PUT', '/' + test_asset_path, headers, outgoing_body_stream)
stream = connection.request(request)
# Collect and process response
response = Response()
status_code = await response.collect_response(stream)
# Verify results
self.assertEqual(200, status_code)
self.assertEqual(200, response.status_code)
# compare what we sent against what the server received
server_received = self.server.put_requests.get('/' + test_asset_path)
self.assertIsNotNone(server_received)
self.assertEqual(server_received, outgoing_body_bytes)
await connection.close()
finally:
self._stop_server()
async def _test_shutdown_error(self, secure):
# Use HTTP/1.0 connection to force a connection close after request completes
self._start_server(secure, http_1_0=True)
try:
connection = await self._new_client_connection(secure)
# Send request
request = HttpRequest('GET', '/')
stream = connection.request(request)
# Collect response
response = Response()
await response.collect_response(stream)
# With HTTP/1.0, the server should close the connection
# We'll wait a bit and verify the connection is closed
await asyncio.sleep(0.5) # Give time for the server to close connection
self.assertFalse(connection.is_open())
finally:
self._stop_server()
async def _test_stream_lives_until_complete(self, secure):
# Ensure that stream and connection classes stay alive until work is complete
self._start_server(secure)
try:
connection = await self._new_client_connection(secure)
request = HttpRequest('GET', '/test/test_aiohttp_client.py')
stream = connection.request(request)
# Store stream but delete all local references
response = Response()
# Schedule task to collect response but don't await it yet
collect_task = asyncio.create_task(response.collect_response(stream))
# Delete references to stream and connection
del stream
del connection
# Now await the collection task - stream should still complete successfully
status_code = await collect_task
self.assertEqual(200, status_code)
finally:
self._stop_server()
async def _test_request_lives_until_stream_complete(self, secure):
# Ensure HttpRequest and body InputStream stay alive until HttpClientStream completes
self._start_server(secure)
try:
connection = await self._new_client_connection(secure)
request = HttpRequest(
method='PUT',
path='/test/test_request_refcounts.txt',
headers=HttpHeaders([('Host', self.hostname), ('Content-Length', '5')]),
body_stream=BytesIO(b'hello'))
# Create stream but delete the request
stream = connection.request(request)
del request
# Now collect the response - should still work since the stream keeps the request alive
response = Response()
status_code = await response.collect_response(stream)
self.assertEqual(200, status_code)
await connection.close()
finally:
self._stop_server()
async def _new_h2_client_connection(self, url):
event_loop_group = EventLoopGroup()
host_resolver = DefaultHostResolver(event_loop_group)
bootstrap = ClientBootstrap(event_loop_group, host_resolver)
port = url.port
if port is None:
port = 443
tls_ctx_options = TlsContextOptions()
tls_ctx_options.verify_peer = False # Allow localhost
tls_ctx = ClientTlsContext(tls_ctx_options)
tls_conn_opt = tls_ctx.new_connection_options()
tls_conn_opt.set_server_name(url.hostname)
tls_conn_opt.set_alpn_list(["h2"])
connection = await AIOHttp2ClientConnection.new(
host_name=url.hostname,
port=port,
bootstrap=bootstrap,
tls_connection_options=tls_conn_opt)
return connection
async def _test_h2_client(self):
url = urlparse("https://d1cz66xoahf9cl.cloudfront.net/http_test_doc.txt")
connection = await self._new_h2_client_connection(url)
# Check we set an h2 connection
self.assertEqual(connection.version, HttpVersion.Http2)
request = HttpRequest('GET', url.path)
request.headers.add('host', url.hostname)
stream = connection.request(request)
response = Response()
status_code = await response.collect_response(stream)
# Check result
self.assertEqual(200, status_code)
self.assertEqual(200, response.status_code)
self.assertEqual(14428801, len(response.body))
await connection.close()
async def _test_h2_manual_write_exception(self):
url = urlparse("https://d1cz66xoahf9cl.cloudfront.net/http_test_doc.txt")
connection = await self._new_h2_client_connection(url)
# Check we set an h2 connection
self.assertEqual(connection.version, HttpVersion.Http2)
request = HttpRequest('GET', url.path)
request.headers.add('host', url.hostname)
# Create stream without using request_body_generator parameter
# (which would be needed to properly configure it for writing)
stream = connection.request(request)
# The stream should have write_data attribute but using it should raise an exception
# since the stream isn't properly configured for manual writing
exception = None
try:
# Attempt to access internal write_data method which should raise an exception
# since the stream wasn't created with request_body_generator
await stream._write_data(BytesIO(b'hello'), False)
except (RuntimeError, AttributeError) as e:
exception = e
self.assertIsNotNone(exception)
await connection.close()
def test_connect_http(self):
asyncio.run(self._test_connect(secure=False))
def test_connect_https(self):
asyncio.run(self._test_connect(secure=True))
def test_get_http(self):
asyncio.run(self._test_get(secure=False))
def test_get_https(self):
asyncio.run(self._test_get(secure=True))
def test_put_http(self):
asyncio.run(self._test_put(secure=False))
def test_put_https(self):
asyncio.run(self._test_put(secure=True))
def test_shutdown_error_http(self):
asyncio.run(self._test_shutdown_error(secure=False))
def test_shutdown_error_https(self):
asyncio.run(self._test_shutdown_error(secure=True))
def test_stream_lives_until_complete_http(self):
asyncio.run(self._test_stream_lives_until_complete(secure=False))
def test_stream_lives_until_complete_https(self):
asyncio.run(self._test_stream_lives_until_complete(secure=True))
def test_request_lives_until_stream_complete_http(self):
asyncio.run(self._test_request_lives_until_stream_complete(secure=False))
def test_request_lives_until_stream_complete_https(self):
asyncio.run(self._test_request_lives_until_stream_complete(secure=True))
def test_h2_client(self):
asyncio.run(self._test_h2_client())
def test_h2_manual_write_exception(self):
asyncio.run(self._test_h2_manual_write_exception())
@unittest.skipIf(not TlsCipherPref.PQ_DEFAULT.is_supported(), "Cipher pref not supported")
def test_connect_pq_default(self):
async def _test():
await self._test_connect(secure=True)
asyncio.run(_test())
async def _test_cross_thread_http_client(self, secure):
"""Test using an HTTP client from a different thread/event loop."""
self._start_server(secure)
try:
# Create connection in the main thread
connection = await self._new_client_connection(secure)
self.assertTrue(connection.is_open())
# Function to run in a different thread with a different event loop
async def thread_func(conn):
# Create new event loop for this thread
test_asset_path = 'test/test_aiohttp_client.py'
request = HttpRequest('GET', '/' + test_asset_path)
# Use the connection but with the current thread's event loop
thread_loop = asyncio.get_event_loop()
stream = conn.request(request, loop=thread_loop)
# Collect and process response
response = Response()
status_code = await response.collect_response(stream)
# Verify results
assert status_code == 200
with open(test_asset_path, 'rb') as test_asset:
test_asset_bytes = test_asset.read()
assert test_asset_bytes == response.body
return True
# Run in executor to get a different thread
with concurrent.futures.ThreadPoolExecutor() as executor:
future = executor.submit(
lambda: asyncio.run(thread_func(connection))
)
result = future.result()
self.assertTrue(result)
await connection.close()
finally:
self._stop_server()
async def _test_cross_thread_http2_client(self):
"""Test using an HTTP/2 client from a different thread/event loop."""
url = urlparse("https://d1cz66xoahf9cl.cloudfront.net/http_test_doc.txt")
connection = await self._new_h2_client_connection(url)
# Check we set an h2 connection
self.assertEqual(connection.version, HttpVersion.Http2)
# Function to run in a different thread with a different event loop
async def thread_func(conn):
request = HttpRequest('GET', url.path)
request.headers.add('host', url.hostname)
# Use the connection but with the current thread's event loop
thread_loop = asyncio.get_event_loop()
stream = conn.request(request, loop=thread_loop)
response = Response()
status_code = await response.collect_response(stream)
# Check result
assert status_code == 200
return len(response.body)
# Run in executor to get a different thread
with concurrent.futures.ThreadPoolExecutor() as executor:
future = executor.submit(
lambda: asyncio.run(thread_func(connection))
)
body_length = future.result()
self.assertEqual(14428801, body_length)
await connection.close()
def test_cross_thread_http_client(self):
asyncio.run(self._test_cross_thread_http_client(secure=False))
def test_cross_thread_https_client(self):
asyncio.run(self._test_cross_thread_http_client(secure=True))
def test_cross_thread_http2_client(self):
asyncio.run(self._test_cross_thread_http2_client())
@unittest.skipUnless(os.environ.get('AWS_TEST_LOCALHOST'), 'set env var to run test: AWS_TEST_LOCALHOST')
class TestAsyncClientMockServer(NativeResourceTest):
timeout = 5 # seconds
p_server = None
mock_server_url = None
def setUp(self):
super().setUp()
# Start the mock server from the aws-c-http
server_path = os.path.join(
os.path.dirname(__file__),
'..',
'crt',
'aws-c-http',
'tests',
'py_localhost',
'server.py')
python_path = sys.executable
self.mock_server_url = urlparse("https://localhost:3443/upload_test")
self.p_server = subprocess.Popen([python_path, server_path])
# Wait for server to be ready
self._wait_for_server_ready()
def _wait_for_server_ready(self):
"""Wait until server is accepting connections."""
max_attempts = 20
for attempt in range(max_attempts):
try:
with socket.create_connection(("127.0.0.1", self.mock_server_url.port), timeout=1):
return # Server is ready
except (ConnectionRefusedError, socket.timeout):
time.sleep(0.5)
# If we get here, server failed to start
stdout, stderr = self.p_server.communicate(timeout=0.5)
raise RuntimeError(f"Server failed to start after {max_attempts} attempts.\n"
f"STDOUT: {stdout.decode()}\nSTDERR: {stderr.decode()}")
def tearDown(self):
self.p_server.terminate()
try:
self.p_server.wait(timeout=5)
except subprocess.TimeoutExpired:
self.p_server.kill()
super().tearDown()
def _on_remote_settings_changed(self, settings):
# The mock server has the default settings with
# ENABLE_PUSH = 0
# MAX_CONCURRENT_STREAMS = 100
# MAX_HEADER_LIST_SIZE = 2**16
# Check the settings here
self.assertEqual(len(settings), 3)
for i in settings:
if i.id == Http2SettingID.ENABLE_PUSH:
self.assertEqual(i.value, 0)
if i.id == Http2SettingID.MAX_CONCURRENT_STREAMS:
self.assertEqual(i.value, 100)
if i.id == Http2SettingID.MAX_HEADER_LIST_SIZE:
self.assertEqual(i.value, 2**16)
async def _new_mock_connection(self, initial_settings=None):
event_loop_group = EventLoopGroup()
host_resolver = DefaultHostResolver(event_loop_group)
bootstrap = ClientBootstrap(event_loop_group, host_resolver)
port = self.mock_server_url.port
# only test https
if port is None:
port = 443
tls_ctx_options = TlsContextOptions()
tls_ctx_options.verify_peer = False # allow localhost
tls_ctx = ClientTlsContext(tls_ctx_options)
tls_conn_opt = tls_ctx.new_connection_options()
tls_conn_opt.set_server_name(self.mock_server_url.hostname)
tls_conn_opt.set_alpn_list(["h2"])
if initial_settings is None:
initial_settings = [Http2Setting(Http2SettingID.ENABLE_PUSH, 0)]
connection = await AIOHttp2ClientConnection.new(
host_name=self.mock_server_url.hostname,
port=port,
bootstrap=bootstrap,
tls_connection_options=tls_conn_opt,
initial_settings=initial_settings,
on_remote_settings_changed=self._on_remote_settings_changed)
return connection
async def _test_h2_mock_server_manual_write(self):
connection = await self._new_mock_connection()
# check we set an h2 connection
self.assertEqual(connection.version, HttpVersion.Http2)
request = HttpRequest('POST', self.mock_server_url.path)
request.headers.add('host', self.mock_server_url.hostname)
# Create an async generator for the request body
body_chunks = [b'hello', b'he123123', b'', b'hello']
total_length = 0
for i in body_chunks:
total_length = total_length + len(i)
async def body_generator():
for i in body_chunks:
yield i
stream = connection.request(request, request_body_generator=body_generator())
# Collect response
response = Response()
status_code = await response.collect_response(stream)
# Check result
self.assertEqual(200, status_code)
self.assertEqual(200, response.status_code)
# mock server response the total length received, check if it matches what we sent
self.assertEqual(total_length, int(response.body.decode()))
await connection.close()
class DelayStream:
def __init__(self, bad_read=False):
self._read = False
self.bad_read = bad_read
def read(self, _len):
if self.bad_read:
# simulate a bad read that raises an exception
# this will cause the stream to fail
raise RuntimeError("bad read exception")
if self._read:
# return empty as EOS
return b''
else:
self._read = True
return b'hello'
async def _test_h2_mock_server_settings(self):
# Test with invalid settings - should throw an exception
exception = None
try:
# Invalid settings type
initial_settings = [100]
await self._new_mock_connection(initial_settings)
except Exception as e:
exception = e
self.assertIsNotNone(exception)
# Test with valid settings
connection = await self._new_mock_connection()
self.assertEqual(connection.version, HttpVersion.Http2)
request = HttpRequest('POST', self.mock_server_url.path)
request.headers.add('host', self.mock_server_url.hostname)
# Create an async generator for the request body
async def body_generator():
yield b'hello'
stream = connection.request(request, request_body_generator=body_generator())
response = Response()
status_code = await response.collect_response(stream)
self.assertEqual(200, status_code)
self.assertEqual(200, response.status_code)
await connection.close()
def test_h2_mock_server_manual_write(self):
asyncio.run(self._test_h2_mock_server_manual_write())
def test_h2_mock_server_settings(self):
asyncio.run(self._test_h2_mock_server_settings())
if __name__ == '__main__':
unittest.main()
|