mirror of
https://github.com/python/cpython.git
synced 2025-12-04 00:30:19 +00:00
bpo-32622: Implement loop.sendfile() (#5271)
This commit is contained in:
parent
f13f12d8da
commit
7c684073f9
12 changed files with 560 additions and 8 deletions
|
|
@ -38,8 +38,10 @@ from . import constants
|
|||
from . import coroutines
|
||||
from . import events
|
||||
from . import futures
|
||||
from . import protocols
|
||||
from . import sslproto
|
||||
from . import tasks
|
||||
from . import transports
|
||||
from .log import logger
|
||||
|
||||
|
||||
|
|
@ -155,6 +157,75 @@ def _run_until_complete_cb(fut):
|
|||
futures._get_loop(fut).stop()
|
||||
|
||||
|
||||
|
||||
class _SendfileFallbackProtocol(protocols.Protocol):
|
||||
def __init__(self, transp):
|
||||
if not isinstance(transp, transports._FlowControlMixin):
|
||||
raise TypeError("transport should be _FlowControlMixin instance")
|
||||
self._transport = transp
|
||||
self._proto = transp.get_protocol()
|
||||
self._should_resume_reading = transp.is_reading()
|
||||
self._should_resume_writing = transp._protocol_paused
|
||||
transp.pause_reading()
|
||||
transp.set_protocol(self)
|
||||
if self._should_resume_writing:
|
||||
self._write_ready_fut = self._transport._loop.create_future()
|
||||
else:
|
||||
self._write_ready_fut = None
|
||||
|
||||
async def drain(self):
|
||||
if self._transport.is_closing():
|
||||
raise ConnectionError("Connection closed by peer")
|
||||
fut = self._write_ready_fut
|
||||
if fut is None:
|
||||
return
|
||||
await fut
|
||||
|
||||
def connection_made(self, transport):
|
||||
raise RuntimeError("Invalid state: "
|
||||
"connection should have been established already.")
|
||||
|
||||
def connection_lost(self, exc):
|
||||
if self._write_ready_fut is not None:
|
||||
# Never happens if peer disconnects after sending the whole content
|
||||
# Thus disconnection is always an exception from user perspective
|
||||
if exc is None:
|
||||
self._write_ready_fut.set_exception(
|
||||
ConnectionError("Connection is closed by peer"))
|
||||
else:
|
||||
self._write_ready_fut.set_exception(exc)
|
||||
self._proto.connection_lost(exc)
|
||||
|
||||
def pause_writing(self):
|
||||
if self._write_ready_fut is not None:
|
||||
return
|
||||
self._write_ready_fut = self._transport._loop.create_future()
|
||||
|
||||
def resume_writing(self):
|
||||
if self._write_ready_fut is None:
|
||||
return
|
||||
self._write_ready_fut.set_result(False)
|
||||
self._write_ready_fut = None
|
||||
|
||||
def data_received(self, data):
|
||||
raise RuntimeError("Invalid state: reading should be paused")
|
||||
|
||||
def eof_received(self):
|
||||
raise RuntimeError("Invalid state: reading should be paused")
|
||||
|
||||
async def restore(self):
|
||||
self._transport.set_protocol(self._proto)
|
||||
if self._should_resume_reading:
|
||||
self._transport.resume_reading()
|
||||
if self._write_ready_fut is not None:
|
||||
# Cancel the future.
|
||||
# Basically it has no effect because protocol is switched back,
|
||||
# no code should wait for it anymore.
|
||||
self._write_ready_fut.cancel()
|
||||
if self._should_resume_writing:
|
||||
self._proto.resume_writing()
|
||||
|
||||
|
||||
class Server(events.AbstractServer):
|
||||
|
||||
def __init__(self, loop, sockets, protocol_factory, ssl_context, backlog,
|
||||
|
|
@ -926,6 +997,77 @@ class BaseEventLoop(events.AbstractEventLoop):
|
|||
|
||||
return transport, protocol
|
||||
|
||||
async def sendfile(self, transport, file, offset=0, count=None,
|
||||
*, fallback=True):
|
||||
"""Send a file to transport.
|
||||
|
||||
Return the total number of bytes which were sent.
|
||||
|
||||
The method uses high-performance os.sendfile if available.
|
||||
|
||||
file must be a regular file object opened in binary mode.
|
||||
|
||||
offset tells from where to start reading the file. If specified,
|
||||
count is the total number of bytes to transmit as opposed to
|
||||
sending the file until EOF is reached. File position is updated on
|
||||
return or also in case of error in which case file.tell()
|
||||
can be used to figure out the number of bytes
|
||||
which were sent.
|
||||
|
||||
fallback set to True makes asyncio to manually read and send
|
||||
the file when the platform does not support the sendfile syscall
|
||||
(e.g. Windows or SSL socket on Unix).
|
||||
|
||||
Raise SendfileNotAvailableError if the system does not support
|
||||
sendfile syscall and fallback is False.
|
||||
"""
|
||||
if transport.is_closing():
|
||||
raise RuntimeError("Transport is closing")
|
||||
mode = getattr(transport, '_sendfile_compatible',
|
||||
constants._SendfileMode.UNSUPPORTED)
|
||||
if mode is constants._SendfileMode.UNSUPPORTED:
|
||||
raise RuntimeError(
|
||||
f"sendfile is not supported for transport {transport!r}")
|
||||
if mode is constants._SendfileMode.TRY_NATIVE:
|
||||
try:
|
||||
return await self._sendfile_native(transport, file,
|
||||
offset, count)
|
||||
except events.SendfileNotAvailableError as exc:
|
||||
if not fallback:
|
||||
raise
|
||||
# the mode is FALLBACK or fallback is True
|
||||
return await self._sendfile_fallback(transport, file,
|
||||
offset, count)
|
||||
|
||||
async def _sendfile_native(self, transp, file, offset, count):
|
||||
raise events.SendfileNotAvailableError(
|
||||
"sendfile syscall is not supported")
|
||||
|
||||
async def _sendfile_fallback(self, transp, file, offset, count):
|
||||
if offset:
|
||||
file.seek(offset)
|
||||
blocksize = min(count, 16384) if count else 16384
|
||||
buf = bytearray(blocksize)
|
||||
total_sent = 0
|
||||
proto = _SendfileFallbackProtocol(transp)
|
||||
try:
|
||||
while True:
|
||||
if count:
|
||||
blocksize = min(count - total_sent, blocksize)
|
||||
if blocksize <= 0:
|
||||
return total_sent
|
||||
view = memoryview(buf)[:blocksize]
|
||||
read = file.readinto(view)
|
||||
if not read:
|
||||
return total_sent # EOF
|
||||
await proto.drain()
|
||||
transp.write(view)
|
||||
total_sent += read
|
||||
finally:
|
||||
if total_sent > 0 and hasattr(file, 'seek'):
|
||||
file.seek(offset + total_sent)
|
||||
await proto.restore()
|
||||
|
||||
async def start_tls(self, transport, protocol, sslcontext, *,
|
||||
server_side=False,
|
||||
server_hostname=None,
|
||||
|
|
|
|||
Loading…
Add table
Add a link
Reference in a new issue