cpython icon indicating copy to clipboard operation
cpython copied to clipboard

add support for tls/ssl sessions in asyncio

Open 6dc5fa09-c015-40b7-9add-690d18735659 opened this issue 7 years ago • 14 comments

BPO 34971
Nosy @tiran, @asvetlov, @1st1, @RemiCardona, @cooperlees
PRs
  • python/cpython#9840
  • Note: these values reflect the state of the issue at the time it was migrated and might not reflect the current state.

    Show more details

    GitHub fields:

    assignee = None
    closed_at = None
    created_at = <Date 2018-10-13.08:47:40.895>
    labels = ['type-feature', '3.8', 'expert-asyncio']
    title = 'add support for tls/ssl sessions in asyncio'
    updated_at = <Date 2019-06-06.16:18:48.945>
    user = 'https://github.com/RemiCardona'
    

    bugs.python.org fields:

    activity = <Date 2019-06-06.16:18:48.945>
    actor = 'cooperlees'
    assignee = 'none'
    closed = False
    closed_date = None
    closer = None
    components = ['asyncio']
    creation = <Date 2018-10-13.08:47:40.895>
    creator = 'RemiCardona'
    dependencies = []
    files = []
    hgrepos = []
    issue_num = 34971
    keywords = ['patch']
    message_count = 9.0
    messages = ['327638', '327641', '328243', '328244', '329407', '329410', '329422', '335558', '335676']
    nosy_count = 5.0
    nosy_names = ['christian.heimes', 'asvetlov', 'yselivanov', 'RemiCardona', 'cooperlees']
    pr_nums = ['9840']
    priority = 'normal'
    resolution = None
    stage = 'patch review'
    status = 'open'
    superseder = None
    type = 'enhancement'
    url = 'https://bugs.python.org/issue34971'
    versions = ['Python 3.8']
    

    cpython has had TLS session support since 3.6, using the SSLContext.wrap_* methods. Unfortunately, this support is not available when using asyncio's create_connection.

    While I've managed to monkeypatch asyncio.sslproto._SSLPipe from my own code (it's a filthy hack but it's short and it gets the job done) running on 3.6.6, I feel this should be properly supported out of the box.

    A patch is ready (tests work), a github PR will be created shortly.

    Notes in no particular order:

    • argument and attribute naming is all over the place, but I could not decide between "sslsession" (matching "sslcontext") and "ssl_session" (matching "ssl_handshake_timeout") so I just picked one
    • tested on jessie (with openssl 1.0.2 from jessie-backports) and on gentoo
    • the new asyncio tests added in the patch are adapted from test_ssl.py's test_session, with the server-side stats left out. I felt they were not useful if one assumes that the hard work is done by SSLContext.wrap_*.
    • I did not reuse test_asyncio.utils.run_test_server which AIUI creates a new server-side context for each incoming connection, thus breaking sessions completely

    TIA for considering this bug and patch

    TLS session support is awesome.

    IFAIK ssl_proto.py is under heavy reconstruction now. Please coordinate your work with Yuri.

    asvetlov avatar Oct 13 '18 09:10 asvetlov

    Hi Andrew,

    How should I proceed? What's the best avenue to get in touch with Yuri?

    Thanks

    Don't use the existing session feature, yet. It only works for TLS 1.2 connections. TLS 1.3 behaves differently. There are multiple session tickets (usually two) and tickets are sent after handshake. Further more, Python lacks clear shutdown of a connection, which causes further problems with session handling. See https://www.openssl.org/docs/manmaster/man3/SSL_get_session.html

    tiran avatar Oct 22 '18 10:10 tiran

    Hi Christian,

    Could you tell me more about this new openssl API? Right now my patch works with whatever the ssl module provides. Are you suggesting the ssl module is in some way incomplete? Would supporting TLS 1.3 sessions be incompatible with the current session API?

    I'd like to help wherever possible, but I'm probably missing some context and/or knowledge around all things TLS in cpython.

    Thanks

    The session code of the ssl is not compatible with TLS 1.3. Actually the whole API doesn't work with TLS 1.3. In TLS 1.2 and before, sessions had multiple security implications. For example they break PFS.

    TLS 1.3 changed when sessions are exchanged and how session are resumed. Session data is no longer part of the handshake. Instead the server can send session tickets at any point after the handshake. A server can send multiple tickets (usually two) and tickets must only be reused once.

    tiran avatar Nov 07 '18 10:11 tiran

    So, IOW, the ssl module needs a good shakeup wrt TLS 1.3 sessions before any asyncio work can be merged. Am I getting this right?

    In which case, a whole other issue/PR is needed and possibly better folks than me. I try to stay clear of low-level crypto APIs because I don't trust myself to get things right. Well… I certainly can look at it, but I fear I may be punching above my weight with this.

    Christian, do you think the sessions support shouldn't be added to asyncio in 3.8?

    1st1 avatar Feb 14 '19 19:02 1st1

    Anything I can do to get the ball rolling? Let me know who to get in touch with and *how*, and I will. Thanks

    A quick solution while SSL sessions aren't officially supported

    import ssl
    import socket
    import asyncio
    
    
    class SSLSessionBoundContext:
        """ssl.SSLContext bound to an existing SSL session.
        
        Actually asyncio doesn't support TLS session resumption, the loop.create_connection() API
        does not take any TLS session related argument. There is ongoing work to add support for this
        at https://github.com/python/cpython/issues/79152.
    
        The loop.create_connection() API takes a SSL context argument though, the SSLSessionBoundContext
        is used to wrap a SSL context and inject a SSL session on calls to
            - SSLSessionBoundContext.wrap_socket()
            - SSLSessionBoundContext.wrap_bio()
    
        This wrapper is compatible with any TLS application which calls only the methods above when
        making new TLS connections. This class is NOT a subclass of ssl.SSLContext, so it will be
        rejected by applications which ensure the SSL context is an instance of ssl.SSLContext. Not being
        a subclass of ssl.SSLContext makes this wrapper lightweight.
        """
        __slots__ = ('_context', '_session')
    
        def __init__(self, context: ssl.SSLContext, session: ssl.SSLSession):
            self._context = context
            self._session = session
    
        @property
        def session(self):
            return self._session
    
        def wrap_socket(
            self,
            sock: socket.socket,
            server_side: bool=False,
            do_handshake_on_connect: bool=True,
            suppress_ragged_eofs: bool=True,
            server_hostname: bool=None,
            session: ssl.SSLSession=None
        ) -> ssl.SSLSocket:
            if session is not None:
                raise ValueError('expected session to be None')
            return self._context.wrap_socket(
                sock=sock,
                server_hostname=server_hostname,
                server_side=server_side,
                do_handshake_on_connect=do_handshake_on_connect,
                suppress_ragged_eofs=suppress_ragged_eofs,
                session=self._session
            )
    
        def wrap_bio(
            self,
            incoming: ssl.MemoryBIO,
            outgoing: ssl.MemoryBIO,
            server_side: bool=False,
            server_hostname: bool=None,
            session: ssl.SSLSession=None
        ) -> ssl.SSLObject:
            if session is not None:
                raise ValueError('expected session to be None')
            return self._context.wrap_bio(
                incoming=incoming,
                outgoing=outgoing,
                server_hostname=server_hostname,
                server_side=server_side,
                session=self._session
            )
    
    
    async def test():
        context = ssl.create_default_context(ssl.Purpose.SERVER_AUTH)
        _, writer = await asyncio.open_connection('docs.python.org', 443, ssl=context)
        sslobj = writer.transport.get_extra_info('ssl_object')
        session = sslobj.session
        writer.close()
        await writer.wait_closed()
        # try to reuse session
        _, writer = await asyncio.open_connection(
            'docs.python.org',
            443,
            ssl=SSLSessionBoundContext(context, session)
        )
        sslobj = writer.transport.get_extra_info('ssl_object')
        print('Session reused:', sslobj.session_reused)
        writer.close()
        await writer.wait_closed()
    
    
    asyncio.run(test())
    

    Note that it just makes asyncio use an existing SSL session, this solution doesn't show how to correctly handle sessions as by the TLS spec. The standard SSL module still lacks needed bindings to handle TLS1.3 sessions, but from what I have seen SSLObject.session getter returns the last created session on the connection, so session reuse on TLS1.3 is still possible.

    HMaker avatar Oct 03 '22 21:10 HMaker

    Can this issue and the associated PR be considered superseded with gh-79156 and gh-91453 respectively?

    arhadthedev avatar Oct 04 '22 00:10 arhadthedev

    I think so. Closing everything in sight.

    gvanrossum avatar Oct 04 '22 15:10 gvanrossum

    Sorry, but I can't see how gh-79156 supersedes this issue. From what I understood that other issue is about TLS upgrade on a stream, not about TLS session resumption.

    Under the hood loop.start_tls() is still called, and I see no support for TLS sessions. Maybe you mean the TLS session support was deferred?

    HMaker avatar Oct 04 '22 21:10 HMaker

    Okay, I admit it -- I don't understand anything about TLS, and I have no idea what "TLS session" means (nor do I have any desire to learn about all of this). I'll reopen the issue. Sorry!

    gvanrossum avatar Oct 04 '22 21:10 gvanrossum

    Let's not extend our tls APIs of asyncio anymore. This can be implemented as a third party package if deemed desired but not best fit for stdlib.

    kumaraditya303 avatar Apr 19 '23 10:04 kumaraditya303