source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, data, addr=None):
if not isinstance(data, (bytes, bytearray, memoryview)):
raise TypeError('data: expecting a bytes-like instance, got {!r}'.
format(type(data).__name__))
self._check_status()
if not self._writable:
raise TransportError('transport is not writable')
try:
self._handle.send(addr, data, self._on_send_complete)
except pyuv.error.UVError as e:
error = TransportError.from_errno(e.args[0])
if error.errno != pyuv.errno.UV_EBADF:
raise error
self._error = error
self.abort()
self._write_buffer_size += 1
self._maybe_pause_protocol()
| sendto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, addr=None):\n if not isinstance(data, (bytes, bytearray, memoryview)):\n raise TypeError('data: expecting a bytes-like instance, got {!r}... |
def x(address):
if address == 'session':
address = os.environ.get('DBUS_SESSION_BUS_ADDRESS')
if not address:
raise ValueError('$DBUS_SESSION_BUS_ADDRESS not set')
elif address == 'system':
address = os.environ.get('DBUS_SYSTEM_BUS_ADDRESS',
'unix:path=/var/run/dbus/system_bus_socket')
addresses = []
for addr in address.split(';'):
p1 = addr.find(':')
if p1 == -1:
raise ValueError('illegal address string: {}'.format(addr))
kind = addr[:p1]
args = dict(kv.split('=') for kv in addr[p1 + 1:].split(','))
if kind == 'unix':
if 'path' in args:
addr = args['path']
elif 'abstract' in args:
addr = '\x00' + args['abstract']
else:
raise ValueError('require "path" or "abstract" for unix')
elif kind == 'tcp':
if 'host' not in args or 'port' not in args:
raise ValueError('require "host" and "port" for tcp')
addr = args['host'], int(args['port'])
else:
raise ValueError('unknown transport: {}'.format(kind))
addresses.append(addr)
return addresses
| parse_dbus_address | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address):\n if address == 'session':\n address = os.environ.get('DBUS_SESSION_BUS_ADDRESS')\n if not address:\n raise ValueError('$... |
def x(header):
if six.indexbytes(header, 0) == ord('l'):
endian = '<'
elif six.indexbytes(header, 0) == ord('B'):
endian = '>'
else:
raise ValueError('illegal endianness')
if not 1 <= six.indexbytes(header, 1) <= 4:
raise ValueError('illegel message type')
if struct.unpack(endian + 'I', header[8:12])[0] == 0:
raise ValueError('illegal serial number')
harrlen = struct.unpack(endian + 'I', header[12:16])[0]
padlen = (8 - harrlen) % 8
bodylen = struct.unpack(endian + 'I', header[4:8])[0]
return 16 + harrlen + padlen + bodylen
| parse_dbus_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header):\n if six.indexbytes(header, 0) == ord('l'):\n endian = '<'\n elif six.indexbytes(header, 0) == ord('B'):\n endian = '>'\n else:... |
def x(self):
if self._server_side:
mech = self._authenticator.current_mech
return mech.getMechanismName() if mech else None
else:
return getattr(self._authenticator, 'authMech', None)
| getMechanismName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._server_side:\n mech = self._authenticator.current_mech\n return mech.getMechanismName() if mech else None\n else:\n ... |
def x(self):
if not self._server_side:
return
mech = self._authenticator.current_mech
return mech.getUserName() if mech else None
| getUserName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._server_side:\n return\n mech = self._authenticator.current_mech\n return mech.getUserName() if mech else None\n",
"ro... |
def x(self):
self._name_acquired.wait()
if self._error:
raise compat.saved_exc(self._error)
elif self._transport is None:
raise DbusError('not connected')
return self._unique_name
| get_unique_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._name_acquired.wait()\n if self._error:\n raise compat.saved_exc(self._error)\n elif self._transport is None:\n raise Dbus... |
def x(self, message):
if not isinstance(message, txdbus.DbusMessage):
raise TypeError('message: expecting DbusMessage instance (got {!r})',
type(message).__name__)
self._name_acquired.wait()
if self._error:
raise compat.saved_exc(self._error)
elif self._transport is None:
raise DbusError('not connected')
self._writer.write(message.rawMessage)
| send_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n if not isinstance(message, txdbus.DbusMessage):\n raise TypeError('message: expecting DbusMessage instance (got {!r})',\n ... |
def x(self, service, path, interface, method, signature=None, args=None,
no_reply=False, auto_start=False, timeout=-1):
message = txdbus.MethodCallMessage(path, method, interface=interface,
destination=service, signature=signature, body=args, expectReply=
not no_reply, autoStart=auto_start)
serial = message.serial
if timeout == -1:
timeout = self._timeout
try:
with switch_back(timeout) as switcher:
self._method_calls[serial] = switcher
self.send_message(message)
args, _ = self._hub.switch()
finally:
self._method_calls.pop(serial, None)
response = args[0]
assert response.reply_serial == serial
if isinstance(response, txdbus.ErrorMessage):
raise DbusMethodCallError(method, response)
args = tuple(response.body) if response.body else ()
return args
| call_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service, path, interface, method, signature=None, args=None,\n no_reply=False, auto_start=False, timeout=-1):\n message = txdbus.MethodCallMessage(... |
def x(self, address='session'):
if isinstance(address, six.string_types):
addresses = parse_dbus_address(address)
else:
addresses = [address]
for addr in addresses:
try:
super(DbusClient, self).connect(addr)
except pyuv.error.UVError:
continue
break
else:
raise DbusError('could not connect to any address')
self.get_unique_name()
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address='session'):\n if isinstance(address, six.string_types):\n addresses = parse_dbus_address(address)\n else:\n addresses = [addr... |
def x(self, address='session'):
if isinstance(address, six.string_types):
addresses = parse_dbus_address(address)
else:
addresses = [address]
for addr in addresses:
try:
super(DbusServer, self).listen(addr)
except pyuv.error.UVError:
self._log.error('skipping address {}', saddr(addr))
| listen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address='session'):\n if isinstance(address, six.string_types):\n addresses = parse_dbus_address(address)\n else:\n addresses = [addr... |
def x(base):
def x(func):
func.__doc__ = (getattr(base, '__doc__') or '') + (func.__doc__ or '')
return func
return setdoc
| docfrom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base):\n\n def x(func):\n func.__doc__ = (getattr(base, '__doc__') or '') + (func.__doc__ or '')\n return func\n return setdoc\n",
"rol... |
def x(obj):
ref = _objrefs.get(obj)
if ref is None:
clsname = obj.__class__.__name__.split('.')[-1]
seqno = _lastids.setdefault(clsname, 1)
ref = '{}-{}'.format(clsname, seqno)
_objrefs[obj] = ref
_lastids[clsname] += 1
return ref
| objref | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n ref = _objrefs.get(obj)\n if ref is None:\n clsname = obj.__class__.__name__.split('.')[-1]\n seqno = _lastids.setdefault(clsname, ... |
def x(other, method, name=None):
frame = sys._getframe(1)
classdict = frame.f_locals
@functools.wraps(method)
def x(self, *args, **kwargs):
other_self = other.__get__(self)
return method(other_self, *args, **kwargs)
if getattr(method, '__switchpoint__', False):
delegate.__switchpoint__ = True
if name is None:
name = method.__name__
propname = None
for key in classdict:
if classdict[key] is other:
propname = key
break
if propname:
qname = getattr(method, '__qualname__', method.__name__)
if '.' in qname:
delegate.__doc__ = ('A shorthand for ``self.{propname}.{name}()``.'
.format(name=name, propname=propname))
else:
delegate.__doc__ = ('A shorthand for ``{name}({propname}, ...)``.'
.format(name=name, propname=propname))
classdict[name] = delegate
| delegate_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(other, method, name=None):\n frame = sys._getframe(1)\n classdict = frame.f_locals\n\n @functools.wraps(method)\n def x(self, *args, **kwargs):\n ... |
def x(buf, pos):
match = re_ws.match(buf, pos)
if not match:
return None, pos
return buf[match.start(0):match.end(0)], match.end(0)
| accept_ws | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buf, pos):\n match = re_ws.match(buf, pos)\n if not match:\n return None, pos\n return buf[match.start(0):match.end(0)], match.end(0)\n",
"... |
def x(char, buf, pos):
if pos >= len(buf) or buf[pos] != char:
return None, pos
return char, pos + 1
| accept_lit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(char, buf, pos):\n if pos >= len(buf) or buf[pos] != char:\n return None, pos\n return char, pos + 1\n",
"role": "user"
},
{
"content"... |
def x(char, buf, pos):
if pos >= len(buf) or buf[pos] != char:
return None, len(buf)
return char, pos + 1
| expect_lit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(char, buf, pos):\n if pos >= len(buf) or buf[pos] != char:\n return None, len(buf)\n return char, pos + 1\n",
"role": "user"
},
{
"con... |
def x(regexp, buf, pos):
match = regexp.match(buf, pos)
if not match:
return None, pos
return buf[match.start(1):match.end(1)], match.end(0)
| accept_re | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regexp, buf, pos):\n match = regexp.match(buf, pos)\n if not match:\n return None, pos\n return buf[match.start(1):match.end(1)], match.end(0)\... |
def x(regexp, buf, pos):
match = regexp.match(buf, pos)
if not match:
return None, len(buf)
return buf[match.start(1):match.end(1)], match.end(0)
| expect_re | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(regexp, buf, pos):\n match = regexp.match(buf, pos)\n if not match:\n return None, len(buf)\n return buf[match.start(1):match.end(1)], match.en... |
def x(header):
typ = subtyp = None
options = {}
typ, pos = expect_re(re_token, header, 0)
_, pos = expect_lit('/', header, pos)
subtyp, pos = expect_re(re_token, header, pos)
ctype = header[:pos] if subtyp else ''
while pos < len(header):
_, pos = accept_ws(header, pos)
_, pos = expect_lit(';', header, pos)
_, pos = accept_ws(header, pos)
name, pos = expect_re(re_token, header, pos)
_, pos = expect_lit('=', header, pos)
char = lookahead(header, pos)
if char == '"':
value, pos = expect_re(re_qstring, header, pos)
value = re_qpair.sub('\\1', value)
elif char:
value, pos = expect_re(re_token, header, pos)
if name and value is not None:
options[name] = value
return ctype, options
| parse_content_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header):\n typ = subtyp = None\n options = {}\n typ, pos = expect_re(re_token, header, 0)\n _, pos = expect_lit('/', header, pos)\n subtyp, pos ... |
def x(header):
pos = 0
names = []
while pos < len(header):
name, pos = expect_re(re_token, header, pos)
_, pos = accept_ws(header, pos)
_, pos = accept_lit(';', header, pos)
_, pos = accept_ws(header, pos)
qvalue, pos = accept_re(re_qvalue, header, pos)
if name:
names.append((name, qvalue))
_, pos = accept_ws(header, pos)
_, pos = expect_lit(',', header, pos)
_, pos = accept_ws(header, pos)
return names
| parse_te | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header):\n pos = 0\n names = []\n while pos < len(header):\n name, pos = expect_re(re_token, header, pos)\n _, pos = accept_ws(header, p... |
def x(header):
pos = 0
names = []
while pos < len(header):
name, pos = expect_re(re_token, header, pos)
if name:
names.append(name)
_, pos = accept_ws(header, pos)
_, pos = expect_lit(',', header, pos)
_, pos = accept_ws(header, pos)
return names
| parse_trailer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(header):\n pos = 0\n names = []\n while pos < len(header):\n name, pos = expect_re(re_token, header, pos)\n if name:\n names.... |
def x(timestamp=None):
if timestamp is None:
timestamp = time.time()
timestamp = int(timestamp)
global _cached_timestamp, _cached_datestring
if timestamp != _cached_timestamp:
tm = time.gmtime(timestamp)
s = rfc1123_fmt.replace('%a', weekdays[tm.tm_wday]).replace('%b',
months[tm.tm_mon - 1])
_cached_datestring = time.strftime(s, tm)
_cached_timestamp = timestamp
return _cached_datestring
| rfc1123_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timestamp=None):\n if timestamp is None:\n timestamp = time.time()\n timestamp = int(timestamp)\n global _cached_timestamp, _cached_datestring\... |
def x(url, default_scheme='http', is_connect=False):
if url[:1] not in '*/' and not is_connect and '://' not in url:
url = '{}://{}'.format(default_scheme, url)
burl = s2b(url)
parser = ffi.new('struct http_parser_url *')
lib.http_parser_url_init(parser)
res = lib.http_parser_parse_url(ffi.from_buffer(burl), len(burl),
is_connect, parser)
if res != 0:
raise ValueError('invalid URL')
parsed = ParsedUrl.from_parser(parser, url)
return parsed
| parse_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, default_scheme='http', is_connect=False):\n if url[:1] not in '*/' and not is_connect and '://' not in url:\n url = '{}://{}'.format(default_sch... |
def x(headers, name, default=None):
name = name.lower()
for header in headers:
if header[0].lower() == name:
return header[1]
return default
| get_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers, name, default=None):\n name = name.lower()\n for header in headers:\n if header[0].lower() == name:\n return header[1]\n re... |
def x(headers, name):
i = 0
name = name.lower()
for j in range(len(headers)):
if headers[j][0].lower() != name:
if i != j:
headers[i] = headers[j]
i += 1
del headers[i:]
return headers
| remove_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(headers, name):\n i = 0\n name = name.lower()\n for j in range(len(headers)):\n if headers[j][0].lower() != name:\n if i != j:\n ... |
def x(buf):
chunk = []
chunk.append(s2b('{:X}\r\n'.format(len(buf))))
chunk.append(buf)
chunk.append(b'\r\n')
return b''.join(chunk)
| create_chunk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buf):\n chunk = []\n chunk.append(s2b('{:X}\\r\\n'.format(len(buf))))\n chunk.append(buf)\n chunk.append(b'\\r\\n')\n return b''.join(chunk)\n",... |
def x(trailers=None):
chunk = []
chunk.append('0\r\n')
if trailers:
for name, value in trailers:
chunk.append(name)
chunk.append(': ')
chunk.append(value)
chunk.append('\r\n')
chunk.append('\r\n')
return s2b(''.join(chunk))
| create_chunked_body_end | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trailers=None):\n chunk = []\n chunk.append('0\\r\\n')\n if trailers:\n for name, value in trailers:\n chunk.append(name)\n ... |
def x(version, method, url, headers):
message = []
message.append('{} {} HTTP/{}\r\n'.format(method, url, version))
for name, value in headers:
message.append(name)
message.append(': ')
message.append(value)
message.append('\r\n')
message.append('\r\n')
return s2b(''.join(message))
| create_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version, method, url, headers):\n message = []\n message.append('{} {} HTTP/{}\\r\\n'.format(method, url, version))\n for name, value in headers:\n ... |
def x(version, status, headers):
message = []
message.append('HTTP/{} {}\r\n'.format(version, status))
for name, value in headers:
message.append(name)
message.append(': ')
message.append(value)
message.append('\r\n')
message.append('\r\n')
return s2b(''.join(message))
| create_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version, status, headers):\n message = []\n message.append('HTTP/{} {}\\r\\n'.format(version, status))\n for name, value in headers:\n message.... |
def x(self):
port = self.port
if port:
port = int(port)
else:
port = default_ports.get(self.scheme or 'http')
return self.host, port
| addr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n port = self.port\n if port:\n port = int(port)\n else:\n port = default_ports.get(self.scheme or 'http')\n return self.host,... |
def x(self):
target = self.path or '/'
if self.query:
target = '{}?{}'.format(target, self.query)
return target
| target | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n target = self.path or '/'\n if self.query:\n target = '{}?{}'.format(target, self.query)\n return target\n",
"role": "user"
},
... |
def x(self, method, url, headers=None, bodylen=None):
self._headers = headers or []
agent = host = clen = trailer = None
for name, value in self._headers:
lname = name.lower()
if lname in hop_by_hop:
raise ValueError('header {} is hop-by-hop'.format(name))
elif lname == 'user-agent':
agent = value
elif lname == 'host':
host = value
elif lname == 'content-length':
clen = int(value)
elif lname == 'trailer':
trailer = parse_trailer(value)
elif lname == 'content-type' and value.startswith('text/'):
ctype, params = parse_content_type(value)
self._charset = params.get('charset')
version = self._protocol._version
if host is None and version == '1.1' and self._protocol._server_name:
self._headers.append(('Host', self._protocol._server_name))
if agent is None:
self._headers.append(('User-Agent', self._protocol.identifier))
if clen is None and bodylen is None:
if version == '1.0':
raise HttpError('body size unknown for HTTP/1.0')
self._chunked = True
self._content_length = clen
if trailer:
if version == '1.0':
raise HttpError('cannot support trailers for HTTP/1.0')
if clen is not None:
remove_headers(self._headers, 'Content-Length')
self._chunked = True
self._trailer = trailer
if not self._chunked and clen is None and bodylen >= 0:
self._headers.append(('Content-Length', str(bodylen)))
self._content_length = bodylen
if version == '1.0':
self._headers.append(('Connection', 'keep-alive'))
elif version == '1.1':
self._headers.append(('Connection', 'te'))
self._headers.append(('TE', 'trailers'))
if self._chunked:
self._headers.append(('Transfer-Encoding', 'chunked'))
self._protocol._requests.append(method)
header = create_request(version, method, url, self._headers)
self._protocol.writer.write(header)
| start_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, headers=None, bodylen=None):\n self._headers = headers or []\n agent = host = clen = trailer = None\n for name, value in self._head... |
def x(self, buf):
if not isinstance(buf, six.binary_type):
raise TypeError('buf: must be a bytes instance')
if len(buf) == 0:
return
if self._content_length and self._bytes_written > self._content_length:
raise RuntimeError('wrote too many bytes ({} > {})'.format(self.
_bytes_written, self._content_length))
self._bytes_written += len(buf)
if self._chunked:
buf = create_chunk(buf)
self._protocol.writer.write(buf)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, buf):\n if not isinstance(buf, six.binary_type):\n raise TypeError('buf: must be a bytes instance')\n if len(buf) == 0:\n return\n ... |
def x(self):
if not self._chunked:
return
trailers = [(n, get_header(self._headers, n)) for n in self._trailer
] if self._trailer else None
ending = create_chunked_body_end(trailers)
self._protocol.writer.write(ending)
| end_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._chunked:\n return\n trailers = [(n, get_header(self._headers, n)) for n in self._trailer\n ] if self._trailer else No... |
def x(self, method, url, headers=None, body=None):
if self._error:
raise compat.saved_exc(self._error)
elif self._transport is None:
raise HttpError('not connected')
request = HttpRequest(self)
bodylen = -1 if body is None else len(body) if isinstance(body, bytes
) else None
request.start_request(method, url, headers, bodylen)
if isinstance(body, bytes):
request.write(body)
elif hasattr(body, 'read'):
while True:
chunk = body.read(4096)
if not chunk:
break
request.write(chunk)
elif hasattr(body, '__iter__'):
for chunk in body:
request.write(chunk)
request.end_request()
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, headers=None, body=None):\n if self._error:\n raise compat.saved_exc(self._error)\n elif self._transport is None:\n rais... |
def x(self):
if self._error:
raise compat.saved_exc(self._error)
elif self._transport is None:
raise HttpError('not connected')
message = self._queue.get(timeout=self._timeout)
if isinstance(message, Exception):
raise compat.saved_exc(message)
return message
| getresponse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._error:\n raise compat.saved_exc(self._error)\n elif self._transport is None:\n raise HttpError('not connected')\n mess... |
def x(filepath: str, blocksize: int=80) ->str:
s = sha1()
with open(filepath, 'rb') as f:
buf = f.read(blocksize)
s.update(buf)
return s.hexdigest()
| unique_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath: str, blocksize: int=80) ->str:\n s = sha1()\n with open(filepath, 'rb') as f:\n buf = f.read(blocksize)\n s.update(buf)\n retu... |
def x(filename: str, limit: Optional[int]=None) ->Tuple[list, int]:
audiofile = AudioSegment.from_file(filename)
if limit:
audiofile = audiofile[:limit * 1000]
data = np.fromstring(audiofile._data, np.int16)
channels = []
for chn in range(audiofile.channels):
channels.append(data[chn::audiofile.channels])
fs = audiofile.frame_rate
return channels, fs
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename: str, limit: Optional[int]=None) ->Tuple[list, int]:\n audiofile = AudioSegment.from_file(filename)\n if limit:\n audiofile = audiofile[:... |
def x(path: str) ->str:
return os.path.splitext(os.path.basename(path))[0]
| path_to_songname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->str:\n return os.path.splitext(os.path.basename(path))[0]\n",
"role": "user"
},
{
"content": "path_to_songname",
"role": "assis... |
def x(protocol_factory, address, ssl=False, server_hostname=None,
local_address=None, family=0, flags=0, ipc=False, timeout=None, mode='rw'):
hub = get_hub()
log = logging.get_logger()
handle_args = ()
if isinstance(address, (six.binary_type, six.text_type)):
handle_type = pyuv.Pipe
handle_args = ipc,
addresses = [address]
elif isinstance(address, tuple):
handle_type = pyuv.TCP
result = getaddrinfo(address[0], address[1], family, socket.
SOCK_STREAM, socket.IPPROTO_TCP, flags)
addresses = [res[4] for res in result]
if server_hostname is None:
server_hostname = address[0]
if not isinstance(server_hostname, str):
server_hostname = server_hostname.encode('ascii')
elif isinstance(address, int):
if os.isatty(address):
if mode not in ('r', 'w'):
raise ValueError("mode: must be either 'r' or 'w' for tty")
handle = pyuv.TTY(hub.loop, address, mode == 'r')
else:
handle = pyuv.Pipe(hub.loop, ipc)
handle.open(address)
addresses = []
error = None
elif isinstance(address, pyuv.Stream):
handle = address
addresses = []
error = None
else:
raise TypeError('expecting a string, tuple, fd, or pyuv.Stream')
for addr in addresses:
log.debug('trying address {}', saddr(addr))
handle = handle_type(hub.loop, *handle_args)
error = None
try:
if compat.pyuv_pipe_helper(handle, handle_args, 'connect', addr):
break
with switch_back(timeout) as switcher:
handle.connect(addr, switcher)
result = hub.switch()
_, error = result[0]
except pyuv.error.UVError as e:
error = e[0]
except Timeout:
error = pyuv.errno.UV_ETIMEDOUT
if not error:
break
handle.close()
log.warning('connect() failed with error {}', error)
if error:
log.warning('all addresses failed')
raise TransportError.from_errno(error)
if local_address:
handle.bind(*local_address)
protocol = protocol_factory()
protocol._timeout = timeout
if ssl:
context = ssl if hasattr(ssl, 'set_ciphers') else ssl(handle
) if callable(ssl) else create_default_context(False)
transport = SslTransport(handle, context, False, server_hostname)
else:
transport = Transport(handle, server_hostname, mode)
events = transport.start(protocol)
if events:
for event in events:
event.wait()
transport._check_status()
return transport, protocol
| create_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(protocol_factory, address, ssl=False, server_hostname=None,\n local_address=None, family=0, flags=0, ipc=False, timeout=None, mode='rw'):\n hub = get_hub... |
def x(protocol_factory, address=None, ssl=False, family=0, flags=0, ipc=
False, backlog=128):
server = Server(protocol_factory)
server.listen(address, ssl=ssl, family=family, flags=flags, backlog=backlog
)
return server
| create_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(protocol_factory, address=None, ssl=False, family=0, flags=0, ipc=\n False, backlog=128):\n server = Server(protocol_factory)\n server.listen(address,... |
def x(self, address, **kwargs):
if self._transport:
raise RuntimeError('already connected')
kwargs.setdefault('timeout', self._timeout)
conn = create_connection(self._protocol_factory, address, **kwargs)
self._transport = conn[0]
self._transport._log = self._log
self._protocol = conn[1]
self._protocol._log = self._log
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address, **kwargs):\n if self._transport:\n raise RuntimeError('already connected')\n kwargs.setdefault('timeout', self._timeout)\n conn ... |
def x(self):
if self._transport is None:
return
self._transport.close()
self._transport._closed.wait()
self._transport = None
self._protocol = None
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._transport is None:\n return\n self._transport.close()\n self._transport._closed.wait()\n self._transport = None\n self.... |
def x(self, client, ssl):
if ssl:
context = ssl if hasattr(ssl, 'set_ciphers') else ssl(client
) if callable(ssl) else create_default_context(True)
transport = SslTransport(client, context, True)
else:
transport = Transport(client)
transport._log = self._log
transport._server = self
if DEBUG:
self._log.debug('new connection on {}', saddr(client.getsockname()))
if hasattr(client, 'getpeername'):
self._log.debug('remote peer is {}', saddr(client.getpeername()))
protocol = self._protocol_factory()
protocol._log = self._log
protocol._timeout = self._timeout
self._connections[transport] = protocol
self.connection_made(transport, protocol)
transport.start(protocol)
| handle_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, client, ssl):\n if ssl:\n context = ssl if hasattr(ssl, 'set_ciphers') else ssl(client\n ) if callable(ssl) else create_default_cont... |
def x(self, address, ssl=False, family=0, flags=0, ipc=False, backlog=128):
handles = []
handle_args = ()
if isinstance(address, six.string_types):
handle_type = pyuv.Pipe
handle_args = ipc,
addresses = [address]
elif isinstance(address, tuple):
handle_type = pyuv.TCP
result = getaddrinfo(address[0], address[1], family, socket.
SOCK_STREAM, socket.IPPROTO_TCP, flags)
addresses = [res[4] for res in result]
elif isinstance(address, pyuv.Stream):
handles.append(address)
addresses = []
else:
raise TypeError('expecting a string, tuple or pyuv.Stream')
for addr in addresses:
handle = handle_type(self._hub.loop, *handle_args)
try:
if compat.pyuv_pipe_helper(handle, handle_args, 'bind', addr):
handles.append(handle)
break
handle.bind(addr)
except pyuv.error.UVError as e:
self._log.warning('bind error {!r}, skipping {}', e[0], saddr(addr)
)
continue
handles.append(handle)
addresses = []
for handle in handles:
if backlog is not None:
callback = functools.partial(self._on_new_connection, ssl=ssl)
handle.listen(callback, backlog)
addr = handle.getsockname()
self._log.debug('listen on {}', saddr(addr))
addresses.append(addr)
self._handles += handles
self._addresses += addresses
| listen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address, ssl=False, family=0, flags=0, ipc=False, backlog=128):\n handles = []\n handle_args = ()\n if isinstance(address, six.string_types):\n ... |
def x(self):
for handle in self._handles:
if not handle.closed:
handle.close()
del self._handles[:]
for transport, _ in self.connections:
transport.close()
self._all_closed.wait()
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for handle in self._handles:\n if not handle.closed:\n handle.close()\n del self._handles[:]\n for transport, _ in self.con... |
def x(argd=None):
global DEBUG, debug
argd = argd or docopt(USAGESTR, version=VERSIONSTR, script=SCRIPT,
colors={'header': {'fore': 'yellow'}, 'script': {'fore':
'lightblue', 'style': 'bright'}, 'version': {'fore': 'lightblue'}})
DEBUG = argd['--debug']
if DEBUG:
load_debug_deps()
else:
debug = noop
if argd['--auto-disable']:
auto_disable()
if argd['--names']:
return list_names()
elif argd['--translate']:
try:
print('\n'.join(translate(argd['CODE'] or read_stdin().split(),
rgb_mode=argd['--truecolor'])))
except ValueError as ex:
print_err('Translation error: {}'.format(ex))
return 1
return 0
elif argd['--listcodes']:
return list_known_codes(argd['TEXT'] or read_stdin(), unique=argd[
'--unique'], rgb_mode=argd['--truecolor'])
txt = argd['TEXT'] or read_stdin()
fd = sys.stderr if argd['--err'] else sys.stdout
end = '' if argd['--newline'] else '\n'
if argd['--stripcodes']:
txt = justify(strip_codes(txt), argd)
print(txt, file=fd, end=end)
return 0
clr = get_colr(txt, argd)
clr = justify(clr, argd)
if clr:
print(str(clr), file=fd, end=end)
return 0
return 1
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argd=None):\n global DEBUG, debug\n argd = argd or docopt(USAGESTR, version=VERSIONSTR, script=SCRIPT,\n colors={'header': {'fore': 'yellow'}, 'sc... |
def x(*args, **kwargs):
if kwargs.get('file', None) is None:
kwargs['file'] = sys.stderr
msg = kwargs.get('sep', ' ').join(str(a) for a in args)
print('debug: {}'.format(msg), **kwargs)
| debug | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if kwargs.get('file', None) is None:\n kwargs['file'] = sys.stderr\n msg = kwargs.get('sep', ' ').join(str(a) for a in args)\n... |
def x(d, key, default=None):
val = default
with suppress(KeyError):
val = d.pop(key)
return val
| dict_pop_or | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, key, default=None):\n val = default\n with suppress(KeyError):\n val = d.pop(key)\n return val\n",
"role": "user"
},
{
"content"... |
def x(txt, argd):
fore = parse_colr_arg(get_name_arg(argd, '--fore', 'FORE', default=None
), rgb_mode=argd['--truecolor'])
back = parse_colr_arg(get_name_arg(argd, '--back', 'BACK', default=None
), rgb_mode=argd['--truecolor'])
style = get_name_arg(argd, '--style', 'STYLE', default=None)
if argd['--gradient']:
return C(txt).gradient(name=argd['--gradient'], spread=try_int(argd
['--spread'], 1, minimum=0), fore=fore, back=back, style=style,
rgb_mode=argd['--truecolor'])
if argd['--gradientrgb']:
rgb_start, rgb_stop = parse_gradient_rgb_args(argd['--gradientrgb'])
return C(txt).gradient_rgb(fore=fore, back=back, style=style, start
=rgb_start, stop=rgb_stop)
if argd['--rainbow']:
return C(txt).rainbow(fore=fore, back=back, style=style, freq=
try_float(argd['--frequency'], 0.1, minimum=0), offset=try_int(
argd['--offset'], randint(0, 255), minimum=0), spread=try_float
(argd['--spread'], 3.0, minimum=0), rgb_mode=argd['--truecolor'])
return C(txt, fore=fore, back=back, style=style)
| get_colr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(txt, argd):\n fore = parse_colr_arg(get_name_arg(argd, '--fore', 'FORE', default=None\n ), rgb_mode=argd['--truecolor'])\n back = parse_colr_arg(g... |
def x(argd, *argnames, default=None):
val = None
for argname in argnames:
if argd[argname]:
val = argd[argname].lower().strip()
break
return val if val else default
| get_name_arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argd, *argnames, default=None):\n val = None\n for argname in argnames:\n if argd[argname]:\n val = argd[argname].lower().strip()\n ... |
def x(*args):
if DEBUG:
print_err(traceback.format_exc(), color=False)
else:
print_err(*args, newline=True)
| handle_err | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n if DEBUG:\n print_err(traceback.format_exc(), color=False)\n else:\n print_err(*args, newline=True)\n",
"role": "user"
},
... |
def x(clr, argd):
methodmap = {'--ljust': clr.ljust, '--rjust': clr.rjust, '--center':
clr.center}
for flag in methodmap:
if argd[flag]:
if argd[flag] in ('0', '-'):
val = get_terminal_size(default=(80, 35))[0]
else:
val = try_int(argd[flag], minimum=None)
if val < 0:
val = get_terminal_size(default=(80, 35))[0] + val
return methodmap[flag](val)
return clr
| justify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clr, argd):\n methodmap = {'--ljust': clr.ljust, '--rjust': clr.rjust, '--center':\n clr.center}\n for flag in methodmap:\n if argd[flag]:\... |
def x(s, unique=True, rgb_mode=False):
total = 0
for codedesc in get_known_codes(s, unique=unique, rgb_mode=rgb_mode):
total += 1
print(codedesc)
plural = 'code' if total == 1 else 'codes'
codetype = ' unique' if unique else ''
print('\nFound {}{} escape {}.'.format(total, codetype, plural))
return 0 if total > 0 else 1
| list_known_codes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, unique=True, rgb_mode=False):\n total = 0\n for codedesc in get_known_codes(s, unique=unique, rgb_mode=rgb_mode):\n total += 1\n print(c... |
def x():
names = get_all_names()
nameslen = len(names)
print('\nListing {} names:\n'.format(nameslen))
namewidth = 20
swatch = ' ' * 9
third = nameslen // 3
lastthird = third * 2
cols = names[0:third], names[third:lastthird], names[lastthird:]
blankitem = ' ' * (namewidth + len(swatch) + 2)
for i in range(third):
nameset = []
for colset in cols:
try:
nameset.append(colset[i])
except IndexError:
nameset.append(None)
continue
line = C('').join(C(': ').join(C(name.rjust(namewidth)), C(swatch,
back=name)) if name else blankitem for name in nameset)
print(line)
return 0
| list_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n names = get_all_names()\n nameslen = len(names)\n print('\\nListing {} names:\\n'.format(nameslen))\n namewidth = 20\n swatch = ' ' * 9\n ... |
def x(args):
arglen = len(args)
if arglen < 1 or arglen > 2:
raise InvalidArg(arglen, label="Expecting 1 or 2 '-G' flags, got")
start_rgb = try_rgb(args[0]) if args else None
stop_rgb = try_rgb(args[1]) if arglen > 1 else None
return start_rgb, stop_rgb
| parse_gradient_rgb_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n arglen = len(args)\n if arglen < 1 or arglen > 2:\n raise InvalidArg(arglen, label=\"Expecting 1 or 2 '-G' flags, got\")\n start_rgb =... |
def x(*args, **kwargs):
if kwargs.get('file', None) is None:
kwargs['file'] = sys.stderr
color = dict_pop_or(kwargs, 'color', True)
if color and kwargs['file'].isatty():
msg = kwargs.get('sep', ' ').join(str(a) if isinstance(a, C) else
str(C(a, 'red')) for a in args)
else:
msg = kwargs.get('sep', ' ').join(str(a.stripped() if isinstance(a,
C) else a) for a in args)
newline = dict_pop_or(kwargs, 'newline', False)
if newline:
msg = '\n{}'.format(msg)
print(msg, **kwargs)
| print_err | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if kwargs.get('file', None) is None:\n kwargs['file'] = sys.stderr\n color = dict_pop_or(kwargs, 'color', True)\n if color ... |
def x():
if sys.stdin.isatty() and sys.stdout.isatty():
print('\nReading from stdin until end of file (Ctrl + D)...')
return sys.stdin.read()
| read_stdin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if sys.stdin.isatty() and sys.stdout.isatty():\n print('\\nReading from stdin until end of file (Ctrl + D)...')\n return sys.stdin.read()\n",... |
def x(usercodes, rgb_mode=False):
for code in usercodes:
code = code.strip().lower()
if code.isalpha() and code in codes['fore']:
yield translate_basic(code)
else:
if ',' in code:
try:
r, g, b = (int(c.strip()) for c in code.split(','))
except (TypeError, ValueError):
raise InvalidColr(code)
code = r, g, b
colorcode = ColorCode(code, rgb_mode=rgb_mode)
if disabled():
yield str(colorcode)
yield colorcode.example()
| translate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(usercodes, rgb_mode=False):\n for code in usercodes:\n code = code.strip().lower()\n if code.isalpha() and code in codes['fore']:\n ... |
def x(usercode):
codenum = get_code_num(codes['fore'][usercode])
colorcode = codeformat(codenum)
msg = 'Name: {:>10}, Number: {:>3}, EscapeCode: {!r}'.format(usercode,
codenum, colorcode)
if disabled():
return msg
return str(C(msg, fore=usercode))
| translate_basic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(usercode):\n codenum = get_code_num(codes['fore'][usercode])\n colorcode = codeformat(codenum)\n msg = 'Name: {:>10}, Number: {:>3}, EscapeCode: {!r}'... |
def x(s, default=None, minimum=None):
if not s:
return default
try:
val = float(s)
except (TypeError, ValueError):
raise InvalidNumber(s, label='Invalid float value')
if minimum is not None and val < minimum:
val = minimum
return val
| try_float | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, default=None, minimum=None):\n if not s:\n return default\n try:\n val = float(s)\n except (TypeError, ValueError):\n raise In... |
def x(s, default=None, minimum=None):
if not s:
return default
try:
val = int(s)
except (TypeError, ValueError):
raise InvalidNumber(s)
if minimum is not None and val < minimum:
val = minimum
return val
| try_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, default=None, minimum=None):\n if not s:\n return default\n try:\n val = int(s)\n except (TypeError, ValueError):\n raise Inva... |
def x(s, default=None):
if not s:
return default
try:
r, g, b = (int(x.strip()) for x in s.split(','))
except ValueError:
raise InvalidRgb(s)
if not all(in_range(x, 0, 255) for x in (r, g, b)):
raise InvalidRgb(s)
return r, g, b
| try_rgb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, default=None):\n if not s:\n return default\n try:\n r, g, b = (int(x.strip()) for x in s.split(','))\n except ValueError:\n r... |
def x():
try:
mainret = main()
except (EOFError, KeyboardInterrupt):
print_err('\nUser cancelled.\n')
mainret = 2
except BrokenPipeError:
print_err('\nBroken pipe, input/output was interrupted.\n')
mainret = 3
except InvalidArg as exarg:
handle_err(exarg.as_colr())
mainret = 4
except ValueError as exnum:
handle_err(exnum)
mainret = 4
sys.exit(mainret)
| entry_point | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n mainret = main()\n except (EOFError, KeyboardInterrupt):\n print_err('\\nUser cancelled.\\n')\n mainret = 2\n except ... |
def x(purpose=None, **kwargs):
if hasattr(ssl, 'create_default_context'):
if purpose is None or purpose is False:
purpose = ssl.Purpose.SERVER_AUTH
elif purpose is True:
purpose = ssl.Purpose.CLIENT_AUTH
return ssl.create_default_context(purpose, **kwargs)
context = SSLContext(ssl.PROTOCOL_SSLv23)
if kwargs.get('cafile'):
context.load_verify_locations(kwargs['cafile'])
return context
| create_default_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(purpose=None, **kwargs):\n if hasattr(ssl, 'create_default_context'):\n if purpose is None or purpose is False:\n purpose = ssl.Purpose.SE... |
def x(context=None, name=None):
if name is None:
name = _logger_name
if context is None and name in _logger_dict:
return _logger_dict[name]
if context is not None and not isinstance(context, six.string_types):
context = util.objref(context)
logger = logging.getLogger(name)
logger = ContextLogger(logger, context)
if context is None:
_logger_dict[name] = logger
return logger
| get_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context=None, name=None):\n if name is None:\n name = _logger_name\n if context is None and name in _logger_dict:\n return _logger_dict[nam... |
def x(self):
tid = threading.current_thread().name
if tid == 'MainThread':
tid = 'Main'
current = fibers.current()
fid = getattr(current, 'name') if current.parent else 'Root'
return '{}/{}'.format(tid, fid)
| thread_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tid = threading.current_thread().name\n if tid == 'MainThread':\n tid = 'Main'\n current = fibers.current()\n fid = getattr(current... |
def x(self):
if not self._logger.isEnabledFor(logging.DEBUG):
return ''
f = sys._getframe(3)
fname = os.path.split(f.f_code.co_filename)[1]
return '{}:{}'.format(fname, f.f_lineno)
| frame_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._logger.isEnabledFor(logging.DEBUG):\n return ''\n f = sys._getframe(3)\n fname = os.path.split(f.f_code.co_filename)[1]\n... |
def x(self, high=None, low=None):
if high is None:
high = self.default_buffer_size
if low is None:
low = high // 2
self._buffer_high = high
self._buffer_low = low
| set_buffer_limits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, high=None, low=None):\n if high is None:\n high = self.default_buffer_size\n if low is None:\n low = high // 2\n self._buffer_high... |
def x(self, data):
self._buffers.append(data)
self._buffer_size += len(data)
self._maybe_pause_transport()
self._can_read.set()
| feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._buffers.append(data)\n self._buffer_size += len(data)\n self._maybe_pause_transport()\n self._can_read.set()\n",
"role": "... |
def x(self, encoding, **textio_args):
if ('line_buffering' not in textio_args and 'write_through' not in
textio_args):
textio_args['write_through'] = True
return compat.TextIOWrapper(self, encoding, **textio_args)
| wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, encoding, **textio_args):\n if ('line_buffering' not in textio_args and 'write_through' not in\n textio_args):\n textio_args['write_thro... |
def x(self, size=-1):
self._check_readable()
chunks = []
bytes_read = 0
bytes_left = size
while True:
chunk = self._buffer.get_chunk(bytes_left)
if not chunk:
break
chunks.append(chunk)
bytes_read += len(chunk)
if bytes_read == size or not chunk:
break
if bytes_left > 0:
bytes_left -= len(chunk)
if not chunks and not self._buffer.eof and self._buffer.error:
raise compat.saved_exc(self._buffer.error)
return b''.join(chunks)
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size=-1):\n self._check_readable()\n chunks = []\n bytes_read = 0\n bytes_left = size\n while True:\n chunk = self._buffer.get_chun... |
def x(self, size=-1):
self._check_readable()
chunk = self._buffer.get_chunk(size)
if not chunk and not self._buffer.eof and self._buffer.error:
raise compat.saved_exc(self._buffer.error)
return chunk
| read1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size=-1):\n self._check_readable()\n chunk = self._buffer.get_chunk(size)\n if not chunk and not self._buffer.eof and self._buffer.error:\n ... |
def x(self, limit=-1, delim=b'\n'):
self._check_readable()
chunks = []
while True:
chunk = self._buffer.get_chunk(limit, delim)
if not chunk:
break
chunks.append(chunk)
if chunk.endswith(delim):
break
if limit >= 0:
limit -= len(chunk)
if limit == 0:
break
if not chunks and not self._buffer.eof and self._buffer.error:
raise compat.saved_exc(self._buffer.error)
return b''.join(chunks)
| readline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=-1, delim=b'\\n'):\n self._check_readable()\n chunks = []\n while True:\n chunk = self._buffer.get_chunk(limit, delim)\n if ... |
def x(self, hint=-1):
self._check_readable()
lines = []
chunks = []
bytes_read = 0
while True:
chunk = self._buffer.get_chunk(-1, b'\n')
if not chunk:
break
chunks.append(chunk)
if chunk.endswith(b'\n'):
lines.append(b''.join(chunks))
del chunks[:]
bytes_read += len(lines[-1])
if hint >= 0 and bytes_read > hint:
break
if chunks:
lines.append(b''.join(chunks))
if not lines and not self._buffer.eof and self._buffer.error:
raise compat.saved_exc(self._buffer.error)
return lines
| readlines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hint=-1):\n self._check_readable()\n lines = []\n chunks = []\n bytes_read = 0\n while True:\n chunk = self._buffer.get_chunk(-1, b... |
def x(self, data):
self._check_writable()
self._transport._can_write.wait()
self._transport.write(data)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._check_writable()\n self._transport._can_write.wait()\n self._transport.write(data)\n",
"role": "user"
},
{
"content":... |
def x(self, seq):
self._check_writable()
for line in seq:
self._transport._can_write.wait()
self._transport.write(line)
| writelines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seq):\n self._check_writable()\n for line in seq:\n self._transport._can_write.wait()\n self._transport.write(line)\n",
"role": "... |
def x(self):
self._check_writable()
self._transport._can_write.wait()
self._transport.write_eof()
| write_eof | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._check_writable()\n self._transport._can_write.wait()\n self._transport.write_eof()\n",
"role": "user"
},
{
"content": "writ... |
def x(self):
if self._closed:
return
if self._autoclose:
self._transport.close()
self._transport._closed.wait()
self._transport = None
self._closed = True
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._closed:\n return\n if self._autoclose:\n self._transport.close()\n self._transport._closed.wait()\n self._trans... |
def x(func, *args, **kwargs):
pool = get_io_pool()
fut = pool.submit(func, *args, **kwargs)
return fut.result()
| blocking | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n pool = get_io_pool()\n fut = pool.submit(func, *args, **kwargs)\n return fut.result()\n",
"role": "user"
},
{
"c... |
def x(objects, count=None, timeout=None):
for obj in objects:
if not hasattr(obj, 'add_done_callback'):
raise TypeError('Expecting sequence of waitable objects')
if count is None:
count = len(objects)
if count < 0 or count > len(objects):
raise ValueError('count must be between 0 and len(objects)')
if count == 0:
return
pending = list(objects)
for obj in _wait(pending, timeout):
yield obj
count -= 1
if count == 0:
break
| as_completed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(objects, count=None, timeout=None):\n for obj in objects:\n if not hasattr(obj, 'add_done_callback'):\n raise TypeError('Expecting sequenc... |
def x(objects, count=None, timeout=None):
for obj in objects:
if not hasattr(obj, 'add_done_callback'):
raise TypeError('Expecting sequence of waitable objects')
if count is None:
count = len(objects)
if count < 0 or count > len(objects):
raise ValueError('count must be between 0 and len(objects)')
if count == 0:
return [], objects
pending = list(objects)
done = []
try:
for obj in _wait(pending, timeout):
done.append(obj)
if len(done) == count:
break
except Timeout:
pass
return done, list(filter(bool, pending))
| wait | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(objects, count=None, timeout=None):\n for obj in objects:\n if not hasattr(obj, 'add_done_callback'):\n raise TypeError('Expecting sequenc... |
def x(self):
return self._state == self.S_EXCEPTION and isinstance(self._result,
Cancelled)
| cancelled | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self._state == self.S_EXCEPTION and isinstance(self._result,\n Cancelled)\n",
"role": "user"
},
{
"content": "cancelled",... |
def x(self):
with self._lock:
if self._state not in (self.S_PENDING, self.S_RUNNING):
return False
self._result = Cancelled('cancelled by Future.cancel()')
self._state = self.S_EXCEPTION
self._done.set()
return True
| cancel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._lock:\n if self._state not in (self.S_PENDING, self.S_RUNNING):\n return False\n self._result = Cancelled('canc... |
def x(self, timeout=None):
if not self._done.wait(timeout):
raise Timeout('timeout waiting for future')
if self._state == self.S_EXCEPTION:
raise compat.saved_exc(self._result)
return self._result
| result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if not self._done.wait(timeout):\n raise Timeout('timeout waiting for future')\n if self._state == self.S_EXCEPTION:\n ... |
def x(self, timeout=None):
if not self._done.wait(timeout):
raise Timeout('timeout waiting for future')
if self._state == self.S_EXCEPTION:
return self._result
| exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if not self._done.wait(timeout):\n raise Timeout('timeout waiting for future')\n if self._state == self.S_EXCEPTION:\n ... |
def x(self, callback, *args):
with self._lock:
if self._state not in (self.S_DONE, self.S_EXCEPTION):
return add_callback(self, callback, args)
callback(*args)
| add_done_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, *args):\n with self._lock:\n if self._state not in (self.S_DONE, self.S_EXCEPTION):\n return add_callback(self, callback, ... |
def x(self, func, *args):
with self._lock:
if self._closing:
raise RuntimeError('pool is closing/closed')
result = Future()
self._queue.put_nowait((func, args, result))
self._spawn_workers()
return result
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, *args):\n with self._lock:\n if self._closing:\n raise RuntimeError('pool is closing/closed')\n result = Future()\n ... |
def x(self, func, *iterables, **kwargs):
with self._lock:
if self._closing:
raise RuntimeError('pool is closing/closed')
timeout = kwargs.pop('timeout', None)
futures = []
for args in zip(*iterables):
result = Future()
self._queue.put_nowait((func, args, result))
futures.append(result)
self._spawn_workers()
try:
with switch_back(timeout):
for future in futures:
yield future.result()
except Exception:
for future in futures:
if not future.done():
future.cancel()
raise
| map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, *iterables, **kwargs):\n with self._lock:\n if self._closing:\n raise RuntimeError('pool is closing/closed')\n timeout ... |
def x(self):
with self._lock:
if self._closing:
return
self._closing = True
if not self._workers:
self._closed.set()
return
self._queue.put_nowait(self._PoolClosing)
self._closed.wait()
| close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._lock:\n if self._closing:\n return\n self._closing = True\n if not self._workers:\n self._clo... |
def x(channel_samples: list, Fs: int=DEFAULT_FS, wsize: int=
DEFAULT_WINDOW_SIZE, wratio: Union[int, float]=DEFAULT_OVERLAP_RATIO,
fan_value: int=DEFAULT_FAN_VALUE, amp_min: Union[int, float]=
DEFAULT_AMP_MIN) ->Iterator[tuple]:
arr2D = mlab.specgram(channel_samples, NFFT=wsize, Fs=Fs, window=mlab.
window_hanning, noverlap=int(wsize * wratio))[0]
arr2D = 10 * np.log10(arr2D)
arr2D[arr2D == -np.inf] = 0
local_maxima = get_2D_peaks(arr2D, plot=False, amp_min=amp_min)
return generate_hashes(local_maxima, fan_value=fan_value)
| fingerprint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channel_samples: list, Fs: int=DEFAULT_FS, wsize: int=\n DEFAULT_WINDOW_SIZE, wratio: Union[int, float]=DEFAULT_OVERLAP_RATIO,\n fan_value: int=DEFAULT_F... |
def x(peaks, fan_value: int=DEFAULT_FAN_VALUE):
if PEAK_SORT:
peaks = sorted(peaks, key=lambda x: x[1])
for i in range(len(peaks)):
for j in range(1, fan_value):
if i + j < len(peaks):
freq1 = peaks[i][IDX_FREQ_I]
freq2 = peaks[i + j][IDX_FREQ_I]
t1 = peaks[i][IDX_TIME_J]
t2 = peaks[i + j][IDX_TIME_J]
t_delta = t2 - t1
if MIN_HASH_TIME_DELTA <= t_delta <= MAX_HASH_TIME_DELTA:
key = '{}|{}|{}'.format(freq1, freq2, t_delta)
h = hashlib.sha1(key.encode('utf-8'))
yield h.hexdigest()[0:FINGERPRINT_REDUCTION], t1
| generate_hashes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(peaks, fan_value: int=DEFAULT_FAN_VALUE):\n if PEAK_SORT:\n peaks = sorted(peaks, key=lambda x: x[1])\n for i in range(len(peaks)):\n for j... |
def x(self, callback=None):
if self._state != self.S_UNWRAPPED:
raise RuntimeError('handshake in progress or completed')
self._sslobj = sslcompat.wrap_bio(self._context, self._incoming, self.
_outgoing, self._server_side, self._server_hostname)
self._state = self.S_DO_HANDSHAKE
self._handshake_cb = callback
ssldata, appdata = self.feed_ssldata(b'')
assert len(appdata) == 0
return ssldata
| do_handshake | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None):\n if self._state != self.S_UNWRAPPED:\n raise RuntimeError('handshake in progress or completed')\n self._sslobj = sslcompat.... |
def x(self, callback=None):
if self._state == self.S_UNWRAPPED:
raise RuntimeError('no security layer present')
self._state = self.S_SHUTDOWN
self._shutdown_cb = callback
ssldata, appdata = self.feed_ssldata(b'')
assert appdata == [] or appdata == [b'']
return ssldata
| shutdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None):\n if self._state == self.S_UNWRAPPED:\n raise RuntimeError('no security layer present')\n self._state = self.S_SHUTDOWN\n ... |
def x(self):
self._incoming.write_eof()
ssldata, appdata = self.feed_ssldata(b'')
assert appdata == [] or appdata == [b'']
| feed_eof | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._incoming.write_eof()\n ssldata, appdata = self.feed_ssldata(b'')\n assert appdata == [] or appdata == [b'']\n",
"role": "user"
},... |
def x(self, data):
if self._state == self.S_UNWRAPPED:
return [], [data] if data else []
ssldata = []
appdata = []
self._need_ssldata = False
if data:
self._incoming.write(data)
try:
if self._state == self.S_DO_HANDSHAKE:
self._sslobj.do_handshake()
self._state = self.S_WRAPPED
if self._handshake_cb:
self._handshake_cb()
if self._state == self.S_WRAPPED:
while True:
chunk = self._sslobj.read(self.bufsize)
appdata.append(chunk)
if not chunk:
break
if self._state == self.S_SHUTDOWN:
self._sslobj.unwrap()
self._sslobj = None
self._state = self.S_UNWRAPPED
if self._shutdown_cb:
self._shutdown_cb()
if self._state == self.S_UNWRAPPED:
appdata.append(self._incoming.read())
except (ssl.SSLError, sslcompat.CertificateError) as e:
if getattr(e, 'errno', None) not in (ssl.SSL_ERROR_WANT_READ, ssl.
SSL_ERROR_WANT_WRITE, ssl.SSL_ERROR_SYSCALL):
if self._state == self.S_DO_HANDSHAKE and self._handshake_cb:
self._handshake_cb(e)
raise
self._need_ssldata = e.errno == ssl.SSL_ERROR_WANT_READ
if self._outgoing.pending:
ssldata.append(self._outgoing.read())
return ssldata, appdata
| feed_ssldata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if self._state == self.S_UNWRAPPED:\n return [], [data] if data else []\n ssldata = []\n appdata = []\n self._need_ssldata = ... |
def x(self, data, offset=0):
if self._state == self.S_UNWRAPPED:
return [data[offset:]] if offset < len(data) else [], len(data)
ssldata = []
view = memoryview(data)
while True:
self._need_ssldata = False
try:
if offset < len(view):
offset += self._sslobj.write(view[offset:])
except ssl.SSLError as e:
if sslcompat.get_reason(e) == 'PROTOCOL_IS_SHUTDOWN':
e.errno = ssl.SSL_ERROR_WANT_READ
if e.errno not in (ssl.SSL_ERROR_WANT_READ, ssl.
SSL_ERROR_WANT_WRITE, ssl.SSL_ERROR_SYSCALL):
raise
self._need_ssldata = e.errno == ssl.SSL_ERROR_WANT_READ
if self._outgoing.pending:
ssldata.append(self._outgoing.read())
if offset == len(view) or self._need_ssldata:
break
return ssldata, offset
| feed_appdata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, offset=0):\n if self._state == self.S_UNWRAPPED:\n return [data[offset:]] if offset < len(data) else [], len(data)\n ssldata = []\n ... |
def x(self, name, default=None):
if name == 'ssl':
return self._sslpipe.ssl_object
elif name == 'sslctx':
return self._sslpipe.context
else:
return super(SslTransport, self).get_extra_info(name, default)
| get_extra_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, default=None):\n if name == 'ssl':\n return self._sslpipe.ssl_object\n elif name == 'sslctx':\n return self._sslpipe.context\n ... |
def x(self):
if self._error:
raise compat.saved_exc(self._error)
elif self._closing or self._handle.closed:
raise TransportError('SSL transport is closing/closed')
self._write_backlog.append([b'', True])
self._process_write_backlog()
| do_handshake | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._error:\n raise compat.saved_exc(self._error)\n elif self._closing or self._handle.closed:\n raise TransportError('SSL tra... |
def x(self):
if self._error:
raise compat.saved_exc(self._error)
elif self._closing or self._handle.closed:
raise TransportError('SSL transport is closing/closed')
self._close_on_unwrap = False
self._write_backlog.append([b'', False])
self._process_write_backlog()
| unwrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._error:\n raise compat.saved_exc(self._error)\n elif self._closing or self._handle.closed:\n raise TransportError('SSL tra... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.