source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(hcj_char, position='vowel'):
if position == 'lead':
jamo_class = 'CHOSEONG'
elif position == 'vowel':
jamo_class = 'JUNGSEONG'
elif position == 'tail':
jamo_class = 'JONGSEONG'
else:
raise InvalidJamoError('No mapping from input to jamo.', hcj_char)
jamo_name = re.sub('(?<=HANGUL )(\\w+)', jamo_class, _get_unicode_name(
hcj_char))
if jamo_name in _JAMO_REVERSE_LOOKUP.keys():
return _JAMO_REVERSE_LOOKUP[jamo_name]
return hcj_char
|
hcj_to_jamo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hcj_char, position='vowel'):\n if position == 'lead':\n jamo_class = 'CHOSEONG'\n elif position == 'vowel':\n jamo_class = 'JUNGSEONG'\n elif position == 'tail':\n jamo_class = 'JONGSEONG'\n else:\n raise InvalidJamoError('No mapping from input to jamo.', hcj_char)\n jamo_name = re.sub('(?<=HANGUL )(\\\\w+)', jamo_class, _get_unicode_name(\n hcj_char))\n if jamo_name in _JAMO_REVERSE_LOOKUP.keys():\n return _JAMO_REVERSE_LOOKUP[jamo_name]\n return hcj_char\n",
"role": "user"
},
{
"content": "hcj_to_jamo",
"role": "assistant"
}
] |
def x(hangul_string):
return (_ for _ in chain.from_iterable(_hangul_char_to_jamo(_) for _ in
hangul_string))
|
hangul_to_jamo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hangul_string):\n return (_ for _ in chain.from_iterable(_hangul_char_to_jamo(_) for _ in\n hangul_string))\n",
"role": "user"
},
{
"content": "hangul_to_jamo",
"role": "assistant"
}
] |
def x(lead, vowel, tail=''):
lead = hcj_to_jamo(lead, 'lead')
vowel = hcj_to_jamo(vowel, 'vowel')
if not tail or ord(tail) == 0:
tail = None
elif is_hcj(tail):
tail = hcj_to_jamo(tail, 'tail')
if (is_jamo(lead) and get_jamo_class(lead) == 'lead') and (is_jamo(
vowel) and get_jamo_class(vowel) == 'vowel') and (not tail or
is_jamo(tail) and get_jamo_class(tail) == 'tail'):
result = _jamo_to_hangul_char(lead, vowel, tail)
if is_hangul_char(result):
return result
raise InvalidJamoError('Could not synthesize characters to Hangul.', '\x00'
)
|
jamo_to_hangul
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lead, vowel, tail=''):\n lead = hcj_to_jamo(lead, 'lead')\n vowel = hcj_to_jamo(vowel, 'vowel')\n if not tail or ord(tail) == 0:\n tail = None\n elif is_hcj(tail):\n tail = hcj_to_jamo(tail, 'tail')\n if (is_jamo(lead) and get_jamo_class(lead) == 'lead') and (is_jamo(\n vowel) and get_jamo_class(vowel) == 'vowel') and (not tail or \n is_jamo(tail) and get_jamo_class(tail) == 'tail'):\n result = _jamo_to_hangul_char(lead, vowel, tail)\n if is_hangul_char(result):\n return result\n raise InvalidJamoError('Could not synthesize characters to Hangul.', '\\x00'\n )\n",
"role": "user"
},
{
"content": "jamo_to_hangul",
"role": "assistant"
}
] |
def x(compound):
if len(compound) != 1:
raise TypeError('decompose_jamo() expects a single character,',
'but received', type(compound), 'length', len(compound))
if compound not in JAMO_COMPOUNDS:
return compound
return _JAMO_TO_COMPONENTS.get(compound, compound)
|
decompose_jamo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(compound):\n if len(compound) != 1:\n raise TypeError('decompose_jamo() expects a single character,',\n 'but received', type(compound), 'length', len(compound))\n if compound not in JAMO_COMPOUNDS:\n return compound\n return _JAMO_TO_COMPONENTS.get(compound, compound)\n",
"role": "user"
},
{
"content": "decompose_jamo",
"role": "assistant"
}
] |
def x(*parts):
for p in parts:
if not (type(p) == str and len(p) == 1 and 2 <= len(parts) <= 3):
raise TypeError(
'compose_jamo() expected 2-3 single characters ' +
'but received ' + str(parts), '\x00')
hcparts = [j2hcj(_) for _ in parts]
hcparts = tuple(hcparts)
if hcparts in _COMPONENTS_REVERSE_LOOKUP:
return _COMPONENTS_REVERSE_LOOKUP[hcparts]
raise InvalidJamoError('Could not synthesize characters to compound: ' +
', '.join(str(_) + '(U+' + str(hex(ord(_)))[2:] + ')' for _ in
parts), '\x00')
|
compose_jamo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*parts):\n for p in parts:\n if not (type(p) == str and len(p) == 1 and 2 <= len(parts) <= 3):\n raise TypeError(\n 'compose_jamo() expected 2-3 single characters ' +\n 'but received ' + str(parts), '\\x00')\n hcparts = [j2hcj(_) for _ in parts]\n hcparts = tuple(hcparts)\n if hcparts in _COMPONENTS_REVERSE_LOOKUP:\n return _COMPONENTS_REVERSE_LOOKUP[hcparts]\n raise InvalidJamoError('Could not synthesize characters to compound: ' +\n ', '.join(str(_) + '(U+' + str(hex(ord(_)))[2:] + ')' for _ in\n parts), '\\x00')\n",
"role": "user"
},
{
"content": "compose_jamo",
"role": "assistant"
}
] |
def x(string):
raise NotImplementedError
return ''.join([''.join(''.join(jamo_to_hcj(_)) for _ in string)])
|
synth_hangul
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n raise NotImplementedError\n return ''.join([''.join(''.join(jamo_to_hcj(_)) for _ in string)])\n",
"role": "user"
},
{
"content": "synth_hangul",
"role": "assistant"
}
] |
def x(response):
message = response.headers.get('www-authenticate')
if message:
error = message.replace('"', '').rsplit('=', 1)[1]
else:
error = response.status_code
return _auth_error_mapping[error](response)
|
authorization_error_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response):\n message = response.headers.get('www-authenticate')\n if message:\n error = message.replace('\"', '').rsplit('=', 1)[1]\n else:\n error = response.status_code\n return _auth_error_mapping[error](response)\n",
"role": "user"
},
{
"content": "authorization_error_class",
"role": "assistant"
}
] |
def x(b0, b1):
n = [None, None]
_, _, n[0] = b0.rpartition(':')
_, _, n[1] = b1.rpartition(':')
for i in range(2):
try:
n[i] = int(n[i])
except ValueError:
raise ValueError('Invalid bookmark: {}'.format(b0))
return b0 if n[0] > n[1] else b1
|
last_bookmark
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b0, b1):\n n = [None, None]\n _, _, n[0] = b0.rpartition(':')\n _, _, n[1] = b1.rpartition(':')\n for i in range(2):\n try:\n n[i] = int(n[i])\n except ValueError:\n raise ValueError('Invalid bookmark: {}'.format(b0))\n return b0 if n[0] > n[1] else b1\n",
"role": "user"
},
{
"content": "last_bookmark",
"role": "assistant"
}
] |
def x(bookmarks):
last = None
for bookmark in bookmarks:
if last is None:
last = bookmark
else:
last = _last_bookmark(last, bookmark)
return last
|
last_bookmark
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bookmarks):\n last = None\n for bookmark in bookmarks:\n if last is None:\n last = bookmark\n else:\n last = _last_bookmark(last, bookmark)\n return last\n",
"role": "user"
},
{
"content": "last_bookmark",
"role": "assistant"
}
] |
def x(address, **config):
ssl_context = make_ssl_context(**config)
last_error = None
log_debug('[#0000] C: <RESOLVE> %s', address)
resolver = Resolver(custom_resolver=config.get('resolver'))
resolver.addresses.append(address)
resolver.custom_resolve()
resolver.dns_resolve()
for resolved_address in resolver.addresses:
try:
s = _connect(resolved_address, **config)
s, der_encoded_server_certificate = _secure(s, address[0],
ssl_context)
connection = _handshake(s, resolved_address,
der_encoded_server_certificate, **config)
except Exception as error:
last_error = error
else:
return connection
if last_error is None:
raise ServiceUnavailable('Failed to resolve addresses for %s' % address
)
else:
raise last_error
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(address, **config):\n ssl_context = make_ssl_context(**config)\n last_error = None\n log_debug('[#0000] C: <RESOLVE> %s', address)\n resolver = Resolver(custom_resolver=config.get('resolver'))\n resolver.addresses.append(address)\n resolver.custom_resolve()\n resolver.dns_resolve()\n for resolved_address in resolver.addresses:\n try:\n s = _connect(resolved_address, **config)\n s, der_encoded_server_certificate = _secure(s, address[0],\n ssl_context)\n connection = _handshake(s, resolved_address,\n der_encoded_server_certificate, **config)\n except Exception as error:\n last_error = error\n else:\n return connection\n if last_error is None:\n raise ServiceUnavailable('Failed to resolve addresses for %s' % address\n )\n else:\n raise last_error\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, signature, fields=(), response=None):
self.packer.pack_struct(signature, fields)
self.output_buffer.chunk()
self.output_buffer.chunk()
self.responses.append(response)
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signature, fields=(), response=None):\n self.packer.pack_struct(signature, fields)\n self.output_buffer.chunk()\n self.output_buffer.chunk()\n self.responses.append(response)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self):
def x(metadata):
raise ProtocolError('RESET failed %r' % metadata)
log_debug('[#%04X] C: RESET', self.local_port)
self._append(b'\x0f', response=Response(self, on_failure=fail))
self.sync()
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(metadata):\n raise ProtocolError('RESET failed %r' % metadata)\n log_debug('[#%04X] C: RESET', self.local_port)\n self._append(b'\\x0f', response=Response(self, on_failure=fail))\n self.sync()\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self):
data = self.output_buffer.view()
if not data:
return
if self.closed():
raise self.Error('Failed to write to closed connection {!r}'.format
(self.server.address))
if self.defunct():
raise self.Error('Failed to write to defunct connection {!r}'.
format(self.server.address))
self.socket.sendall(data)
self.output_buffer.clear()
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = self.output_buffer.view()\n if not data:\n return\n if self.closed():\n raise self.Error('Failed to write to closed connection {!r}'.format\n (self.server.address))\n if self.defunct():\n raise self.Error('Failed to write to defunct connection {!r}'.\n format(self.server.address))\n self.socket.sendall(data)\n self.output_buffer.clear()\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
if self.closed():
raise self.Error('Failed to read from closed connection {!r}'.
format(self.server.address))
if self.defunct():
raise self.Error('Failed to read from defunct connection {!r}'.
format(self.server.address))
if not self.responses:
return 0, 0
self._receive()
details, summary_signature, summary_metadata = self._unpack()
if details:
log_debug('[#%04X] S: RECORD * %d', self.local_port, len(details))
self.responses[0].on_records(details)
if summary_signature is None:
return len(details), 0
response = self.responses.popleft()
response.complete = True
if summary_signature == b'p':
log_debug('[#%04X] S: SUCCESS %r', self.local_port, summary_metadata)
response.on_success(summary_metadata or {})
elif summary_signature == b'~':
self._last_run_statement = None
log_debug('[#%04X] S: IGNORED', self.local_port)
response.on_ignored(summary_metadata or {})
elif summary_signature == b'\x7f':
self._last_run_statement = None
log_debug('[#%04X] S: FAILURE %r', self.local_port, summary_metadata)
response.on_failure(summary_metadata or {})
else:
self._last_run_statement = None
raise ProtocolError(
'Unexpected response message with signature %02X' %
summary_signature)
return len(details), 1
|
fetch
|
[
{
"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 raise self.Error('Failed to read from closed connection {!r}'.\n format(self.server.address))\n if self.defunct():\n raise self.Error('Failed to read from defunct connection {!r}'.\n format(self.server.address))\n if not self.responses:\n return 0, 0\n self._receive()\n details, summary_signature, summary_metadata = self._unpack()\n if details:\n log_debug('[#%04X] S: RECORD * %d', self.local_port, len(details))\n self.responses[0].on_records(details)\n if summary_signature is None:\n return len(details), 0\n response = self.responses.popleft()\n response.complete = True\n if summary_signature == b'p':\n log_debug('[#%04X] S: SUCCESS %r', self.local_port, summary_metadata)\n response.on_success(summary_metadata or {})\n elif summary_signature == b'~':\n self._last_run_statement = None\n log_debug('[#%04X] S: IGNORED', self.local_port)\n response.on_ignored(summary_metadata or {})\n elif summary_signature == b'\\x7f':\n self._last_run_statement = None\n log_debug('[#%04X] S: FAILURE %r', self.local_port, summary_metadata)\n response.on_failure(summary_metadata or {})\n else:\n self._last_run_statement = None\n raise ProtocolError(\n 'Unexpected response message with signature %02X' %\n summary_signature)\n return len(details), 1\n",
"role": "user"
},
{
"content": "fetch",
"role": "assistant"
}
] |
def x(self):
self.send()
detail_count = summary_count = 0
while self.responses:
response = self.responses[0]
while not response.complete:
detail_delta, summary_delta = self.fetch()
detail_count += detail_delta
summary_count += summary_delta
return detail_count, summary_count
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.send()\n detail_count = summary_count = 0\n while self.responses:\n response = self.responses[0]\n while not response.complete:\n detail_delta, summary_delta = self.fetch()\n detail_count += detail_delta\n summary_count += summary_delta\n return detail_count, summary_count\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self):
if not self._closed:
if self.protocol_version >= 3:
log_debug('[#%04X] C: GOODBYE', self.local_port)
self._append(b'\x02', ())
try:
self.send()
except ServiceUnavailable:
pass
log_debug('[#%04X] C: <CLOSE>', self.local_port)
try:
self.socket.close()
except IOError:
pass
finally:
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 not self._closed:\n if self.protocol_version >= 3:\n log_debug('[#%04X] C: GOODBYE', self.local_port)\n self._append(b'\\x02', ())\n try:\n self.send()\n except ServiceUnavailable:\n pass\n log_debug('[#%04X] C: <CLOSE>', self.local_port)\n try:\n self.socket.close()\n except IOError:\n pass\n finally:\n self._closed = True\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, address):
if self.closed():
raise ServiceUnavailable('Connection pool closed')
with self.lock:
try:
connections = self.connections[address]
except KeyError:
connections = self.connections[address] = deque()
connection_acquisition_start_timestamp = perf_counter()
while True:
for connection in list(connections):
if connection.closed() or connection.defunct(
) or connection.timedout():
connections.remove(connection)
continue
if not connection.in_use:
connection.in_use = True
return connection
infinite_connection_pool = (self._max_connection_pool_size < 0 or
self._max_connection_pool_size == float('inf'))
can_create_new_connection = infinite_connection_pool or len(
connections) < self._max_connection_pool_size
if can_create_new_connection:
try:
connection = self.connector(address)
except ServiceUnavailable:
self.remove(address)
raise
else:
connection.pool = self
connection.in_use = True
connections.append(connection)
return connection
span_timeout = self._connection_acquisition_timeout - (perf_counter
() - connection_acquisition_start_timestamp)
if span_timeout > 0:
self.cond.wait(span_timeout)
if self._connection_acquisition_timeout <= perf_counter(
) - connection_acquisition_start_timestamp:
raise ClientError(
'Failed to obtain a connection from pool within {!r}s'
.format(self._connection_acquisition_timeout))
else:
raise ClientError(
'Failed to obtain a connection from pool within {!r}s'.
format(self._connection_acquisition_timeout))
|
acquire_direct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n if self.closed():\n raise ServiceUnavailable('Connection pool closed')\n with self.lock:\n try:\n connections = self.connections[address]\n except KeyError:\n connections = self.connections[address] = deque()\n connection_acquisition_start_timestamp = perf_counter()\n while True:\n for connection in list(connections):\n if connection.closed() or connection.defunct(\n ) or connection.timedout():\n connections.remove(connection)\n continue\n if not connection.in_use:\n connection.in_use = True\n return connection\n infinite_connection_pool = (self._max_connection_pool_size < 0 or\n self._max_connection_pool_size == float('inf'))\n can_create_new_connection = infinite_connection_pool or len(\n connections) < self._max_connection_pool_size\n if can_create_new_connection:\n try:\n connection = self.connector(address)\n except ServiceUnavailable:\n self.remove(address)\n raise\n else:\n connection.pool = self\n connection.in_use = True\n connections.append(connection)\n return connection\n span_timeout = self._connection_acquisition_timeout - (perf_counter\n () - connection_acquisition_start_timestamp)\n if span_timeout > 0:\n self.cond.wait(span_timeout)\n if self._connection_acquisition_timeout <= perf_counter(\n ) - connection_acquisition_start_timestamp:\n raise ClientError(\n 'Failed to obtain a connection from pool within {!r}s'\n .format(self._connection_acquisition_timeout))\n else:\n raise ClientError(\n 'Failed to obtain a connection from pool within {!r}s'.\n format(self._connection_acquisition_timeout))\n",
"role": "user"
},
{
"content": "acquire_direct",
"role": "assistant"
}
] |
def x(self, connection):
with self.lock:
connection.in_use = False
self.cond.notify_all()
|
release
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection):\n with self.lock:\n connection.in_use = False\n self.cond.notify_all()\n",
"role": "user"
},
{
"content": "release",
"role": "assistant"
}
] |
def x(self, address):
try:
connections = self.connections[address]
except KeyError:
return 0
else:
return sum(1 if connection.in_use else 0 for connection in connections)
|
in_use_connection_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n try:\n connections = self.connections[address]\n except KeyError:\n return 0\n else:\n return sum(1 if connection.in_use else 0 for connection in connections)\n",
"role": "user"
},
{
"content": "in_use_connection_count",
"role": "assistant"
}
] |
def x(self, address):
with self.lock:
try:
connections = self.connections[address]
except KeyError:
return
for conn in list(connections):
if not conn.in_use:
connections.remove(conn)
try:
conn.close()
except IOError:
pass
if not connections:
self.remove(address)
|
deactivate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n with self.lock:\n try:\n connections = self.connections[address]\n except KeyError:\n return\n for conn in list(connections):\n if not conn.in_use:\n connections.remove(conn)\n try:\n conn.close()\n except IOError:\n pass\n if not connections:\n self.remove(address)\n",
"role": "user"
},
{
"content": "deactivate",
"role": "assistant"
}
] |
def x(self, address):
with self.lock:
for connection in self.connections.pop(address, ()):
try:
connection.close()
except IOError:
pass
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n with self.lock:\n for connection in self.connections.pop(address, ()):\n try:\n connection.close()\n except IOError:\n pass\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self):
if self._closed:
return
try:
with self.lock:
if not self._closed:
self._closed = True
for address in list(self.connections):
self.remove(address)
except TypeError as e:
pass
|
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 try:\n with self.lock:\n if not self._closed:\n self._closed = True\n for address in list(self.connections):\n self.remove(address)\n except TypeError as e:\n pass\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, records):
handler = self.handlers.get('on_records')
if callable(handler):
handler(records)
|
on_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, records):\n handler = self.handlers.get('on_records')\n if callable(handler):\n handler(records)\n",
"role": "user"
},
{
"content": "on_records",
"role": "assistant"
}
] |
def x(self, metadata):
handler = self.handlers.get('on_success')
if callable(handler):
handler(metadata)
handler = self.handlers.get('on_summary')
if callable(handler):
handler()
|
on_success
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata):\n handler = self.handlers.get('on_success')\n if callable(handler):\n handler(metadata)\n handler = self.handlers.get('on_summary')\n if callable(handler):\n handler()\n",
"role": "user"
},
{
"content": "on_success",
"role": "assistant"
}
] |
def x(self, metadata):
self.connection.reset()
handler = self.handlers.get('on_failure')
if callable(handler):
handler(metadata)
handler = self.handlers.get('on_summary')
if callable(handler):
handler()
raise CypherError.hydrate(**metadata)
|
on_failure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata):\n self.connection.reset()\n handler = self.handlers.get('on_failure')\n if callable(handler):\n handler(metadata)\n handler = self.handlers.get('on_summary')\n if callable(handler):\n handler()\n raise CypherError.hydrate(**metadata)\n",
"role": "user"
},
{
"content": "on_failure",
"role": "assistant"
}
] |
def x(self, metadata=None):
handler = self.handlers.get('on_ignored')
if callable(handler):
handler(metadata)
handler = self.handlers.get('on_summary')
if callable(handler):
handler()
|
on_ignored
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata=None):\n handler = self.handlers.get('on_ignored')\n if callable(handler):\n handler(metadata)\n handler = self.handlers.get('on_summary')\n if callable(handler):\n handler()\n",
"role": "user"
},
{
"content": "on_ignored",
"role": "assistant"
}
] |
def x(prop):
def x(self):
if not hasattr(self, '_cache'):
self._cache = {}
if prop.__name__ not in self._cache:
return_value = prop(self)
if isgenerator(return_value):
return_value = tuple(return_value)
self._cache[prop.__name__] = return_value
return self._cache[prop.__name__]
return property(cache_wrapper)
|
cached_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prop):\n\n def x(self):\n if not hasattr(self, '_cache'):\n self._cache = {}\n if prop.__name__ not in self._cache:\n return_value = prop(self)\n if isgenerator(return_value):\n return_value = tuple(return_value)\n self._cache[prop.__name__] = return_value\n return self._cache[prop.__name__]\n return property(cache_wrapper)\n",
"role": "user"
},
{
"content": "cached_property",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, Counter32):
return int(value.prettyPrint())
if isinstance(value, Counter64):
return int(value.prettyPrint())
if isinstance(value, Gauge32):
return int(value.prettyPrint())
if isinstance(value, Integer):
return int(value.prettyPrint())
if isinstance(value, Integer32):
return int(value.prettyPrint())
if isinstance(value, Unsigned32):
return int(value.prettyPrint())
if isinstance(value, IpAddress):
return str(value.prettyPrint())
if isinstance(value, OctetString):
try:
return value.asOctets().decode(value.encoding)
except UnicodeDecodeError:
return value.asOctets()
if isinstance(value, TimeTicks):
return timedelta(seconds=int(value.prettyPrint()) / 100.0)
return value
|
convert_value_to_native
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, Counter32):\n return int(value.prettyPrint())\n if isinstance(value, Counter64):\n return int(value.prettyPrint())\n if isinstance(value, Gauge32):\n return int(value.prettyPrint())\n if isinstance(value, Integer):\n return int(value.prettyPrint())\n if isinstance(value, Integer32):\n return int(value.prettyPrint())\n if isinstance(value, Unsigned32):\n return int(value.prettyPrint())\n if isinstance(value, IpAddress):\n return str(value.prettyPrint())\n if isinstance(value, OctetString):\n try:\n return value.asOctets().decode(value.encoding)\n except UnicodeDecodeError:\n return value.asOctets()\n if isinstance(value, TimeTicks):\n return timedelta(seconds=int(value.prettyPrint()) / 100.0)\n return value\n",
"role": "user"
},
{
"content": "convert_value_to_native",
"role": "assistant"
}
] |
def x(self, oid):
snmpsecurity = self._get_snmp_security()
try:
engine_error, pdu_error, pdu_error_index, objects = (self._cmdgen.
getCmd(snmpsecurity, cmdgen.UdpTransportTarget((self.host, self
.port), timeout=self.timeout, retries=self.retries), oid))
except Exception as e:
raise SNMPError(e)
if engine_error:
raise SNMPError(engine_error)
if pdu_error:
raise SNMPError(pdu_error.prettyPrint())
_, value = objects[0]
value = _convert_value_to_native(value)
return value
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oid):\n snmpsecurity = self._get_snmp_security()\n try:\n engine_error, pdu_error, pdu_error_index, objects = (self._cmdgen.\n getCmd(snmpsecurity, cmdgen.UdpTransportTarget((self.host, self\n .port), timeout=self.timeout, retries=self.retries), oid))\n except Exception as e:\n raise SNMPError(e)\n if engine_error:\n raise SNMPError(engine_error)\n if pdu_error:\n raise SNMPError(pdu_error.prettyPrint())\n _, value = objects[0]\n value = _convert_value_to_native(value)\n return value\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, oid, value, value_type=None):
snmpsecurity = self._get_snmp_security()
if value_type is None:
if isinstance(value, int):
data = Integer(value)
elif isinstance(value, float):
data = Integer(value)
elif isinstance(value, str):
if is_ipv4_address(value):
data = IpAddress(value)
else:
data = OctetString(value)
else:
raise TypeError(
'Unable to autodetect type. Please pass one of these strings as the value_type keyword arg: , '
.join(TYPES.keys()))
else:
if value_type not in TYPES:
raise ValueError("'{}' is not one of the supported types: {}".
format(value_type, ', '.join(TYPES.keys())))
data = TYPES[value_type](value)
try:
engine_error, pdu_error, pdu_error_index, objects = (self._cmdgen.
setCmd(snmpsecurity, cmdgen.UdpTransportTarget((self.host, self
.port), timeout=self.timeout, retries=self.retries), (oid, data)))
if engine_error:
raise SNMPError(engine_error)
if pdu_error:
raise SNMPError(pdu_error.prettyPrint())
except Exception as e:
raise SNMPError(e)
_, value = objects[0]
value = _convert_value_to_native(value)
return value
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oid, value, value_type=None):\n snmpsecurity = self._get_snmp_security()\n if value_type is None:\n if isinstance(value, int):\n data = Integer(value)\n elif isinstance(value, float):\n data = Integer(value)\n elif isinstance(value, str):\n if is_ipv4_address(value):\n data = IpAddress(value)\n else:\n data = OctetString(value)\n else:\n raise TypeError(\n 'Unable to autodetect type. Please pass one of these strings as the value_type keyword arg: , '\n .join(TYPES.keys()))\n else:\n if value_type not in TYPES:\n raise ValueError(\"'{}' is not one of the supported types: {}\".\n format(value_type, ', '.join(TYPES.keys())))\n data = TYPES[value_type](value)\n try:\n engine_error, pdu_error, pdu_error_index, objects = (self._cmdgen.\n setCmd(snmpsecurity, cmdgen.UdpTransportTarget((self.host, self\n .port), timeout=self.timeout, retries=self.retries), (oid, data)))\n if engine_error:\n raise SNMPError(engine_error)\n if pdu_error:\n raise SNMPError(pdu_error.prettyPrint())\n except Exception as e:\n raise SNMPError(e)\n _, value = objects[0]\n value = _convert_value_to_native(value)\n return value\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, oid, columns=None, column_value_mapping=None, non_repeaters=0,
max_repetitions=20, fetch_all_columns=True):
snmpsecurity = self._get_snmp_security()
base_oid = oid.strip('.')
if not fetch_all_columns and not columns:
raise ValueError(
'please use the columns argument to indicate which columns to fetch'
)
if fetch_all_columns:
columns_to_fetch = ['']
else:
columns_to_fetch = [('.' + str(col_id)) for col_id in columns.keys()]
full_obj_table = []
for col in columns_to_fetch:
try:
engine_error, pdu_error, pdu_error_index, obj_table = (self.
_cmdgen.bulkCmd(snmpsecurity, cmdgen.UdpTransportTarget((
self.host, self.port), timeout=self.timeout, retries=self.
retries), non_repeaters, max_repetitions, oid + col))
except Exception as e:
raise SNMPError(e)
if engine_error:
raise SNMPError(engine_error)
if pdu_error:
raise SNMPError(pdu_error.prettyPrint())
try:
while not str(obj_table[-1][0][0].getOid()).lstrip('.').startswith(
base_oid + col + '.'):
obj_table.pop()
except IndexError:
pass
full_obj_table += obj_table
t = Table(columns=columns, column_value_mapping=column_value_mapping)
for row in full_obj_table:
for name, value in row:
oid = str(name.getOid()).strip('.')
value = _convert_value_to_native(value)
column, row_id = oid[len(base_oid) + 1:].split('.', 1)
t._add_value(int(column), row_id, value)
return t
|
table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oid, columns=None, column_value_mapping=None, non_repeaters=0,\n max_repetitions=20, fetch_all_columns=True):\n snmpsecurity = self._get_snmp_security()\n base_oid = oid.strip('.')\n if not fetch_all_columns and not columns:\n raise ValueError(\n 'please use the columns argument to indicate which columns to fetch'\n )\n if fetch_all_columns:\n columns_to_fetch = ['']\n else:\n columns_to_fetch = [('.' + str(col_id)) for col_id in columns.keys()]\n full_obj_table = []\n for col in columns_to_fetch:\n try:\n engine_error, pdu_error, pdu_error_index, obj_table = (self.\n _cmdgen.bulkCmd(snmpsecurity, cmdgen.UdpTransportTarget((\n self.host, self.port), timeout=self.timeout, retries=self.\n retries), non_repeaters, max_repetitions, oid + col))\n except Exception as e:\n raise SNMPError(e)\n if engine_error:\n raise SNMPError(engine_error)\n if pdu_error:\n raise SNMPError(pdu_error.prettyPrint())\n try:\n while not str(obj_table[-1][0][0].getOid()).lstrip('.').startswith(\n base_oid + col + '.'):\n obj_table.pop()\n except IndexError:\n pass\n full_obj_table += obj_table\n t = Table(columns=columns, column_value_mapping=column_value_mapping)\n for row in full_obj_table:\n for name, value in row:\n oid = str(name.getOid()).strip('.')\n value = _convert_value_to_native(value)\n column, row_id = oid[len(base_oid) + 1:].split('.', 1)\n t._add_value(int(column), row_id, value)\n return t\n",
"role": "user"
},
{
"content": "table",
"role": "assistant"
}
] |
def x():
desc = Colors.LIGHTBLUE + textwrap.dedent(
""" Welcome to
_ _ _
__ _ _ _| |_ ___ _ __ _ _ | |_ ___ _ __ _ __ ___ _ __ | |_
/ _` | | | | __/ _ \\ | '_ \\| | | | | __/ _ \\| '__| '__/ _ \\ '_ \\| __|
| (_| | |_| | || (_) | | |_) | |_| | | || (_) | | | | | __/ | | | |_
\\__,_|\\__,_|\\__\\___/____| .__/ \\__, |___\\__\\___/|_| |_| \\___|_| |_|\\__|
|_____|_| |___/_____|
------------------------------------
auto_py_torrent is an automated tool for download files by obtaining
torrents or magnets that are in different provided pages that the
user can choose.
Its goal is to make it easier for users to find the files they want
and download them instantly.
An auto_py_torrent command is provided in which the user can
currently choose between two modes, best_rated and list mode, then it
selects one of the torrent tracking pages for multimedia content and
finally enter the text of what you want to download.
------------------------------------
"""
) + Colors.ENDC
usage_info = Colors.LGREEN + textwrap.dedent(
"""
Use "%(prog)s --help" for more information.
Examples:
use "%(prog)s MODE SELECTED_PAGE STRING_TO_SEARCH # generic.
use "%(prog)s 0 0 "The simpsons" # best rated.
use "%(prog)s 1 0 "The simpsons" # list rated.
Mode options:
0: best_rated. # Download the most rated file.
1: list. # Get a list, and select one of them.
Page list options:
0: torrent project.
1: the pirate bay.
2: 1337x.
3: eztv.
4: limetorrents.
5: isohunt.
"""
) + Colors.ENDC
epi = Colors.LIGHTPURPLE + textwrap.dedent(
""" -> Thanks for using auto_py_torrent!
"""
) + Colors.ENDC
parser = argparse.ArgumentParser(add_help=True, formatter_class=
argparse.RawTextHelpFormatter, usage=usage_info, description=desc,
epilog=epi)
parser.add_argument('mode', action='store', choices=range(len(MODES)),
type=int, help=
"""Select mode of file download.
e.g: 0(rated) or 1(list).""")
parser.add_argument('torr_page', action='store', choices=range(len(
TORRENTS)), type=int, help=
"""Select tracking page to download from.
e.g: 0 to .. """ +
str(len(TORRENTS) - 1) + '.')
parser.add_argument('str_search', action='store', type=str, help=
"""Input torrent string to search.
e.g: "String search\"""")
return parser
|
get_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n desc = Colors.LIGHTBLUE + textwrap.dedent(\n \"\"\" Welcome to\n _ _ _\n __ _ _ _| |_ ___ _ __ _ _ | |_ ___ _ __ _ __ ___ _ __ | |_\n / _` | | | | __/ _ \\\\ | '_ \\\\| | | | | __/ _ \\\\| '__| '__/ _ \\\\ '_ \\\\| __|\n | (_| | |_| | || (_) | | |_) | |_| | | || (_) | | | | | __/ | | | |_\n \\\\__,_|\\\\__,_|\\\\__\\\\___/____| .__/ \\\\__, |___\\\\__\\\\___/|_| |_| \\\\___|_| |_|\\\\__|\n |_____|_| |___/_____|\n\n ------------------------------------\n auto_py_torrent is an automated tool for download files by obtaining\n torrents or magnets that are in different provided pages that the\n user can choose.\n\n Its goal is to make it easier for users to find the files they want\n and download them instantly.\n\n An auto_py_torrent command is provided in which the user can\n currently choose between two modes, best_rated and list mode, then it\n selects one of the torrent tracking pages for multimedia content and\n finally enter the text of what you want to download.\n ------------------------------------\n \"\"\"\n ) + Colors.ENDC\n usage_info = Colors.LGREEN + textwrap.dedent(\n \"\"\"\n Use \"%(prog)s --help\" for more information.\n Examples:\n use \"%(prog)s MODE SELECTED_PAGE STRING_TO_SEARCH # generic.\n use \"%(prog)s 0 0 \"The simpsons\" # best rated.\n use \"%(prog)s 1 0 \"The simpsons\" # list rated.\n\n Mode options:\n 0: best_rated. # Download the most rated file.\n 1: list. # Get a list, and select one of them.\n\n Page list options:\n 0: torrent project.\n 1: the pirate bay.\n 2: 1337x.\n 3: eztv.\n 4: limetorrents.\n 5: isohunt.\n \"\"\"\n ) + Colors.ENDC\n epi = Colors.LIGHTPURPLE + textwrap.dedent(\n \"\"\" -> Thanks for using auto_py_torrent!\n \"\"\"\n ) + Colors.ENDC\n parser = argparse.ArgumentParser(add_help=True, formatter_class=\n argparse.RawTextHelpFormatter, usage=usage_info, description=desc,\n epilog=epi)\n parser.add_argument('mode', action='store', choices=range(len(MODES)),\n type=int, help=\n \"\"\"Select mode of file download.\n e.g: 0(rated) or 1(list).\"\"\")\n parser.add_argument('torr_page', action='store', choices=range(len(\n TORRENTS)), type=int, help=\n \"\"\"Select tracking page to download from.\n e.g: 0 to .. \"\"\" +\n str(len(TORRENTS) - 1) + '.')\n parser.add_argument('str_search', action='store', type=str, help=\n \"\"\"Input torrent string to search.\n e.g: \"String search\\\"\"\"\")\n return parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
def x(args):
string_search = args.str_search
mode_search = MODES[args.mode]
page = list(TORRENTS[args.torr_page].keys())[0]
key_search = TORRENTS[args.torr_page][page]['key_search']
torrent_page = TORRENTS[args.torr_page][page]['page']
domain = TORRENTS[args.torr_page][page]['domain']
return [args, string_search, mode_search, page, key_search,
torrent_page, domain]
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n string_search = args.str_search\n mode_search = MODES[args.mode]\n page = list(TORRENTS[args.torr_page].keys())[0]\n key_search = TORRENTS[args.torr_page][page]['key_search']\n torrent_page = TORRENTS[args.torr_page][page]['page']\n domain = TORRENTS[args.torr_page][page]['domain']\n return [args, string_search, mode_search, page, key_search,\n torrent_page, domain]\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x():
initialize()
parser = get_parser()
args = None
first_parse = True
while True:
if first_parse is True:
first_parse = False
args = parser.parse_args()
else:
print(textwrap.dedent(
""" Search again like in the beginning.
-- You can either choose best rated or list mode.
-- This time, you can insert the search string without double quotes.
Remember the list mode options!
0: torrent project.
1: the pirate bay.
2: 1337x.
3: eztv.
4: limetorrents.
5: isohunt.
"""
))
print('Or.. if you want to exit just write "' + Colors.LRED +
'Q' + Colors.ENDC + '" or "' + Colors.LRED + 'q' + Colors.
ENDC + '".')
input_parse = input('>> ').replace("'", '').replace('"', '')
if input_parse in ['Q', 'q']:
sys.exit(1)
args = parser.parse_args(input_parse.split(' ', 2))
if args.str_search.strip() == '':
print('Please insert an appropiate non-empty string.')
else:
auto = AutoPy(*insert(args))
auto.get_content()
auto.select_torrent()
auto.download_torrent()
|
run_it
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n initialize()\n parser = get_parser()\n args = None\n first_parse = True\n while True:\n if first_parse is True:\n first_parse = False\n args = parser.parse_args()\n else:\n print(textwrap.dedent(\n \"\"\" Search again like in the beginning.\n -- You can either choose best rated or list mode.\n -- This time, you can insert the search string without double quotes.\n Remember the list mode options!\n 0: torrent project.\n 1: the pirate bay.\n 2: 1337x.\n 3: eztv.\n 4: limetorrents.\n 5: isohunt.\n \"\"\"\n ))\n print('Or.. if you want to exit just write \"' + Colors.LRED +\n 'Q' + Colors.ENDC + '\" or \"' + Colors.LRED + 'q' + Colors.\n ENDC + '\".')\n input_parse = input('>> ').replace(\"'\", '').replace('\"', '')\n if input_parse in ['Q', 'q']:\n sys.exit(1)\n args = parser.parse_args(input_parse.split(' ', 2))\n if args.str_search.strip() == '':\n print('Please insert an appropiate non-empty string.')\n else:\n auto = AutoPy(*insert(args))\n auto.get_content()\n auto.select_torrent()\n auto.download_torrent()\n",
"role": "user"
},
{
"content": "run_it",
"role": "assistant"
}
] |
def x(self):
if sys.platform.startswith('linux'):
subprocess.Popen(['xdg-open', self.magnet], stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
elif sys.platform.startswith('win32'):
os.startfile(self.magnet)
elif sys.platform.startswith('cygwin'):
os.startfile(self.magnet)
elif sys.platform.startswith('darwin'):
subprocess.Popen(['open', self.magnet], stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
else:
subprocess.Popen(['xdg-open', self.magnet], stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
|
open_magnet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if sys.platform.startswith('linux'):\n subprocess.Popen(['xdg-open', self.magnet], stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n elif sys.platform.startswith('win32'):\n os.startfile(self.magnet)\n elif sys.platform.startswith('cygwin'):\n os.startfile(self.magnet)\n elif sys.platform.startswith('darwin'):\n subprocess.Popen(['open', self.magnet], stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n else:\n subprocess.Popen(['xdg-open', self.magnet], stdout=subprocess.PIPE,\n stderr=subprocess.PIPE)\n",
"role": "user"
},
{
"content": "open_magnet",
"role": "assistant"
}
] |
def x(self, url):
content_most_rated = requests.get(url)
rated_soup = BeautifulSoup(content_most_rated.content, 'lxml')
if self.page == 'torrent_project':
self.magnet = rated_soup.find('a', href=True, text=re.compile(
'Download'))['href']
elif self.page == 'the_pirate_bay':
self.magnet = rated_soup.find('a', href=True, text=re.compile(
'Get this torrent'))['href']
elif self.page == '1337x':
div1337 = rated_soup.find('div', {'class': 'torrent-category-detail'})
self.magnet = div1337.find('a', href=re.compile('magnet'))['href']
elif self.page == 'isohunt':
self.magnet = rated_soup.find('a', href=re.compile('magnet'))['href']
else:
print('Wrong page to get magnet!')
sys.exit(1)
|
get_magnet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n content_most_rated = requests.get(url)\n rated_soup = BeautifulSoup(content_most_rated.content, 'lxml')\n if self.page == 'torrent_project':\n self.magnet = rated_soup.find('a', href=True, text=re.compile(\n 'Download'))['href']\n elif self.page == 'the_pirate_bay':\n self.magnet = rated_soup.find('a', href=True, text=re.compile(\n 'Get this torrent'))['href']\n elif self.page == '1337x':\n div1337 = rated_soup.find('div', {'class': 'torrent-category-detail'})\n self.magnet = div1337.find('a', href=re.compile('magnet'))['href']\n elif self.page == 'isohunt':\n self.magnet = rated_soup.find('a', href=re.compile('magnet'))['href']\n else:\n print('Wrong page to get magnet!')\n sys.exit(1)\n",
"role": "user"
},
{
"content": "get_magnet",
"role": "assistant"
}
] |
def x(self):
try:
if self.back_to_menu is True:
return
if self.found_torrents is False:
print('Nothing found.')
return
if self.mode_search == 'best_rated':
print('Downloading..')
self.open_magnet()
elif self.mode_search == 'list':
if self.selected is not None:
if self.page in ['eztv', 'limetorrents']:
self.magnet = self.hrefs[int(self.selected)]
print('Downloading..')
self.open_magnet()
elif self.page in ['the_pirate_bay', 'torrent_project',
'1337x', 'isohunt']:
url = self.hrefs[int(self.selected)]
self.get_magnet(url)
print('Downloading..')
self.open_magnet()
else:
print('Bad selected page.')
else:
print('Nothing selected.')
sys.exit(1)
except Exception:
print(traceback.format_exc())
sys.exit(0)
|
download_torrent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if self.back_to_menu is True:\n return\n if self.found_torrents is False:\n print('Nothing found.')\n return\n if self.mode_search == 'best_rated':\n print('Downloading..')\n self.open_magnet()\n elif self.mode_search == 'list':\n if self.selected is not None:\n if self.page in ['eztv', 'limetorrents']:\n self.magnet = self.hrefs[int(self.selected)]\n print('Downloading..')\n self.open_magnet()\n elif self.page in ['the_pirate_bay', 'torrent_project',\n '1337x', 'isohunt']:\n url = self.hrefs[int(self.selected)]\n self.get_magnet(url)\n print('Downloading..')\n self.open_magnet()\n else:\n print('Bad selected page.')\n else:\n print('Nothing selected.')\n sys.exit(1)\n except Exception:\n print(traceback.format_exc())\n sys.exit(0)\n",
"role": "user"
},
{
"content": "download_torrent",
"role": "assistant"
}
] |
def x(self):
headers = ['Title', 'Seeders', 'Leechers', 'Age', 'Size']
titles = []
seeders = []
leechers = []
ages = []
sizes = []
if self.page == 'torrent_project':
titles = [list(span.find('a').stripped_strings)[0] for span in self
.elements[0]]
seeders = [span.get_text() for span in self.elements[1]]
leechers = [span.get_text() for span in self.elements[2]]
ages = [span.get_text() for span in self.elements[3]]
sizes = [span.get_text() for span in self.elements[4]]
self.hrefs = [(self.domain + span.find('a')['href']) for span in
self.elements[0]]
elif self.page == 'the_pirate_bay':
for elem in self.elements[0]:
title = elem.find('a', {'class': 'detLink'}).get_text()
titles.append(title)
font_text = elem.find('font', {'class': 'detDesc'}).get_text()
dammit = UnicodeDammit(font_text)
age, size = dammit.unicode_markup.split(',')[:-1]
ages.append(age)
sizes.append(size)
href = self.domain + elem.find('a', title=re.compile('magnet'))[
'href']
self.hrefs.append(str(href))
seeders = [elem.get_text() for elem in self.elements[1]]
leechers = [elem.get_text() for elem in self.elements[2]]
elif self.page == '1337x':
titles = [elem.get_text() for elem in self.elements[0]]
seeders = [elem.get_text() for elem in self.elements[1]]
leechers = [elem.get_text() for elem in self.elements[2]]
ages = [elem.get_text() for elem in self.elements[3]]
sizes = [elem.get_text('|').split('|')[0] for elem in self.elements[4]]
self.hrefs = [(self.domain + elem.find(href=re.compile('torrent'))[
'href']) for elem in self.elements[0]]
elif self.page == 'eztv':
titles = [elem.get_text() for elem in self.elements[0]]
seeders = [elem.get_text() for elem in self.elements[4]]
leechers = ['-' for elem in self.elements[4]]
ages = [elem.get_text() for elem in self.elements[3]]
sizes = [elem.get_text() for elem in self.elements[2]]
self.hrefs = [elem.find(href=re.compile('magnet'))['href'] for elem in
self.elements[1]]
elif self.page == 'limetorrents':
titles = [elem.get_text() for elem in self.elements[0]]
seeders = [elem.get_text() for elem in self.elements[3]]
leechers = [elem.get_text() for elem in self.elements[4]]
ages = [elem.get_text() for elem in self.elements[1]]
sizes = [elem.get_text() for elem in self.elements[2]]
self.hrefs = [elem.find('a', href=re.compile('torrent'))['href'] for
elem in self.elements[0]]
elif self.page == 'isohunt':
titles = [elem.get_text() for elem in self.elements[0]]
seeders = [elem.get_text() for elem in self.elements[5]]
leechers = ['-' for elem in self.elements[5]]
ages = [elem.get_text() for elem in self.elements[3]]
sizes = [elem.get_text() for elem in self.elements[4]]
self.hrefs = [(self.domain + elem.find(href=re.compile(
'torrent_details'))['href']) for elem in self.elements[0]]
else:
print('Error page')
self.table = [[Colors.BOLD + UnicodeDammit(titles[i][:75].strip(), [
'utf-8']).unicode_markup + Colors.ENDC if (i + 1) % 2 == 0 else
UnicodeDammit(titles[i][:75].strip()).unicode_markup, Colors.SEEDER +
seeders[i].strip() + Colors.ENDC if (i + 1) % 2 == 0 else Colors.
LGREEN + seeders[i].strip() + Colors.ENDC, Colors.LEECHER +
leechers[i].strip() + Colors.ENDC if (i + 1) % 2 == 0 else Colors.
LRED + leechers[i].strip() + Colors.ENDC, Colors.LIGHTBLUE + ages[i
].strip() + Colors.ENDC if (i + 1) % 2 == 0 else Colors.BLUE + ages
[i].strip() + Colors.ENDC, Colors.PINK + sizes[i].strip() + Colors.
ENDC if (i + 1) % 2 == 0 else Colors.PURPLE + sizes[i].strip() +
Colors.ENDC] for i in range(len(self.hrefs))]
print(tabulate(self.table, headers=headers, tablefmt='psql', numalign=
'right', stralign='left', showindex=True))
|
build_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n headers = ['Title', 'Seeders', 'Leechers', 'Age', 'Size']\n titles = []\n seeders = []\n leechers = []\n ages = []\n sizes = []\n if self.page == 'torrent_project':\n titles = [list(span.find('a').stripped_strings)[0] for span in self\n .elements[0]]\n seeders = [span.get_text() for span in self.elements[1]]\n leechers = [span.get_text() for span in self.elements[2]]\n ages = [span.get_text() for span in self.elements[3]]\n sizes = [span.get_text() for span in self.elements[4]]\n self.hrefs = [(self.domain + span.find('a')['href']) for span in\n self.elements[0]]\n elif self.page == 'the_pirate_bay':\n for elem in self.elements[0]:\n title = elem.find('a', {'class': 'detLink'}).get_text()\n titles.append(title)\n font_text = elem.find('font', {'class': 'detDesc'}).get_text()\n dammit = UnicodeDammit(font_text)\n age, size = dammit.unicode_markup.split(',')[:-1]\n ages.append(age)\n sizes.append(size)\n href = self.domain + elem.find('a', title=re.compile('magnet'))[\n 'href']\n self.hrefs.append(str(href))\n seeders = [elem.get_text() for elem in self.elements[1]]\n leechers = [elem.get_text() for elem in self.elements[2]]\n elif self.page == '1337x':\n titles = [elem.get_text() for elem in self.elements[0]]\n seeders = [elem.get_text() for elem in self.elements[1]]\n leechers = [elem.get_text() for elem in self.elements[2]]\n ages = [elem.get_text() for elem in self.elements[3]]\n sizes = [elem.get_text('|').split('|')[0] for elem in self.elements[4]]\n self.hrefs = [(self.domain + elem.find(href=re.compile('torrent'))[\n 'href']) for elem in self.elements[0]]\n elif self.page == 'eztv':\n titles = [elem.get_text() for elem in self.elements[0]]\n seeders = [elem.get_text() for elem in self.elements[4]]\n leechers = ['-' for elem in self.elements[4]]\n ages = [elem.get_text() for elem in self.elements[3]]\n sizes = [elem.get_text() for elem in self.elements[2]]\n self.hrefs = [elem.find(href=re.compile('magnet'))['href'] for elem in\n self.elements[1]]\n elif self.page == 'limetorrents':\n titles = [elem.get_text() for elem in self.elements[0]]\n seeders = [elem.get_text() for elem in self.elements[3]]\n leechers = [elem.get_text() for elem in self.elements[4]]\n ages = [elem.get_text() for elem in self.elements[1]]\n sizes = [elem.get_text() for elem in self.elements[2]]\n self.hrefs = [elem.find('a', href=re.compile('torrent'))['href'] for\n elem in self.elements[0]]\n elif self.page == 'isohunt':\n titles = [elem.get_text() for elem in self.elements[0]]\n seeders = [elem.get_text() for elem in self.elements[5]]\n leechers = ['-' for elem in self.elements[5]]\n ages = [elem.get_text() for elem in self.elements[3]]\n sizes = [elem.get_text() for elem in self.elements[4]]\n self.hrefs = [(self.domain + elem.find(href=re.compile(\n 'torrent_details'))['href']) for elem in self.elements[0]]\n else:\n print('Error page')\n self.table = [[Colors.BOLD + UnicodeDammit(titles[i][:75].strip(), [\n 'utf-8']).unicode_markup + Colors.ENDC if (i + 1) % 2 == 0 else\n UnicodeDammit(titles[i][:75].strip()).unicode_markup, Colors.SEEDER +\n seeders[i].strip() + Colors.ENDC if (i + 1) % 2 == 0 else Colors.\n LGREEN + seeders[i].strip() + Colors.ENDC, Colors.LEECHER +\n leechers[i].strip() + Colors.ENDC if (i + 1) % 2 == 0 else Colors.\n LRED + leechers[i].strip() + Colors.ENDC, Colors.LIGHTBLUE + ages[i\n ].strip() + Colors.ENDC if (i + 1) % 2 == 0 else Colors.BLUE + ages\n [i].strip() + Colors.ENDC, Colors.PINK + sizes[i].strip() + Colors.\n ENDC if (i + 1) % 2 == 0 else Colors.PURPLE + sizes[i].strip() +\n Colors.ENDC] for i in range(len(self.hrefs))]\n print(tabulate(self.table, headers=headers, tablefmt='psql', numalign=\n 'right', stralign='left', showindex=True))\n",
"role": "user"
},
{
"content": "build_table",
"role": "assistant"
}
] |
def x(self):
soup = BeautifulSoup(self.content_page.content, 'lxml')
if self.page == 'torrent_project':
main = soup.find('div', {'id': 'similarfiles'})
if self.mode_search == 'best_rated':
rated_url = self.domain + main.find(href=re.compile('torrent.html')
)['href']
self.get_magnet(rated_url)
else:
divs = main.find_all('div', limit=30)[2:]
self.elements = list(zip(*[d.find_all('span', recursive=False) for
d in divs]))
elif self.page == 'the_pirate_bay':
main = soup.find('table', {'id': 'searchResult'})
if self.mode_search == 'best_rated':
rated_url = self.domain + main.find('a', href=re.compile('torrent')
)['href']
self.get_magnet(rated_url)
else:
trs = main.find_all('tr', limit=30)[1:]
self.elements = list(zip(*[tr.find_all('td', recursive=False)[1
:] for tr in trs]))
elif self.page == '1337x':
main = soup.find('table', {'class': 'table'})
if self.mode_search == 'best_rated':
rated_url = self.domain + main.find('a', href=re.compile('torrent')
)['href']
self.get_magnet(rated_url)
else:
trs = main.find_all('tr', limit=30)[1:]
self.elements = list(zip(*[tr.find_all('td', recursive=False)[:
-1] for tr in trs]))
elif self.page == 'eztv':
main = soup.find_all('table', {'class': 'forum_header_border'})[2]
if self.mode_search == 'best_rated':
self.magnet = main.find('a', href=re.compile('magnet'))['href']
else:
trs = main.find_all('tr', limit=30)[2:]
self.elements = list(zip(*[tr.find_all('td', recursive=False)[1
:-1] for tr in trs]))
elif self.page == 'limetorrents':
main = soup.find('table', {'class': 'table2'})
if self.mode_search == 'best_rated':
self.magnet = main.find('a', href=re.compile('torrent'))['href']
else:
trs = main.find_all('tr', limit=30)[1:]
self.elements = list(zip(*[tr.find_all('td', recursive=False)[:
-1] for tr in trs]))
elif self.page == 'isohunt':
main = soup.find('table', {'class': 'table'})
if self.mode_search == 'best_rated':
rated_url = self.domain + main.find('a', href=re.compile(
'torrent_details'))['href']
self.get_magnet(rated_url)
else:
trs = main.find_all('tr', limit=30)[1:-1]
self.elements = list(zip(*[tr.find_all('td', recursive=False)[1
:-1] for tr in trs]))
else:
print('Cannot soupify current page. Try again.')
|
soupify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n soup = BeautifulSoup(self.content_page.content, 'lxml')\n if self.page == 'torrent_project':\n main = soup.find('div', {'id': 'similarfiles'})\n if self.mode_search == 'best_rated':\n rated_url = self.domain + main.find(href=re.compile('torrent.html')\n )['href']\n self.get_magnet(rated_url)\n else:\n divs = main.find_all('div', limit=30)[2:]\n self.elements = list(zip(*[d.find_all('span', recursive=False) for\n d in divs]))\n elif self.page == 'the_pirate_bay':\n main = soup.find('table', {'id': 'searchResult'})\n if self.mode_search == 'best_rated':\n rated_url = self.domain + main.find('a', href=re.compile('torrent')\n )['href']\n self.get_magnet(rated_url)\n else:\n trs = main.find_all('tr', limit=30)[1:]\n self.elements = list(zip(*[tr.find_all('td', recursive=False)[1\n :] for tr in trs]))\n elif self.page == '1337x':\n main = soup.find('table', {'class': 'table'})\n if self.mode_search == 'best_rated':\n rated_url = self.domain + main.find('a', href=re.compile('torrent')\n )['href']\n self.get_magnet(rated_url)\n else:\n trs = main.find_all('tr', limit=30)[1:]\n self.elements = list(zip(*[tr.find_all('td', recursive=False)[:\n -1] for tr in trs]))\n elif self.page == 'eztv':\n main = soup.find_all('table', {'class': 'forum_header_border'})[2]\n if self.mode_search == 'best_rated':\n self.magnet = main.find('a', href=re.compile('magnet'))['href']\n else:\n trs = main.find_all('tr', limit=30)[2:]\n self.elements = list(zip(*[tr.find_all('td', recursive=False)[1\n :-1] for tr in trs]))\n elif self.page == 'limetorrents':\n main = soup.find('table', {'class': 'table2'})\n if self.mode_search == 'best_rated':\n self.magnet = main.find('a', href=re.compile('torrent'))['href']\n else:\n trs = main.find_all('tr', limit=30)[1:]\n self.elements = list(zip(*[tr.find_all('td', recursive=False)[:\n -1] for tr in trs]))\n elif self.page == 'isohunt':\n main = soup.find('table', {'class': 'table'})\n if self.mode_search == 'best_rated':\n rated_url = self.domain + main.find('a', href=re.compile(\n 'torrent_details'))['href']\n self.get_magnet(rated_url)\n else:\n trs = main.find_all('tr', limit=30)[1:-1]\n self.elements = list(zip(*[tr.find_all('td', recursive=False)[1\n :-1] for tr in trs]))\n else:\n print('Cannot soupify current page. Try again.')\n",
"role": "user"
},
{
"content": "soupify",
"role": "assistant"
}
] |
def x(self):
self.selected = input('>> ')
if self.selected in ['Q', 'q']:
sys.exit(1)
elif self.selected in ['B', 'b']:
self.back_to_menu = True
return True
elif is_num(self.selected):
if 0 <= int(self.selected) <= len(self.hrefs) - 1:
self.back_to_menu = False
return True
else:
print(Colors.FAIL + 'Wrong index. ' +
'Please select an appropiate one or other option.' + Colors
.ENDC)
return False
else:
print(Colors.FAIL + 'Invalid input. ' +
'Please select an appropiate one or other option.' + Colors.ENDC)
return False
|
handle_select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.selected = input('>> ')\n if self.selected in ['Q', 'q']:\n sys.exit(1)\n elif self.selected in ['B', 'b']:\n self.back_to_menu = True\n return True\n elif is_num(self.selected):\n if 0 <= int(self.selected) <= len(self.hrefs) - 1:\n self.back_to_menu = False\n return True\n else:\n print(Colors.FAIL + 'Wrong index. ' +\n 'Please select an appropiate one or other option.' + Colors\n .ENDC)\n return False\n else:\n print(Colors.FAIL + 'Invalid input. ' +\n 'Please select an appropiate one or other option.' + Colors.ENDC)\n return False\n",
"role": "user"
},
{
"content": "handle_select",
"role": "assistant"
}
] |
def x(self):
try:
self.found_torrents = not bool(self.key_search in self.content_page
.text)
if not self.found_torrents:
print('No torrents found.')
sys.exit(1)
self.soupify()
if self.mode_search == 'list':
self.build_table()
if len(self.hrefs) == 1:
print('Press "0" to download it.')
elif len(self.hrefs) >= 2:
print('\nSelect one of the following torrents. ' +
'Enter a number between: 0 and ' + str(len(self.hrefs) - 1)
)
print('If you want to exit write "' + Colors.LRED + 'Q' +
Colors.ENDC + '" or "' + Colors.LRED + 'q' + Colors.ENDC + '".'
)
print('If you want to go back to menu and search again write "' +
Colors.LGREEN + 'B' + Colors.ENDC + '" or "' + Colors.
LGREEN + 'b' + Colors.ENDC + '".')
while not self.picked_choice:
self.picked_choice = self.handle_select()
except Exception:
print('ERROR select_torrent: ')
logging.error(traceback.format_exc())
sys.exit(0)
|
select_torrent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.found_torrents = not bool(self.key_search in self.content_page\n .text)\n if not self.found_torrents:\n print('No torrents found.')\n sys.exit(1)\n self.soupify()\n if self.mode_search == 'list':\n self.build_table()\n if len(self.hrefs) == 1:\n print('Press \"0\" to download it.')\n elif len(self.hrefs) >= 2:\n print('\\nSelect one of the following torrents. ' +\n 'Enter a number between: 0 and ' + str(len(self.hrefs) - 1)\n )\n print('If you want to exit write \"' + Colors.LRED + 'Q' +\n Colors.ENDC + '\" or \"' + Colors.LRED + 'q' + Colors.ENDC + '\".'\n )\n print('If you want to go back to menu and search again write \"' +\n Colors.LGREEN + 'B' + Colors.ENDC + '\" or \"' + Colors.\n LGREEN + 'b' + Colors.ENDC + '\".')\n while not self.picked_choice:\n self.picked_choice = self.handle_select()\n except Exception:\n print('ERROR select_torrent: ')\n logging.error(traceback.format_exc())\n sys.exit(0)\n",
"role": "user"
},
{
"content": "select_torrent",
"role": "assistant"
}
] |
def x(self):
url = requests.utils.requote_uri(self.torrent_page + self.string_search)
if self.page == '1337x':
return url + '/1/'
elif self.page == 'limetorrents':
return url + '/'
else:
return url
|
build_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = requests.utils.requote_uri(self.torrent_page + self.string_search)\n if self.page == '1337x':\n return url + '/1/'\n elif self.page == 'limetorrents':\n return url + '/'\n else:\n return url\n",
"role": "user"
},
{
"content": "build_url",
"role": "assistant"
}
] |
def x(self):
url = self.build_url()
try:
self.content_page = requests.get(url)
if not self.content_page.status_code == requests.codes.ok:
self.content_page.raise_for_status()
except requests.exceptions.RequestException as ex:
logging.info('A requests exception has ocurred: ' + str(ex))
logging.error(traceback.format_exc())
sys.exit(0)
|
get_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.build_url()\n try:\n self.content_page = requests.get(url)\n if not self.content_page.status_code == requests.codes.ok:\n self.content_page.raise_for_status()\n except requests.exceptions.RequestException as ex:\n logging.info('A requests exception has ocurred: ' + str(ex))\n logging.error(traceback.format_exc())\n sys.exit(0)\n",
"role": "user"
},
{
"content": "get_content",
"role": "assistant"
}
] |
def x(self):
origin = self._origin
if origin == 0:
return False
available = self._extent - origin
self._data[:available] = self._data[origin:self._extent]
self._extent = available
self._origin = 0
return True
|
recycle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n origin = self._origin\n if origin == 0:\n return False\n available = self._extent - origin\n self._data[:available] = self._data[origin:self._extent]\n self._extent = available\n self._origin = 0\n return True\n",
"role": "user"
},
{
"content": "recycle",
"role": "assistant"
}
] |
def x(self):
if self._frame is not None:
self.discard_message()
panes = []
p = origin = self._origin
extent = self._extent
while p < extent:
available = extent - p
if available < 2:
break
chunk_size, = struct_unpack('>H', self._view[p:p + 2])
p += 2
if chunk_size == 0:
self._limit = p
self._frame = MessageFrame(memoryview(self._view[origin:self.
_limit]), panes)
return True
q = p + chunk_size
panes.append((p - origin, q - origin))
p = q
return False
|
frame_message
|
[
{
"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._frame is not None:\n self.discard_message()\n panes = []\n p = origin = self._origin\n extent = self._extent\n while p < extent:\n available = extent - p\n if available < 2:\n break\n chunk_size, = struct_unpack('>H', self._view[p:p + 2])\n p += 2\n if chunk_size == 0:\n self._limit = p\n self._frame = MessageFrame(memoryview(self._view[origin:self.\n _limit]), panes)\n return True\n q = p + chunk_size\n panes.append((p - origin, q - origin))\n p = q\n return False\n",
"role": "user"
},
{
"content": "frame_message",
"role": "assistant"
}
] |
def x(self, request_function, set_header_callback, *args, **kwargs):
self.delay()
kwargs['headers'] = set_header_callback()
response = request_function(*args, **kwargs)
self.update(response.headers)
return response
|
call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_function, set_header_callback, *args, **kwargs):\n self.delay()\n kwargs['headers'] = set_header_callback()\n response = request_function(*args, **kwargs)\n self.update(response.headers)\n return response\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(self):
if self.next_request_timestamp is None:
return
sleep_seconds = self.next_request_timestamp - time.time()
if sleep_seconds <= 0:
return
message = 'Sleeping: {:0.2f} seconds prior to call'.format(sleep_seconds)
log.debug(message)
time.sleep(sleep_seconds)
|
delay
|
[
{
"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.next_request_timestamp is None:\n return\n sleep_seconds = self.next_request_timestamp - time.time()\n if sleep_seconds <= 0:\n return\n message = 'Sleeping: {:0.2f} seconds prior to call'.format(sleep_seconds)\n log.debug(message)\n time.sleep(sleep_seconds)\n",
"role": "user"
},
{
"content": "delay",
"role": "assistant"
}
] |
def x(self, response_headers):
if 'x-ratelimit-remaining' not in response_headers:
if self.remaining is not None:
self.remaining -= 1
self.used += 1
return
now = time.time()
prev_remaining = self.remaining
seconds_to_reset = int(response_headers['x-ratelimit-reset'])
self.remaining = float(response_headers['x-ratelimit-remaining'])
self.used = int(response_headers['x-ratelimit-used'])
self.reset_timestamp = now + seconds_to_reset
if self.remaining <= 0:
self.next_request_timestamp = self.reset_timestamp
return
if prev_remaining is not None and prev_remaining > self.remaining:
estimated_clients = prev_remaining - self.remaining
else:
estimated_clients = 1.0
self.next_request_timestamp = min(self.reset_timestamp, now +
estimated_clients * seconds_to_reset / self.remaining)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response_headers):\n if 'x-ratelimit-remaining' not in response_headers:\n if self.remaining is not None:\n self.remaining -= 1\n self.used += 1\n return\n now = time.time()\n prev_remaining = self.remaining\n seconds_to_reset = int(response_headers['x-ratelimit-reset'])\n self.remaining = float(response_headers['x-ratelimit-remaining'])\n self.used = int(response_headers['x-ratelimit-used'])\n self.reset_timestamp = now + seconds_to_reset\n if self.remaining <= 0:\n self.next_request_timestamp = self.reset_timestamp\n return\n if prev_remaining is not None and prev_remaining > self.remaining:\n estimated_clients = prev_remaining - self.remaining\n else:\n estimated_clients = 1.0\n self.next_request_timestamp = min(self.reset_timestamp, now + \n estimated_clients * seconds_to_reset / self.remaining)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
if not callable(self.custom_resolver):
return
new_addresses = []
for address in self.addresses:
for new_address in self.custom_resolver(address):
new_addresses.append(new_address)
self.addresses = new_addresses
|
custom_resolve
|
[
{
"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 callable(self.custom_resolver):\n return\n new_addresses = []\n for address in self.addresses:\n for new_address in self.custom_resolver(address):\n new_addresses.append(new_address)\n self.addresses = new_addresses\n",
"role": "user"
},
{
"content": "custom_resolve",
"role": "assistant"
}
] |
def x(self):
new_addresses = []
for address in self.addresses:
try:
info = getaddrinfo(address[0], address[1], 0, SOCK_STREAM,
IPPROTO_TCP)
except gaierror:
raise AddressError('Cannot resolve address {!r}'.format(address))
else:
for _, _, _, _, address in info:
if len(address) == 4 and address[3] != 0:
continue
new_addresses.append(address)
self.addresses = new_addresses
|
dns_resolve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n new_addresses = []\n for address in self.addresses:\n try:\n info = getaddrinfo(address[0], address[1], 0, SOCK_STREAM,\n IPPROTO_TCP)\n except gaierror:\n raise AddressError('Cannot resolve address {!r}'.format(address))\n else:\n for _, _, _, _, address in info:\n if len(address) == 4 and address[3] != 0:\n continue\n new_addresses.append(address)\n self.addresses = new_addresses\n",
"role": "user"
},
{
"content": "dns_resolve",
"role": "assistant"
}
] |
def x(cell):
quality = matching_line(cell, 'Quality=')
if quality is None:
return ''
quality = quality.split()[0].split('/')
quality = matching_line(cell, 'Quality=').split()[0].split('/')
return str(int(round(float(quality[0]) / float(quality[1]) * 100)))
|
get_quality
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell):\n quality = matching_line(cell, 'Quality=')\n if quality is None:\n return ''\n quality = quality.split()[0].split('/')\n quality = matching_line(cell, 'Quality=').split()[0].split('/')\n return str(int(round(float(quality[0]) / float(quality[1]) * 100)))\n",
"role": "user"
},
{
"content": "get_quality",
"role": "assistant"
}
] |
def x(cell):
signal = matching_line(cell, 'Signal level=')
if signal is None:
return ''
signal = signal.split('=')[1].split('/')
if len(signal) == 2:
return str(int(round(float(signal[0]) / float(signal[1]) * 100)))
elif len(signal) == 1:
return signal[0].split(' ')[0]
else:
return ''
|
get_signal_level
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell):\n signal = matching_line(cell, 'Signal level=')\n if signal is None:\n return ''\n signal = signal.split('=')[1].split('/')\n if len(signal) == 2:\n return str(int(round(float(signal[0]) / float(signal[1]) * 100)))\n elif len(signal) == 1:\n return signal[0].split(' ')[0]\n else:\n return ''\n",
"role": "user"
},
{
"content": "get_signal_level",
"role": "assistant"
}
] |
def x(cell):
noise = matching_line(cell, 'Noise level=')
if noise is None:
return ''
noise = noise.split('=')[1]
return noise.split(' ')[0]
|
get_noise_level
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell):\n noise = matching_line(cell, 'Noise level=')\n if noise is None:\n return ''\n noise = noise.split('=')[1]\n return noise.split(' ')[0]\n",
"role": "user"
},
{
"content": "get_noise_level",
"role": "assistant"
}
] |
def x(cell):
channel = matching_line(cell, 'Channel:')
if channel:
return channel
frequency = matching_line(cell, 'Frequency:')
channel = re.sub('.*\\(Channel\\s(\\d{1,3})\\).*', '\\1', frequency)
return channel
|
get_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell):\n channel = matching_line(cell, 'Channel:')\n if channel:\n return channel\n frequency = matching_line(cell, 'Frequency:')\n channel = re.sub('.*\\\\(Channel\\\\s(\\\\d{1,3})\\\\).*', '\\\\1', frequency)\n return channel\n",
"role": "user"
},
{
"content": "get_channel",
"role": "assistant"
}
] |
def x(cell, emit_version=False):
enc = ''
if matching_line(cell, 'Encryption key:') == 'off':
enc = 'Open'
else:
for line in cell:
matching = match(line, 'IE:')
if matching == None:
continue
wpa = match(matching, 'WPA')
if wpa == None:
continue
version_matches = VERSION_RGX.search(wpa)
if len(version_matches.regs) == 1:
version = version_matches.group(0).lower().replace('version',
'').strip()
wpa = wpa.replace(version_matches.group(0), '').strip()
if wpa == '':
wpa = 'WPA'
if emit_version:
enc = '{0} v.{1}'.format(wpa, version)
else:
enc = wpa
if wpa == 'WPA2':
return enc
else:
enc = wpa
if enc == '':
enc = 'WEP'
return enc
|
get_encryption
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell, emit_version=False):\n enc = ''\n if matching_line(cell, 'Encryption key:') == 'off':\n enc = 'Open'\n else:\n for line in cell:\n matching = match(line, 'IE:')\n if matching == None:\n continue\n wpa = match(matching, 'WPA')\n if wpa == None:\n continue\n version_matches = VERSION_RGX.search(wpa)\n if len(version_matches.regs) == 1:\n version = version_matches.group(0).lower().replace('version',\n '').strip()\n wpa = wpa.replace(version_matches.group(0), '').strip()\n if wpa == '':\n wpa = 'WPA'\n if emit_version:\n enc = '{0} v.{1}'.format(wpa, version)\n else:\n enc = wpa\n if wpa == 'WPA2':\n return enc\n else:\n enc = wpa\n if enc == '':\n enc = 'WEP'\n return enc\n",
"role": "user"
},
{
"content": "get_encryption",
"role": "assistant"
}
] |
def x(lines, keyword):
for line in lines:
matching = match(line, keyword)
if matching != None:
return matching
return None
|
matching_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines, keyword):\n for line in lines:\n matching = match(line, keyword)\n if matching != None:\n return matching\n return None\n",
"role": "user"
},
{
"content": "matching_line",
"role": "assistant"
}
] |
def x(line, keyword):
line = line.lstrip()
length = len(keyword)
if line[:length] == keyword:
return line[length:]
elif keyword in line:
return line[line.index(keyword):]
else:
return None
|
match
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line, keyword):\n line = line.lstrip()\n length = len(keyword)\n if line[:length] == keyword:\n return line[length:]\n elif keyword in line:\n return line[line.index(keyword):]\n else:\n return None\n",
"role": "user"
},
{
"content": "match",
"role": "assistant"
}
] |
def x(cell, rules):
parsed_cell = {}
for key in rules:
rule = rules[key]
parsed_cell.update({key: rule(cell)})
return parsed_cell
|
parse_cell
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell, rules):\n parsed_cell = {}\n for key in rules:\n rule = rules[key]\n parsed_cell.update({key: rule(cell)})\n return parsed_cell\n",
"role": "user"
},
{
"content": "parse_cell",
"role": "assistant"
}
] |
def x(iw_data, rules=None):
rules = rules or {'Name': get_name, 'Quality': get_quality, 'Channel':
get_channel, 'Frequency': get_frequency, 'Encryption':
get_encryption, 'Address': get_address, 'Signal Level':
get_signal_level, 'Noise Level': get_noise_level, 'Bit Rates':
get_bit_rates, 'Mode': get_mode}
cells = [[]]
parsed_cells = []
for line in iw_data:
cell_line = match(line, 'Cell ')
if cell_line != None:
cells.append([])
line = cell_line[-27:]
cells[-1].append(line.rstrip())
cells = cells[1:]
for cell in cells:
parsed_cells.append(parse_cell(cell, rules))
sort_cells(parsed_cells)
return parsed_cells
|
get_parsed_cells
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iw_data, rules=None):\n rules = rules or {'Name': get_name, 'Quality': get_quality, 'Channel':\n get_channel, 'Frequency': get_frequency, 'Encryption':\n get_encryption, 'Address': get_address, 'Signal Level':\n get_signal_level, 'Noise Level': get_noise_level, 'Bit Rates':\n get_bit_rates, 'Mode': get_mode}\n cells = [[]]\n parsed_cells = []\n for line in iw_data:\n cell_line = match(line, 'Cell ')\n if cell_line != None:\n cells.append([])\n line = cell_line[-27:]\n cells[-1].append(line.rstrip())\n cells = cells[1:]\n for cell in cells:\n parsed_cells.append(parse_cell(cell, rules))\n sort_cells(parsed_cells)\n return parsed_cells\n",
"role": "user"
},
{
"content": "get_parsed_cells",
"role": "assistant"
}
] |
def x(self, method, path, data=None, files=None, json=None, params=None):
params = deepcopy(params) or {}
params['raw_json'] = 1
if isinstance(data, dict):
data = deepcopy(data)
data['api_type'] = 'json'
data = sorted(data.items())
url = urljoin(self._requestor.oauth_url, path)
return self._request_with_retries(data=data, files=files, json=json,
method=method, params=params, url=url)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, path, data=None, files=None, json=None, params=None):\n params = deepcopy(params) or {}\n params['raw_json'] = 1\n if isinstance(data, dict):\n data = deepcopy(data)\n data['api_type'] = 'json'\n data = sorted(data.items())\n url = urljoin(self._requestor.oauth_url, path)\n return self._request_with_retries(data=data, files=files, json=json,\n method=method, params=params, url=url)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x():
authenticator = prawcore.TrustedAuthenticator(prawcore.Requestor(
'prawcore_script_auth_example'), os.environ['PRAWCORE_CLIENT_ID'],
os.environ['PRAWCORE_CLIENT_SECRET'])
authorizer = prawcore.ScriptAuthorizer(authenticator, os.environ[
'PRAWCORE_USERNAME'], os.environ['PRAWCORE_PASSWORD'])
authorizer.refresh()
with prawcore.session(authorizer) as session:
data = session.request('GET', '/api/v1/me/friends')
for friend in data['data']['children']:
print(friend['name'])
return 0
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n authenticator = prawcore.TrustedAuthenticator(prawcore.Requestor(\n 'prawcore_script_auth_example'), os.environ['PRAWCORE_CLIENT_ID'],\n os.environ['PRAWCORE_CLIENT_SECRET'])\n authorizer = prawcore.ScriptAuthorizer(authenticator, os.environ[\n 'PRAWCORE_USERNAME'], os.environ['PRAWCORE_PASSWORD'])\n authorizer.refresh()\n with prawcore.session(authorizer) as session:\n data = session.request('GET', '/api/v1/me/friends')\n for friend in data['data']['children']:\n print(friend['name'])\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x():
if len(sys.argv) != 2:
print('Usage: {} USERNAME'.format(sys.argv[0]))
return 1
caching_requestor = prawcore.Requestor('prawcore_device_id_auth_example',
session=CachingSession())
authenticator = prawcore.TrustedAuthenticator(caching_requestor, os.
environ['PRAWCORE_CLIENT_ID'], os.environ['PRAWCORE_CLIENT_SECRET'])
authorizer = prawcore.ReadOnlyAuthorizer(authenticator)
authorizer.refresh()
user = sys.argv[1]
with prawcore.session(authorizer) as session:
data1 = session.request('GET', '/api/v1/user/{}/trophies'.format(user))
with prawcore.session(authorizer) as session:
data2 = session.request('GET', '/api/v1/user/{}/trophies'.format(user))
for trophy in data1['data']['trophies']:
description = trophy['data']['description']
print('Original:', trophy['data']['name'] + (' ({})'.format(
description) if description else ''))
for trophy in data2['data']['trophies']:
description = trophy['data']['description']
print('Cached:', trophy['data']['name'] + (' ({})'.format(
description) if description else ''))
print('----\nCached == Original:', data2['data']['trophies'] == data2[
'data']['trophies'])
return 0
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if len(sys.argv) != 2:\n print('Usage: {} USERNAME'.format(sys.argv[0]))\n return 1\n caching_requestor = prawcore.Requestor('prawcore_device_id_auth_example',\n session=CachingSession())\n authenticator = prawcore.TrustedAuthenticator(caching_requestor, os.\n environ['PRAWCORE_CLIENT_ID'], os.environ['PRAWCORE_CLIENT_SECRET'])\n authorizer = prawcore.ReadOnlyAuthorizer(authenticator)\n authorizer.refresh()\n user = sys.argv[1]\n with prawcore.session(authorizer) as session:\n data1 = session.request('GET', '/api/v1/user/{}/trophies'.format(user))\n with prawcore.session(authorizer) as session:\n data2 = session.request('GET', '/api/v1/user/{}/trophies'.format(user))\n for trophy in data1['data']['trophies']:\n description = trophy['data']['description']\n print('Original:', trophy['data']['name'] + (' ({})'.format(\n description) if description else ''))\n for trophy in data2['data']['trophies']:\n description = trophy['data']['description']\n print('Cached:', trophy['data']['name'] + (' ({})'.format(\n description) if description else ''))\n print('----\\nCached == Original:', data2['data']['trophies'] == data2[\n 'data']['trophies'])\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, method, url, params=None, **kwargs):
params_key = tuple(params.items()) if params else ()
if method.upper() == 'GET':
if (url, params_key) in self.get_cache:
print('Returning cached response for:', method, url, params)
return self.get_cache[url, params_key]
result = super().request(method, url, params, **kwargs)
if method.upper() == 'GET':
self.get_cache[url, params_key] = result
print('Adding entry to the cache:', method, url, params)
return result
|
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, params=None, **kwargs):\n params_key = tuple(params.items()) if params else ()\n if method.upper() == 'GET':\n if (url, params_key) in self.get_cache:\n print('Returning cached response for:', method, url, params)\n return self.get_cache[url, params_key]\n result = super().request(method, url, params, **kwargs)\n if method.upper() == 'GET':\n self.get_cache[url, params_key] = result\n print('Adding entry to the cache:', method, url, params)\n return result\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(cls, records):
if len(records) != 1:
raise RoutingProtocolError('Expected exactly one record')
record = records[0]
routers = []
readers = []
writers = []
try:
servers = record['servers']
for server in servers:
role = server['role']
addresses = []
for address in server['addresses']:
addresses.append(SocketAddress.parse(address, DEFAULT_PORT))
if role == 'ROUTE':
routers.extend(addresses)
elif role == 'READ':
readers.extend(addresses)
elif role == 'WRITE':
writers.extend(addresses)
ttl = record['ttl']
except (KeyError, TypeError):
raise RoutingProtocolError('Cannot parse routing info')
else:
return cls(routers, readers, writers, ttl)
|
parse_routing_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, records):\n if len(records) != 1:\n raise RoutingProtocolError('Expected exactly one record')\n record = records[0]\n routers = []\n readers = []\n writers = []\n try:\n servers = record['servers']\n for server in servers:\n role = server['role']\n addresses = []\n for address in server['addresses']:\n addresses.append(SocketAddress.parse(address, DEFAULT_PORT))\n if role == 'ROUTE':\n routers.extend(addresses)\n elif role == 'READ':\n readers.extend(addresses)\n elif role == 'WRITE':\n writers.extend(addresses)\n ttl = record['ttl']\n except (KeyError, TypeError):\n raise RoutingProtocolError('Cannot parse routing info')\n else:\n return cls(routers, readers, writers, ttl)\n",
"role": "user"
},
{
"content": "parse_routing_info",
"role": "assistant"
}
] |
def x(self, access_mode):
log_debug('[#0000] C: <ROUTING> Checking table freshness for %r',
access_mode)
expired = self.last_updated_time + self.ttl <= self.timer()
has_server_for_mode = bool(access_mode == READ_ACCESS and self.readers
) or bool(access_mode == WRITE_ACCESS and self.writers)
log_debug('[#0000] C: <ROUTING> Table expired=%r', expired)
log_debug('[#0000] C: <ROUTING> Table routers=%r', self.routers)
log_debug('[#0000] C: <ROUTING> Table has_server_for_mode=%r',
has_server_for_mode)
return not expired and self.routers and has_server_for_mode
|
is_fresh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, access_mode):\n log_debug('[#0000] C: <ROUTING> Checking table freshness for %r',\n access_mode)\n expired = self.last_updated_time + self.ttl <= self.timer()\n has_server_for_mode = bool(access_mode == READ_ACCESS and self.readers\n ) or bool(access_mode == WRITE_ACCESS and self.writers)\n log_debug('[#0000] C: <ROUTING> Table expired=%r', expired)\n log_debug('[#0000] C: <ROUTING> Table routers=%r', self.routers)\n log_debug('[#0000] C: <ROUTING> Table has_server_for_mode=%r',\n has_server_for_mode)\n return not expired and self.routers and has_server_for_mode\n",
"role": "user"
},
{
"content": "is_fresh",
"role": "assistant"
}
] |
def x(self, new_routing_table):
self.routers.replace(new_routing_table.routers)
self.readers.replace(new_routing_table.readers)
self.writers.replace(new_routing_table.writers)
self.last_updated_time = self.timer()
self.ttl = new_routing_table.ttl
log_debug('[#0000] S: <ROUTING> table=%r', self)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_routing_table):\n self.routers.replace(new_routing_table.routers)\n self.readers.replace(new_routing_table.readers)\n self.writers.replace(new_routing_table.writers)\n self.last_updated_time = self.timer()\n self.ttl = new_routing_table.ttl\n log_debug('[#0000] S: <ROUTING> table=%r', self)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, address):
metadata = {}
records = []
def x(md):
if md.get('code') == 'Neo.ClientError.Procedure.ProcedureNotFound':
raise RoutingProtocolError('Server {!r} does not support routing'
.format(address))
else:
raise RoutingProtocolError('Routing support broken on server {!r}'
.format(address))
try:
with self.acquire_direct(address) as cx:
_, _, server_version = (cx.server.agent or '').partition('/')
if server_version and Version.parse(server_version) >= Version((
3, 2)):
log_debug('[#%04X] C: <ROUTING> query=%r', cx.local_port,
self.routing_context or {})
cx.run('CALL dbms.cluster.routing.getRoutingTable({context})',
{'context': self.routing_context}, on_success=metadata.
update, on_failure=fail)
else:
log_debug('[#%04X] C: <ROUTING> query={}', cx.local_port)
cx.run('CALL dbms.cluster.routing.getServers', {},
on_success=metadata.update, on_failure=fail)
cx.pull_all(on_success=metadata.update, on_records=records.extend)
cx.sync()
routing_info = [dict(zip(metadata.get('fields', ()), values)) for
values in records]
log_debug('[#%04X] S: <ROUTING> info=%r', cx.local_port,
routing_info)
return routing_info
except RoutingProtocolError as error:
raise ServiceUnavailable(*error.args)
except ServiceUnavailable:
self.deactivate(address)
return None
|
fetch_routing_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n metadata = {}\n records = []\n\n def x(md):\n if md.get('code') == 'Neo.ClientError.Procedure.ProcedureNotFound':\n raise RoutingProtocolError('Server {!r} does not support routing'\n .format(address))\n else:\n raise RoutingProtocolError('Routing support broken on server {!r}'\n .format(address))\n try:\n with self.acquire_direct(address) as cx:\n _, _, server_version = (cx.server.agent or '').partition('/')\n if server_version and Version.parse(server_version) >= Version((\n 3, 2)):\n log_debug('[#%04X] C: <ROUTING> query=%r', cx.local_port, \n self.routing_context or {})\n cx.run('CALL dbms.cluster.routing.getRoutingTable({context})',\n {'context': self.routing_context}, on_success=metadata.\n update, on_failure=fail)\n else:\n log_debug('[#%04X] C: <ROUTING> query={}', cx.local_port)\n cx.run('CALL dbms.cluster.routing.getServers', {},\n on_success=metadata.update, on_failure=fail)\n cx.pull_all(on_success=metadata.update, on_records=records.extend)\n cx.sync()\n routing_info = [dict(zip(metadata.get('fields', ()), values)) for\n values in records]\n log_debug('[#%04X] S: <ROUTING> info=%r', cx.local_port,\n routing_info)\n return routing_info\n except RoutingProtocolError as error:\n raise ServiceUnavailable(*error.args)\n except ServiceUnavailable:\n self.deactivate(address)\n return None\n",
"role": "user"
},
{
"content": "fetch_routing_info",
"role": "assistant"
}
] |
def x(self, address):
new_routing_info = self.fetch_routing_info(address)
if new_routing_info is None:
return None
new_routing_table = RoutingTable.parse_routing_info(new_routing_info)
num_routers = len(new_routing_table.routers)
num_readers = len(new_routing_table.readers)
num_writers = len(new_routing_table.writers)
self.missing_writer = num_writers == 0
if num_routers == 0:
raise RoutingProtocolError(
'No routing servers returned from server %r' % (address,))
if num_readers == 0:
raise RoutingProtocolError(
'No read servers returned from server %r' % (address,))
return new_routing_table
|
fetch_routing_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n new_routing_info = self.fetch_routing_info(address)\n if new_routing_info is None:\n return None\n new_routing_table = RoutingTable.parse_routing_info(new_routing_info)\n num_routers = len(new_routing_table.routers)\n num_readers = len(new_routing_table.readers)\n num_writers = len(new_routing_table.writers)\n self.missing_writer = num_writers == 0\n if num_routers == 0:\n raise RoutingProtocolError(\n 'No routing servers returned from server %r' % (address,))\n if num_readers == 0:\n raise RoutingProtocolError(\n 'No read servers returned from server %r' % (address,))\n return new_routing_table\n",
"role": "user"
},
{
"content": "fetch_routing_table",
"role": "assistant"
}
] |
def x(self, *routers):
for router in routers:
new_routing_table = self.fetch_routing_table(router)
if new_routing_table is not None:
self.routing_table.update(new_routing_table)
return True
return False
|
update_routing_table_from
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *routers):\n for router in routers:\n new_routing_table = self.fetch_routing_table(router)\n if new_routing_table is not None:\n self.routing_table.update(new_routing_table)\n return True\n return False\n",
"role": "user"
},
{
"content": "update_routing_table_from",
"role": "assistant"
}
] |
def x(self):
existing_routers = list(self.routing_table.routers)
has_tried_initial_routers = False
if self.missing_writer:
has_tried_initial_routers = True
if self.update_routing_table_from(self.initial_address):
return
if self.update_routing_table_from(*existing_routers):
return
if (not has_tried_initial_routers and self.initial_address not in
existing_routers):
if self.update_routing_table_from(self.initial_address):
return
raise ServiceUnavailable('Unable to retrieve routing information')
|
update_routing_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n existing_routers = list(self.routing_table.routers)\n has_tried_initial_routers = False\n if self.missing_writer:\n has_tried_initial_routers = True\n if self.update_routing_table_from(self.initial_address):\n return\n if self.update_routing_table_from(*existing_routers):\n return\n if (not has_tried_initial_routers and self.initial_address not in\n existing_routers):\n if self.update_routing_table_from(self.initial_address):\n return\n raise ServiceUnavailable('Unable to retrieve routing information')\n",
"role": "user"
},
{
"content": "update_routing_table",
"role": "assistant"
}
] |
def x(self, access_mode):
if self.routing_table.is_fresh(access_mode):
return False
with self.refresh_lock:
if self.routing_table.is_fresh(access_mode):
if access_mode == READ_ACCESS:
self.missing_writer = not self.routing_table.is_fresh(
WRITE_ACCESS)
return False
self.update_routing_table()
self.update_connection_pool()
return True
|
ensure_routing_table_is_fresh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, access_mode):\n if self.routing_table.is_fresh(access_mode):\n return False\n with self.refresh_lock:\n if self.routing_table.is_fresh(access_mode):\n if access_mode == READ_ACCESS:\n self.missing_writer = not self.routing_table.is_fresh(\n WRITE_ACCESS)\n return False\n self.update_routing_table()\n self.update_connection_pool()\n return True\n",
"role": "user"
},
{
"content": "ensure_routing_table_is_fresh",
"role": "assistant"
}
] |
def x(self, address):
log_debug('[#0000] C: <ROUTING> Deactivating address %r', address)
self.routing_table.routers.discard(address)
self.routing_table.readers.discard(address)
self.routing_table.writers.discard(address)
log_debug('[#0000] C: <ROUTING> table=%r', self.routing_table)
super(RoutingConnectionPool, self).deactivate(address)
|
deactivate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n log_debug('[#0000] C: <ROUTING> Deactivating address %r', address)\n self.routing_table.routers.discard(address)\n self.routing_table.readers.discard(address)\n self.routing_table.writers.discard(address)\n log_debug('[#0000] C: <ROUTING> table=%r', self.routing_table)\n super(RoutingConnectionPool, self).deactivate(address)\n",
"role": "user"
},
{
"content": "deactivate",
"role": "assistant"
}
] |
def x(self, address):
log_debug('[#0000] C: <ROUTING> Removing writer %r', address)
self.routing_table.writers.discard(address)
log_debug('[#0000] C: <ROUTING> table=%r', self.routing_table)
|
remove_writer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n log_debug('[#0000] C: <ROUTING> Removing writer %r', address)\n self.routing_table.writers.discard(address)\n log_debug('[#0000] C: <ROUTING> table=%r', self.routing_table)\n",
"role": "user"
},
{
"content": "remove_writer",
"role": "assistant"
}
] |
def x(self, error, connection):
error_class = error.__class__
if error_class in (ConnectionExpired, ServiceUnavailable,
DatabaseUnavailableError):
self.deactivate(connection.address)
elif error_class in (NotALeaderError, ForbiddenOnReadOnlyDatabaseError):
self.remove_writer(connection.address)
|
handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, error, connection):\n error_class = error.__class__\n if error_class in (ConnectionExpired, ServiceUnavailable,\n DatabaseUnavailableError):\n self.deactivate(connection.address)\n elif error_class in (NotALeaderError, ForbiddenOnReadOnlyDatabaseError):\n self.remove_writer(connection.address)\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(name, fields, srid_map):
def x(self):
try:
return srid_map[len(self)]
except KeyError:
return None
attributes = {'srid': property(srid)}
for index, subclass_field in enumerate(fields):
def x(self, i=index, f=subclass_field):
try:
return self[i]
except IndexError:
raise AttributeError(f)
for field_alias in {subclass_field, 'xyz'[index]}:
attributes[field_alias] = property(accessor)
cls = type(name, (Point,), attributes)
with __srid_table_lock:
for dim, srid in srid_map.items():
__srid_table[srid] = cls, dim
return cls
|
point_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, fields, srid_map):\n\n def x(self):\n try:\n return srid_map[len(self)]\n except KeyError:\n return None\n attributes = {'srid': property(srid)}\n for index, subclass_field in enumerate(fields):\n\n def x(self, i=index, f=subclass_field):\n try:\n return self[i]\n except IndexError:\n raise AttributeError(f)\n for field_alias in {subclass_field, 'xyz'[index]}:\n attributes[field_alias] = property(accessor)\n cls = type(name, (Point,), attributes)\n with __srid_table_lock:\n for dim, srid in srid_map.items():\n __srid_table[srid] = cls, dim\n return cls\n",
"role": "user"
},
{
"content": "point_type",
"role": "assistant"
}
] |
def x():
if len(sys.argv) != 2:
print('Usage: {} USERNAME'.format(sys.argv[0]))
return 1
authenticator = prawcore.TrustedAuthenticator(prawcore.Requestor(
'prawcore_read_only_example'), os.environ['PRAWCORE_CLIENT_ID'], os
.environ['PRAWCORE_CLIENT_SECRET'])
authorizer = prawcore.ReadOnlyAuthorizer(authenticator)
authorizer.refresh()
user = sys.argv[1]
with prawcore.session(authorizer) as session:
data = session.request('GET', '/api/v1/user/{}/trophies'.format(user))
for trophy in data['data']['trophies']:
description = trophy['data']['description']
print(trophy['data']['name'] + (' ({})'.format(description) if
description else ''))
return 0
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if len(sys.argv) != 2:\n print('Usage: {} USERNAME'.format(sys.argv[0]))\n return 1\n authenticator = prawcore.TrustedAuthenticator(prawcore.Requestor(\n 'prawcore_read_only_example'), os.environ['PRAWCORE_CLIENT_ID'], os\n .environ['PRAWCORE_CLIENT_SECRET'])\n authorizer = prawcore.ReadOnlyAuthorizer(authenticator)\n authorizer.refresh()\n user = sys.argv[1]\n with prawcore.session(authorizer) as session:\n data = session.request('GET', '/api/v1/user/{}/trophies'.format(user))\n for trophy in data['data']['trophies']:\n description = trophy['data']['description']\n print(trophy['data']['name'] + (' ({})'.format(description) if\n description else ''))\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x():
args = parse_args()
configure_logging(args.debug)
src_path = args.src_path
dest_path = args.dest_path
old_str1 = '\\"size\\":' + args.old_size
old_str2 = '\\"size\\": ' + args.old_size
new_str = '\\"size\\":' + args.new_size
logging.info('Input path: %s', src_path)
logging.info('Output path: %s', dest_path)
logging.info('old str: %s', old_str1)
logging.info('old str: %s', old_str2)
logging.info('new str: %s', new_str)
if os.path.abspath(src_path) == os.path.abspath(dest_path):
logging.error('source and destination directiories must be different')
sys.exit(1)
json_files = [f for f in os.listdir(src_path) if f.endswith('.json')]
for filename in json_files:
in_file_path = os.path.join(src_path, filename)
in_file_path = os.path.join(src_path, filename)
out_file_path = os.path.join(dest_path, filename)
logging.info('INPUT FILE: %s', in_file_path)
logging.info('OUTPUT FILE: %s', out_file_path)
pretty = utils.beautify(filename=in_file_path)
pretty_replaced = utils.replace(pretty, old_str1, new_str)
pretty_replaced = utils.replace(pretty_replaced, old_str2, new_str)
with open(out_file_path, 'w') as output_file:
output_file.write(pretty_replaced)
logging.info('This is the end.')
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n args = parse_args()\n configure_logging(args.debug)\n src_path = args.src_path\n dest_path = args.dest_path\n old_str1 = '\\\\\"size\\\\\":' + args.old_size\n old_str2 = '\\\\\"size\\\\\": ' + args.old_size\n new_str = '\\\\\"size\\\\\":' + args.new_size\n logging.info('Input path: %s', src_path)\n logging.info('Output path: %s', dest_path)\n logging.info('old str: %s', old_str1)\n logging.info('old str: %s', old_str2)\n logging.info('new str: %s', new_str)\n if os.path.abspath(src_path) == os.path.abspath(dest_path):\n logging.error('source and destination directiories must be different')\n sys.exit(1)\n json_files = [f for f in os.listdir(src_path) if f.endswith('.json')]\n for filename in json_files:\n in_file_path = os.path.join(src_path, filename)\n in_file_path = os.path.join(src_path, filename)\n out_file_path = os.path.join(dest_path, filename)\n logging.info('INPUT FILE: %s', in_file_path)\n logging.info('OUTPUT FILE: %s', out_file_path)\n pretty = utils.beautify(filename=in_file_path)\n pretty_replaced = utils.replace(pretty, old_str1, new_str)\n pretty_replaced = utils.replace(pretty_replaced, old_str2, new_str)\n with open(out_file_path, 'w') as output_file:\n output_file.write(pretty_replaced)\n logging.info('This is the end.')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x():
parser = argparse.ArgumentParser(description=TO_KIBANA5_DESC_MSG)
parser.add_argument('-s', '--source', dest='src_path', required=True,
help='source directory')
parser.add_argument('-d', '--dest', dest='dest_path', required=True,
help='destination directory')
parser.add_argument('-o', '--old-size', dest='old_size', default='0',
help='aggregation old size')
parser.add_argument('-n', '--new-size', dest='new_size', default='1000',
help='aggregation new size')
parser.add_argument('-g', '--debug', dest='debug', action='store_true')
return parser.parse_args()
|
parse_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = argparse.ArgumentParser(description=TO_KIBANA5_DESC_MSG)\n parser.add_argument('-s', '--source', dest='src_path', required=True,\n help='source directory')\n parser.add_argument('-d', '--dest', dest='dest_path', required=True,\n help='destination directory')\n parser.add_argument('-o', '--old-size', dest='old_size', default='0',\n help='aggregation old size')\n parser.add_argument('-n', '--new-size', dest='new_size', default='1000',\n help='aggregation new size')\n parser.add_argument('-g', '--debug', dest='debug', action='store_true')\n return parser.parse_args()\n",
"role": "user"
},
{
"content": "parse_args",
"role": "assistant"
}
] |
def x(debug=False):
if not debug:
logging.basicConfig(level=logging.INFO, format=LOG_FORMAT)
else:
logging.basicConfig(level=logging.DEBUG, format=DEBUG_LOG_FORMAT)
|
configure_logging
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(debug=False):\n if not debug:\n logging.basicConfig(level=logging.INFO, format=LOG_FORMAT)\n else:\n logging.basicConfig(level=logging.DEBUG, format=DEBUG_LOG_FORMAT)\n",
"role": "user"
},
{
"content": "configure_logging",
"role": "assistant"
}
] |
def x(signal_name, frame):
sys.stdout.flush()
print('\nSIGINT in frame signal received. Quitting...')
sys.stdout.flush()
sys.exit(0)
|
signal_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signal_name, frame):\n sys.stdout.flush()\n print('\\nSIGINT in frame signal received. Quitting...')\n sys.stdout.flush()\n sys.exit(0)\n",
"role": "user"
},
{
"content": "signal_handler",
"role": "assistant"
}
] |
def x(new_mem, old_mem, is_firstiteration=True):
if is_firstiteration:
output = ' n/a '
elif new_mem - old_mem > 50000000:
output = ' +++++'
elif new_mem - old_mem > 20000000:
output = ' ++++ '
elif new_mem - old_mem > 5000000:
output = ' +++ '
elif new_mem - old_mem > 1000000:
output = ' ++ '
elif new_mem - old_mem > 50000:
output = ' + '
elif old_mem - new_mem > 10000000:
output = '--- '
elif old_mem - new_mem > 2000000:
output = ' -- '
elif old_mem - new_mem > 100000:
output = ' - '
else:
output = ' '
return output
|
graph_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(new_mem, old_mem, is_firstiteration=True):\n if is_firstiteration:\n output = ' n/a '\n elif new_mem - old_mem > 50000000:\n output = ' +++++'\n elif new_mem - old_mem > 20000000:\n output = ' ++++ '\n elif new_mem - old_mem > 5000000:\n output = ' +++ '\n elif new_mem - old_mem > 1000000:\n output = ' ++ '\n elif new_mem - old_mem > 50000:\n output = ' + '\n elif old_mem - new_mem > 10000000:\n output = '--- '\n elif old_mem - new_mem > 2000000:\n output = ' -- '\n elif old_mem - new_mem > 100000:\n output = ' - '\n else:\n output = ' '\n return output\n",
"role": "user"
},
{
"content": "graph_format",
"role": "assistant"
}
] |
def x():
lines = open('/proc/meminfo', 'r').readlines()
emptySpace = re.compile('[ ]+')
for line in lines:
if 'MemTotal' in line:
memtotal = float(emptySpace.split(line)[1])
if 'SwapFree' in line:
swapfree = float(emptySpace.split(line)[1])
if 'SwapTotal' in line:
swaptotal = float(emptySpace.split(line)[1])
if 'MemFree' in line:
memfree = float(emptySpace.split(line)[1])
if 'Cached' in line and not 'SwapCached' in line:
cached = float(emptySpace.split(line)[1])
ramoccup = 1.0 - (memfree + cached) / memtotal
if swaptotal == 0:
swapoccup = 0
else:
swapoccup = 1.0 - swapfree / swaptotal
strramoccup = str(round(ramoccup * 100.0, 1))
strswapoccup = str(round(swapoccup * 100.0, 1))
return float(memtotal), strramoccup, strswapoccup
|
get_cur_mem_use
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n lines = open('/proc/meminfo', 'r').readlines()\n emptySpace = re.compile('[ ]+')\n for line in lines:\n if 'MemTotal' in line:\n memtotal = float(emptySpace.split(line)[1])\n if 'SwapFree' in line:\n swapfree = float(emptySpace.split(line)[1])\n if 'SwapTotal' in line:\n swaptotal = float(emptySpace.split(line)[1])\n if 'MemFree' in line:\n memfree = float(emptySpace.split(line)[1])\n if 'Cached' in line and not 'SwapCached' in line:\n cached = float(emptySpace.split(line)[1])\n ramoccup = 1.0 - (memfree + cached) / memtotal\n if swaptotal == 0:\n swapoccup = 0\n else:\n swapoccup = 1.0 - swapfree / swaptotal\n strramoccup = str(round(ramoccup * 100.0, 1))\n strswapoccup = str(round(swapoccup * 100.0, 1))\n return float(memtotal), strramoccup, strswapoccup\n",
"role": "user"
},
{
"content": "get_cur_mem_use",
"role": "assistant"
}
] |
def x():
try:
if sys.version_info >= (2, 7):
return
except:
pass
print(' ')
print(' ERROR - memtop needs python version at least 2.7')
print(
'Chances are that you can install newer version from your repositories, or even that you have some newer version installed yet.'
)
print(
"(one way to find out which versions are installed is to try following: 'which python2.7' , 'which python3' and so...)"
)
print(' ')
sys.exit(-1)
|
check_py_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n if sys.version_info >= (2, 7):\n return\n except:\n pass\n print(' ')\n print(' ERROR - memtop needs python version at least 2.7')\n print(\n 'Chances are that you can install newer version from your repositories, or even that you have some newer version installed yet.'\n )\n print(\n \"(one way to find out which versions are installed is to try following: 'which python2.7' , 'which python3' and so...)\"\n )\n print(' ')\n sys.exit(-1)\n",
"role": "user"
},
{
"content": "check_py_version",
"role": "assistant"
}
] |
def x(prompt=None, empty=False):
s = _prompt_input(prompt)
if empty and not s:
return None
elif len(s) == 1:
return s
else:
return character(prompt=prompt, empty=empty)
|
character
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt=None, empty=False):\n s = _prompt_input(prompt)\n if empty and not s:\n return None\n elif len(s) == 1:\n return s\n else:\n return character(prompt=prompt, empty=empty)\n",
"role": "user"
},
{
"content": "character",
"role": "assistant"
}
] |
def x(prompt=None, empty=False, mode='simple'):
if mode == 'simple':
s = _prompt_input(prompt)
if empty and not s:
return None
elif RE_EMAIL_SIMPLE.match(s):
return s
else:
return email(prompt=prompt, empty=empty, mode=mode)
else:
raise ValueError
|
email
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt=None, empty=False, mode='simple'):\n if mode == 'simple':\n s = _prompt_input(prompt)\n if empty and not s:\n return None\n elif RE_EMAIL_SIMPLE.match(s):\n return s\n else:\n return email(prompt=prompt, empty=empty, mode=mode)\n else:\n raise ValueError\n",
"role": "user"
},
{
"content": "email",
"role": "assistant"
}
] |
def x(prompt=None, empty=False):
s = _prompt_input(prompt)
if empty and not s:
return None
else:
try:
return int(s)
except ValueError:
return integer(prompt=prompt, empty=empty)
|
integer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt=None, empty=False):\n s = _prompt_input(prompt)\n if empty and not s:\n return None\n else:\n try:\n return int(s)\n except ValueError:\n return integer(prompt=prompt, empty=empty)\n",
"role": "user"
},
{
"content": "integer",
"role": "assistant"
}
] |
def x(prompt=None, empty=False):
s = _prompt_input(prompt)
if empty and not s:
return None
else:
try:
return float(s)
except ValueError:
return real(prompt=prompt, empty=empty)
|
real
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt=None, empty=False):\n s = _prompt_input(prompt)\n if empty and not s:\n return None\n else:\n try:\n return float(s)\n except ValueError:\n return real(prompt=prompt, empty=empty)\n",
"role": "user"
},
{
"content": "real",
"role": "assistant"
}
] |
def x(pattern, prompt=None, empty=False, flags=0):
s = _prompt_input(prompt)
if empty and not s:
return None
else:
m = re.match(pattern, s, flags=flags)
if m:
return m
else:
return regex(pattern, prompt=prompt, empty=empty, flags=flags)
|
regex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pattern, prompt=None, empty=False, flags=0):\n s = _prompt_input(prompt)\n if empty and not s:\n return None\n else:\n m = re.match(pattern, s, flags=flags)\n if m:\n return m\n else:\n return regex(pattern, prompt=prompt, empty=empty, flags=flags)\n",
"role": "user"
},
{
"content": "regex",
"role": "assistant"
}
] |
def x(prompt=None, empty=False):
if prompt is None:
prompt = PROMPT
s = getpass.getpass(prompt=prompt)
if empty and not s:
return None
elif s:
return s
else:
return secret(prompt=prompt, empty=empty)
|
secret
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt=None, empty=False):\n if prompt is None:\n prompt = PROMPT\n s = getpass.getpass(prompt=prompt)\n if empty and not s:\n return None\n elif s:\n return s\n else:\n return secret(prompt=prompt, empty=empty)\n",
"role": "user"
},
{
"content": "secret",
"role": "assistant"
}
] |
def x(prompt=None, empty=False):
s = _prompt_input(prompt)
if empty and not s:
return None
elif s:
return s
else:
return string(prompt=prompt, empty=empty)
|
string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prompt=None, empty=False):\n s = _prompt_input(prompt)\n if empty and not s:\n return None\n elif s:\n return s\n else:\n return string(prompt=prompt, empty=empty)\n",
"role": "user"
},
{
"content": "string",
"role": "assistant"
}
] |
def x(self):
key = getattr(self, '_cache_key', self.key_from_query())
return self._cache.cache, key
|
get_cache_plus_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n key = getattr(self, '_cache_key', self.key_from_query())\n return self._cache.cache, key\n",
"role": "user"
},
{
"content": "get_cache_plus_key",
"role": "assistant"
}
] |
def x(self, merge=True, createfunc=None, expiration_time=None,
ignore_expiration=False):
cache, cache_key = self._get_cache_plus_key()
assert not ignore_expiration or not createfunc, "Can't ignore expiration and also provide createfunc"
if ignore_expiration or not createfunc:
cached_value = cache.get(cache_key, expiration_time=expiration_time,
ignore_expiration=ignore_expiration)
else:
cached_value = cache.get(cache_key)
if not cached_value:
cached_value = createfunc()
cache.set(cache_key, cached_value, timeout=expiration_time)
if cached_value and merge:
cached_value = self.merge_result(cached_value, load=False)
return cached_value
|
get_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, merge=True, createfunc=None, expiration_time=None,\n ignore_expiration=False):\n cache, cache_key = self._get_cache_plus_key()\n assert not ignore_expiration or not createfunc, \"Can't ignore expiration and also provide createfunc\"\n if ignore_expiration or not createfunc:\n cached_value = cache.get(cache_key, expiration_time=expiration_time,\n ignore_expiration=ignore_expiration)\n else:\n cached_value = cache.get(cache_key)\n if not cached_value:\n cached_value = createfunc()\n cache.set(cache_key, cached_value, timeout=expiration_time)\n if cached_value and merge:\n cached_value = self.merge_result(cached_value, load=False)\n return cached_value\n",
"role": "user"
},
{
"content": "get_value",
"role": "assistant"
}
] |
def x(self, value):
cache, cache_key = self._get_cache_plus_key()
cache.set(cache_key, value)
|
set_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n cache, cache_key = self._get_cache_plus_key()\n cache.set(cache_key, value)\n",
"role": "user"
},
{
"content": "set_value",
"role": "assistant"
}
] |
def x(self, qualifier=None):
stmt = self.with_labels().statement
compiled = stmt.compile()
params = compiled.params
values = [str(compiled)]
for k in sorted(params):
values.append(repr(params[k]))
key = u' '.join(values)
return md5(key.encode('utf8')).hexdigest()
|
key_from_query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qualifier=None):\n stmt = self.with_labels().statement\n compiled = stmt.compile()\n params = compiled.params\n values = [str(compiled)]\n for k in sorted(params):\n values.append(repr(params[k]))\n key = u' '.join(values)\n return md5(key.encode('utf8')).hexdigest()\n",
"role": "user"
},
{
"content": "key_from_query",
"role": "assistant"
}
] |
def x(self, query):
if query._current_path:
mapper, prop = query._current_path[-2:]
for cls in mapper.class_.__mro__:
k = cls, prop.key
relationship_option = self._relationship_options.get(k)
if relationship_option:
query._cache = relationship_option
break
|
process_query_conditionally
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query):\n if query._current_path:\n mapper, prop = query._current_path[-2:]\n for cls in mapper.class_.__mro__:\n k = cls, prop.key\n relationship_option = self._relationship_options.get(k)\n if relationship_option:\n query._cache = relationship_option\n break\n",
"role": "user"
},
{
"content": "process_query_conditionally",
"role": "assistant"
}
] |
def x(self, t, y, dy=1, presorted=False):
self.t, self.y, self.dy = self._validate_inputs(t, y, dy, presorted)
self._fit(self.t, self.y, self.dy)
return self
|
fit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, y, dy=1, presorted=False):\n self.t, self.y, self.dy = self._validate_inputs(t, y, dy, presorted)\n self._fit(self.t, self.y, self.dy)\n return self\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(self, t):
t = np.asarray(t)
return self._predict(np.ravel(t)).reshape(t.shape)
|
predict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t):\n t = np.asarray(t)\n return self._predict(np.ravel(t)).reshape(t.shape)\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
] |
def x(self, cv=True):
vals = self.cv_values(cv)
return (self.y - vals) / self.dy
|
cv_residuals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cv=True):\n vals = self.cv_values(cv)\n return (self.y - vals) / self.dy\n",
"role": "user"
},
{
"content": "cv_residuals",
"role": "assistant"
}
] |
def x(self, cv=True, skip_endpoints=True):
resids = self.cv_residuals(cv)
if skip_endpoints:
resids = resids[1:-1]
return np.mean(abs(resids))
|
cv_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cv=True, skip_endpoints=True):\n resids = self.cv_residuals(cv)\n if skip_endpoints:\n resids = resids[1:-1]\n return np.mean(abs(resids))\n",
"role": "user"
},
{
"content": "cv_error",
"role": "assistant"
}
] |
def x(key, csbN=1):
if isinstance(key, str):
key = [ord(c) for c in key]
s = range(256)
j = 0
for n in range(csbN):
for i in range(256):
j = (j + s[i] + key[i % len(key)]) % 256
t = s[i]
s[i] = s[j]
s[j] = t
i = 0
j = 0
while True:
i = (i + 1) % 256
j = (j + s[i]) % 256
t = s[i]
s[i] = s[j]
s[j] = t
yield s[(s[i] + s[j]) % 256]
|
arcfour
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, csbN=1):\n if isinstance(key, str):\n key = [ord(c) for c in key]\n s = range(256)\n j = 0\n for n in range(csbN):\n for i in range(256):\n j = (j + s[i] + key[i % len(key)]) % 256\n t = s[i]\n s[i] = s[j]\n s[j] = t\n i = 0\n j = 0\n while True:\n i = (i + 1) % 256\n j = (j + s[i]) % 256\n t = s[i]\n s[i] = s[j]\n s[j] = t\n yield s[(s[i] + s[j]) % 256]\n",
"role": "user"
},
{
"content": "arcfour",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.