Commit d5c2a621 authored by Yury Selivanov's avatar Yury Selivanov

asyncio: Skip getaddrinfo if host is already resolved.

getaddrinfo takes an exclusive lock on some platforms, causing clients to queue
up waiting for the lock if many names are being resolved concurrently. Users
may want to handle name resolution in their own code, for the sake of caching,
using an alternate resolver, or to measure DNS duration separately from
connection duration. Skip getaddrinfo if the "host" passed into
create_connection is already resolved.

See https://github.com/python/asyncio/pull/302 for details.

Patch by A. Jesse Jiryu Davis.
parent 8c084eb7
...@@ -16,8 +16,10 @@ to modify the meaning of the API call itself. ...@@ -16,8 +16,10 @@ to modify the meaning of the API call itself.
import collections import collections
import concurrent.futures import concurrent.futures
import functools
import heapq import heapq
import inspect import inspect
import ipaddress
import itertools import itertools
import logging import logging
import os import os
...@@ -70,49 +72,83 @@ def _format_pipe(fd): ...@@ -70,49 +72,83 @@ def _format_pipe(fd):
return repr(fd) return repr(fd)
# Linux's sock.type is a bitmask that can include extra info about socket.
_SOCKET_TYPE_MASK = 0
if hasattr(socket, 'SOCK_NONBLOCK'):
_SOCKET_TYPE_MASK |= socket.SOCK_NONBLOCK
if hasattr(socket, 'SOCK_CLOEXEC'):
_SOCKET_TYPE_MASK |= socket.SOCK_CLOEXEC
@functools.lru_cache(maxsize=1024)
def _ipaddr_info(host, port, family, type, proto):
# Try to skip getaddrinfo if "host" is already an IP. Since getaddrinfo
# blocks on an exclusive lock on some platforms, users might handle name
# resolution in their own code and pass in resolved IPs.
if proto not in {0, socket.IPPROTO_TCP, socket.IPPROTO_UDP} or host is None:
return None
type &= ~_SOCKET_TYPE_MASK
if type == socket.SOCK_STREAM:
proto = socket.IPPROTO_TCP
elif type == socket.SOCK_DGRAM:
proto = socket.IPPROTO_UDP
else:
return None
if hasattr(socket, 'inet_pton'):
if family == socket.AF_UNSPEC:
afs = [socket.AF_INET, socket.AF_INET6]
else:
afs = [family]
for af in afs:
# Linux's inet_pton doesn't accept an IPv6 zone index after host,
# like '::1%lo0', so strip it. If we happen to make an invalid
# address look valid, we fail later in sock.connect or sock.bind.
try:
if af == socket.AF_INET6:
socket.inet_pton(af, host.partition('%')[0])
else:
socket.inet_pton(af, host)
return af, type, proto, '', (host, port)
except OSError:
pass
# "host" is not an IP address.
return None
# No inet_pton. (On Windows it's only available since Python 3.4.)
# Even though getaddrinfo with AI_NUMERICHOST would be non-blocking, it
# still requires a lock on some platforms, and waiting for that lock could
# block the event loop. Use ipaddress instead, it's just text parsing.
try:
addr = ipaddress.IPv4Address(host)
except ValueError:
try:
addr = ipaddress.IPv6Address(host.partition('%')[0])
except ValueError:
return None
af = socket.AF_INET if addr.version == 4 else socket.AF_INET6
if family not in (socket.AF_UNSPEC, af):
# "host" is wrong IP version for "family".
return None
return af, type, proto, '', (host, port)
def _check_resolved_address(sock, address): def _check_resolved_address(sock, address):
# Ensure that the address is already resolved to avoid the trap of hanging # Ensure that the address is already resolved to avoid the trap of hanging
# the entire event loop when the address requires doing a DNS lookup. # the entire event loop when the address requires doing a DNS lookup.
#
# getaddrinfo() is slow (around 10 us per call): this function should only if hasattr(socket, 'AF_UNIX') and sock.family == socket.AF_UNIX:
# be called in debug mode
family = sock.family
if family == socket.AF_INET:
host, port = address
elif family == socket.AF_INET6:
host, port = address[:2]
else:
return return
# On Windows, socket.inet_pton() is only available since Python 3.4 host, port = address[:2]
if hasattr(socket, 'inet_pton'): if _ipaddr_info(host, port, sock.family, sock.type, sock.proto) is None:
# getaddrinfo() is slow and has known issue: prefer inet_pton() raise ValueError("address must be resolved (IP address),"
# if available " got host %r" % host)
try:
socket.inet_pton(family, host)
except OSError as exc:
raise ValueError("address must be resolved (IP address), "
"got host %r: %s"
% (host, exc))
else:
# Use getaddrinfo(flags=AI_NUMERICHOST) to ensure that the address is
# already resolved.
type_mask = 0
if hasattr(socket, 'SOCK_NONBLOCK'):
type_mask |= socket.SOCK_NONBLOCK
if hasattr(socket, 'SOCK_CLOEXEC'):
type_mask |= socket.SOCK_CLOEXEC
try:
socket.getaddrinfo(host, port,
family=family,
type=(sock.type & ~type_mask),
proto=sock.proto,
flags=socket.AI_NUMERICHOST)
except socket.gaierror as err:
raise ValueError("address must be resolved (IP address), "
"got host %r: %s"
% (host, err))
def _run_until_complete_cb(fut): def _run_until_complete_cb(fut):
...@@ -535,7 +571,12 @@ class BaseEventLoop(events.AbstractEventLoop): ...@@ -535,7 +571,12 @@ class BaseEventLoop(events.AbstractEventLoop):
def getaddrinfo(self, host, port, *, def getaddrinfo(self, host, port, *,
family=0, type=0, proto=0, flags=0): family=0, type=0, proto=0, flags=0):
if self._debug: info = _ipaddr_info(host, port, family, type, proto)
if info is not None:
fut = futures.Future(loop=self)
fut.set_result([info])
return fut
elif self._debug:
return self.run_in_executor(None, self._getaddrinfo_debug, return self.run_in_executor(None, self._getaddrinfo_debug,
host, port, family, type, proto, flags) host, port, family, type, proto, flags)
else: else:
......
...@@ -441,8 +441,7 @@ class BaseProactorEventLoop(base_events.BaseEventLoop): ...@@ -441,8 +441,7 @@ class BaseProactorEventLoop(base_events.BaseEventLoop):
def sock_connect(self, sock, address): def sock_connect(self, sock, address):
try: try:
if self._debug: base_events._check_resolved_address(sock, address)
base_events._check_resolved_address(sock, address)
except ValueError as err: except ValueError as err:
fut = futures.Future(loop=self) fut = futures.Future(loop=self)
fut.set_exception(err) fut.set_exception(err)
......
...@@ -397,8 +397,7 @@ class BaseSelectorEventLoop(base_events.BaseEventLoop): ...@@ -397,8 +397,7 @@ class BaseSelectorEventLoop(base_events.BaseEventLoop):
raise ValueError("the socket must be non-blocking") raise ValueError("the socket must be non-blocking")
fut = futures.Future(loop=self) fut = futures.Future(loop=self)
try: try:
if self._debug: base_events._check_resolved_address(sock, address)
base_events._check_resolved_address(sock, address)
except ValueError as err: except ValueError as err:
fut.set_exception(err) fut.set_exception(err)
else: else:
......
...@@ -446,9 +446,14 @@ def disable_logger(): ...@@ -446,9 +446,14 @@ def disable_logger():
finally: finally:
logger.setLevel(old_level) logger.setLevel(old_level)
def mock_nonblocking_socket():
def mock_nonblocking_socket(proto=socket.IPPROTO_TCP, type=socket.SOCK_STREAM,
family=socket.AF_INET):
"""Create a mock of a non-blocking socket.""" """Create a mock of a non-blocking socket."""
sock = mock.Mock(socket.socket) sock = mock.MagicMock(socket.socket)
sock.proto = proto
sock.type = type
sock.family = family
sock.gettimeout.return_value = 0.0 sock.gettimeout.return_value = 0.0
return sock return sock
......
This diff is collapsed.
...@@ -1573,10 +1573,6 @@ class EventLoopTestsMixin: ...@@ -1573,10 +1573,6 @@ class EventLoopTestsMixin:
'selector': self.loop._selector.__class__.__name__}) 'selector': self.loop._selector.__class__.__name__})
def test_sock_connect_address(self): def test_sock_connect_address(self):
# In debug mode, sock_connect() must ensure that the address is already
# resolved (call _check_resolved_address())
self.loop.set_debug(True)
addresses = [(socket.AF_INET, ('www.python.org', 80))] addresses = [(socket.AF_INET, ('www.python.org', 80))]
if support.IPV6_ENABLED: if support.IPV6_ENABLED:
addresses.extend(( addresses.extend((
......
...@@ -436,7 +436,7 @@ class ProactorSocketTransportTests(test_utils.TestCase): ...@@ -436,7 +436,7 @@ class ProactorSocketTransportTests(test_utils.TestCase):
class BaseProactorEventLoopTests(test_utils.TestCase): class BaseProactorEventLoopTests(test_utils.TestCase):
def setUp(self): def setUp(self):
self.sock = mock.Mock(socket.socket) self.sock = test_utils.mock_nonblocking_socket()
self.proactor = mock.Mock() self.proactor = mock.Mock()
self.ssock, self.csock = mock.Mock(), mock.Mock() self.ssock, self.csock = mock.Mock(), mock.Mock()
...@@ -491,8 +491,8 @@ class BaseProactorEventLoopTests(test_utils.TestCase): ...@@ -491,8 +491,8 @@ class BaseProactorEventLoopTests(test_utils.TestCase):
self.proactor.send.assert_called_with(self.sock, b'data') self.proactor.send.assert_called_with(self.sock, b'data')
def test_sock_connect(self): def test_sock_connect(self):
self.loop.sock_connect(self.sock, 123) self.loop.sock_connect(self.sock, ('1.2.3.4', 123))
self.proactor.connect.assert_called_with(self.sock, 123) self.proactor.connect.assert_called_with(self.sock, ('1.2.3.4', 123))
def test_sock_accept(self): def test_sock_accept(self):
self.loop.sock_accept(self.sock) self.loop.sock_accept(self.sock)
......
Markdown is supported
0%
or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment