proxy.py/proxy/core/acceptor/threadless.py

209 lines
7.3 KiB
Python

# -*- coding: utf-8 -*-
"""
proxy.py
~~~~~~~~
⚡⚡⚡ Fast, Lightweight, Pluggable, TLS interception capable proxy server focused on
Network monitoring, controls & Application development, testing, debugging.
:copyright: (c) 2013-present by Abhinav Singh and contributors.
:license: BSD, see LICENSE for more details.
"""
import argparse
import os
import socket
import logging
import asyncio
import selectors
import contextlib
import multiprocessing
from multiprocessing import connection
from multiprocessing.reduction import recv_handle
from typing import Dict, Optional, Tuple, List, Generator, Any, Type
from .work import Work
from ..connection import TcpClientConnection
from ..event import EventQueue, eventNames
from ...common.utils import setup_logger
from ...common.types import Readables, Writables
from ...common.constants import DEFAULT_TIMEOUT
logger = logging.getLogger(__name__)
class Threadless(multiprocessing.Process):
"""Threadless process provides an event loop.
Internally, for each client connection, an instance of `work_klass`
is created. Threadless will invoke necessary lifecycle of the `Work` class
allowing implementations to handle accepted client connections as they wish.
Note that, all `Work` implementations share the same underlying event loop.
When --threadless option is enabled, each Acceptor process also
spawns one Threadless process. And instead of spawning new thread
for each accepted client connection, Acceptor process sends
accepted client connection to Threadless process over a pipe.
Example, HttpProtocolHandler implements Work class to hooks into the
event loop provided by Threadless process.
"""
def __init__(
self,
client_queue: connection.Connection,
flags: argparse.Namespace,
work_klass: Type[Work],
event_queue: Optional[EventQueue] = None,
) -> None:
super().__init__()
self.client_queue = client_queue
self.flags = flags
self.work_klass = work_klass
self.event_queue = event_queue
self.running = multiprocessing.Event()
self.works: Dict[int, Work] = {}
self.selector: Optional[selectors.DefaultSelector] = None
self.loop: Optional[asyncio.AbstractEventLoop] = None
@contextlib.contextmanager
def selected_events(self) -> Generator[
Tuple[Readables, Writables],
None, None,
]:
events: Dict[socket.socket, int] = {}
for work in self.works.values():
events.update(work.get_events())
assert self.selector is not None
for fd in events:
self.selector.register(fd, events[fd])
ev = self.selector.select(timeout=1)
readables = []
writables = []
for key, mask in ev:
if mask & selectors.EVENT_READ:
readables.append(key.fileobj)
if mask & selectors.EVENT_WRITE:
writables.append(key.fileobj)
yield (readables, writables)
for fd in events:
self.selector.unregister(fd)
async def handle_events(
self, fileno: int,
readables: Readables,
writables: Writables
) -> bool:
return self.works[fileno].handle_events(readables, writables)
# TODO: Use correct future typing annotations
async def wait_for_tasks(
self, tasks: Dict[int, Any]
) -> None:
for work_id in tasks:
# TODO: Resolving one handle_events here can block
# resolution of other tasks. This can happen when handle_events
# is slow.
#
# Instead of sequential await, a better option would be to await on
# list of async handle_events. This will allow all handlers to run
# concurrently without blocking each other.
try:
teardown = await asyncio.wait_for(tasks[work_id], DEFAULT_TIMEOUT)
if teardown:
self.cleanup(work_id)
except asyncio.TimeoutError:
self.cleanup(work_id)
def fromfd(self, fileno: int) -> socket.socket:
return socket.fromfd(
fileno, family=socket.AF_INET if self.flags.hostname.version == 4 else socket.AF_INET6,
type=socket.SOCK_STREAM,
)
def accept_client(self) -> None:
addr = self.client_queue.recv()
fileno = recv_handle(self.client_queue)
self.works[fileno] = self.work_klass(
TcpClientConnection(conn=self.fromfd(fileno), addr=addr),
flags=self.flags,
event_queue=self.event_queue,
)
self.works[fileno].publish_event(
event_name=eventNames.WORK_STARTED,
event_payload={'fileno': fileno, 'addr': addr},
publisher_id=self.__class__.__name__,
)
try:
self.works[fileno].initialize()
except Exception as e:
logger.exception(
'Exception occurred during initialization',
exc_info=e,
)
self.cleanup(fileno)
def cleanup_inactive(self) -> None:
inactive_works: List[int] = []
for work_id in self.works:
if self.works[work_id].is_inactive():
inactive_works.append(work_id)
for work_id in inactive_works:
self.cleanup(work_id)
def cleanup(self, work_id: int) -> None:
# TODO: HttpProtocolHandler.shutdown can call flush which may block
self.works[work_id].shutdown()
del self.works[work_id]
os.close(work_id)
def run_once(self) -> None:
assert self.loop is not None
with self.selected_events() as (readables, writables):
if len(readables) == 0 and len(writables) == 0:
# Remove and shutdown inactive connections
self.cleanup_inactive()
return
# Note that selector from now on is idle,
# until all the logic below completes.
#
# Invoke Threadless.handle_events
#
# TODO: Only send readable / writables that client originally
# registered.
tasks = {}
for fileno in self.works:
tasks[fileno] = self.loop.create_task(
self.handle_events(fileno, readables, writables),
)
# Accepted client connection from Acceptor
if self.client_queue in readables:
self.accept_client()
# Wait for Threadless.handle_events to complete
self.loop.run_until_complete(self.wait_for_tasks(tasks))
# Remove and shutdown inactive connections
self.cleanup_inactive()
def run(self) -> None:
setup_logger(
self.flags.log_file, self.flags.log_level,
self.flags.log_format,
)
try:
self.selector = selectors.DefaultSelector()
self.selector.register(self.client_queue, selectors.EVENT_READ)
self.loop = asyncio.get_event_loop()
while not self.running.is_set():
self.run_once()
except KeyboardInterrupt:
pass
finally:
assert self.selector is not None
self.selector.unregister(self.client_queue)
self.client_queue.close()
assert self.loop is not None
self.loop.close()