source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x():
date = datetime.utcnow()
date_tag = '{}.{}.{}'.format(date.year, date.month, date.day)
if date_tag in latest_tag():
latest = latest_tag().split('.')
if len(latest) == 4:
latest[-1] = str(int(latest[-1]) + 1)
else:
latest += ['1']
date_tag = '.'.join(latest)
return date_tag
| create_next_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n date = datetime.utcnow()\n date_tag = '{}.{}.{}'.format(date.year, date.month, date.day)\n if date_tag in latest_tag():\n latest = latest_... |
def x():
print('syncing README')
with open('README.md', 'r') as reader:
file_text = reader.read()
with open('README', 'w') as writer:
writer.write(file_text)
| sync_readmes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print('syncing README')\n with open('README.md', 'r') as reader:\n file_text = reader.read()\n with open('README', 'w') as writer:\n ... |
def x(self, other):
numerator, denominator = sorted((self.value, other.value))
try:
ratio = float(numerator) / denominator
except ZeroDivisionError:
ratio = 0.0 if numerator else 1.0
similarity = self.Similarity(ratio)
return similarity
| similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n numerator, denominator = sorted((self.value, other.value))\n try:\n ratio = float(numerator) / denominator\n except ZeroDivisio... |
def x(self, other):
ratio = SequenceMatcher(a=self.value, b=other.value).ratio()
similarity = self.Similarity(ratio)
return similarity
| similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n ratio = SequenceMatcher(a=self.value, b=other.value).ratio()\n similarity = self.Similarity(ratio)\n return similarity\n",
"role":... |
def x(self, other):
ratio = 1.0 if str(self).lower() == str(other).lower() else 0.0
similarity = self.Similarity(ratio)
return similarity
| similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n ratio = 1.0 if str(self).lower() == str(other).lower() else 0.0\n similarity = self.Similarity(ratio)\n return similarity\n",
"rol... |
def x(text):
text = text.strip()
text = text.replace(' ', ' ')
text = text.lower()
for joiner in TextTitle.JOINERS:
text = text.replace(joiner, 'and')
for article in TextTitle.ARTICLES:
if text.startswith(article + ' '):
text = text[len(article) + 1:]
break
return text
| strip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n text = text.strip()\n text = text.replace(' ', ' ')\n text = text.lower()\n for joiner in TextTitle.JOINERS:\n text = text.replace... |
def x(self, other):
logging.debug('comparing %r and %r...', self.stripped, other.stripped)
ratio = SequenceMatcher(a=self.stripped, b=other.stripped).ratio()
similarity = self.Similarity(ratio)
return similarity
| similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n logging.debug('comparing %r and %r...', self.stripped, other.stripped)\n ratio = SequenceMatcher(a=self.stripped, b=other.stripped).ratio... |
def x(dset, suffix='_ns', prefix=None, unifize=True):
if prefix == None:
prefix = nl.suffix(dset, suffix)
unifize_dset = nl.suffix(dset, '_u')
cmd = bet2 if bet2 else 'bet2'
if unifize:
info = nl.dset_info(dset)
if info == None:
nl.notify('Error: could not read info for dset %s' % dset,
level=nl.level.error)
return False
cmd = os.path.join(fsl_dir, cmd) if fsl_dir else cmd
cutoff_value = nl.max(dset) * 0.05
nl.run(['3dUnifize', '-prefix', unifize_dset, nl.calc(dset,
'step(a-%f)*a' % cutoff_value)], products=unifize_dset)
else:
unifize_dset = dset
nl.run([cmd, unifize_dset, prefix, '-w', 0.5], products=prefix)
| skull_strip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, suffix='_ns', prefix=None, unifize=True):\n if prefix == None:\n prefix = nl.suffix(dset, suffix)\n unifize_dset = nl.suffix(dset, '_u')\n ... |
def x(url='', domain=None, protocol='https'):
if domain is None:
from django.contrib.sites.models import Site
domain = Site.objects.get_current().domain
return f'{protocol}://{domain}{url}'
| full_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url='', domain=None, protocol='https'):\n if domain is None:\n from django.contrib.sites.models import Site\n domain = Site.objects.get_curren... |
def x(queryset, field):
return queryset.aggregate(s=models.functions.Coalesce(models.Sum(field), 0)
)['s']
| query_sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(queryset, field):\n return queryset.aggregate(s=models.functions.Coalesce(models.Sum(field), 0)\n )['s']\n",
"role": "user"
},
{
"content... |
def x(env_file='.env'):
try:
with open(env_file) as f:
for line in f.readlines():
try:
key, val = line.split('=', maxsplit=1)
os.environ.setdefault(key.strip(), val.strip())
except ValueError:
pass
except FileNotFoundError:
pass
| get_env | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(env_file='.env'):\n try:\n with open(env_file) as f:\n for line in f.readlines():\n try:\n key, val = li... |
def x(row, cursor):
if not row:
return row
if cursor is None or cursor.description is None:
raise RuntimeError('No DB-API cursor or description available.')
column_names = (d[0] for d in cursor.description)
return {name: value for value, name in zip(row, column_names)}
| to_dict_formatter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row, cursor):\n if not row:\n return row\n if cursor is None or cursor.description is None:\n raise RuntimeError('No DB-API cursor or descr... |
def x(self, *args, **kwds):
arg = args
if not arg:
arg = kwds
return self._db.show(self._sql, arg)
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwds):\n arg = args\n if not arg:\n arg = kwds\n return self._db.show(self._sql, arg)\n",
"role": "user"
},
{
"conte... |
def x(self, cursor):
results = cursor.fetchall()
if self._row_formatter is not None:
return (self._row_formatter(r, cursor) for r in results)
return results
| produce_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor):\n results = cursor.fetchall()\n if self._row_formatter is not None:\n return (self._row_formatter(r, cursor) for r in results)\n ... |
def x(self, cursor):
results = cursor.fetchmany(2)
if len(results) != 1:
return None
row = results[0]
if self._row_formatter is not None:
row = self._row_formatter(row, cursor)
elif len(row) == 1:
row = row[0]
return row
| produce_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor):\n results = cursor.fetchmany(2)\n if len(results) != 1:\n return None\n row = results[0]\n if self._row_formatter is not None... |
def x(self, cursor):
rowset = cursor.fetchmany(self._arraysize)
while rowset:
if self._row_formatter is not None:
rowset = (self._row_formatter(r, cursor) for r in rowset)
for row in rowset:
yield row
rowset = cursor.fetchmany(self._arraysize)
| row_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor):\n rowset = cursor.fetchmany(self._arraysize)\n while rowset:\n if self._row_formatter is not None:\n rowset = (self._row... |
def x(self, cursor):
self.callback(self._row_generator(cursor), *self.cb_args)
return None
| produce_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor):\n self.callback(self._row_generator(cursor), *self.cb_args)\n return None\n",
"role": "user"
},
{
"content": "produce_return",... |
def x(self, cursor):
rowcount = cursor.rowcount
if self._rowcount is not None and self._rowcount != rowcount:
raise ManipulationCheckError('Count was {}, expected {}.'.format(
rowcount, self._rowcount))
return rowcount
| produce_return | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cursor):\n rowcount = cursor.rowcount\n if self._rowcount is not None and self._rowcount != rowcount:\n raise ManipulationCheckError('Count ... |
def x(host=PINBA_SERVER, port=PINBA_PORT, *args, **kwargs):
kwargs['servername'] = PINBA_SERVER_NAME
kwargs['scriptname'] = __file__
for item in inspect.stack():
if item and __file__ not in item:
kwargs['scriptname'] = item[3]
break
return ScriptMonitor((host, port), *args, **kwargs)
| get_monitor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host=PINBA_SERVER, port=PINBA_PORT, *args, **kwargs):\n kwargs['servername'] = PINBA_SERVER_NAME\n kwargs['scriptname'] = __file__\n for item in inspe... |
def x(self):
try:
stdout, stderr = self._lint()
return list(stdout), stderr or []
except FileNotFoundError as exception:
if self._linter.name in self.config.user_linters:
error_msg = (
'Could not find {}. Did you install it? Got exception: {}'.
format(self._linter.name, exception))
return [[], [error_msg]]
return [[], []]
| get_results | [
{
"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 stdout, stderr = self._lint()\n return list(stdout), stderr or []\n except FileNotFoundError as exception:\n if self... |
def x(self):
targets = ' '.join(self.targets)
cmd_str = self._linter.command_with_options + ' ' + targets
cmd_shlex = shlex.split(cmd_str)
return list(cmd_shlex)
| get_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n targets = ' '.join(self.targets)\n cmd_str = self._linter.command_with_options + ' ' + targets\n cmd_shlex = shlex.split(cmd_str)\n return... |
def x(self):
command = self._get_command()
process = subprocess.run(command, stdout=subprocess.PIPE, stderr=
subprocess.PIPE)
LOG.info('Finished %s', ' '.join(command))
stdout, stderr = self._get_output_lines(process)
return self._linter.parse(stdout), self._parse_stderr(stderr)
| lint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n command = self._get_command()\n process = subprocess.run(command, stdout=subprocess.PIPE, stderr=\n subprocess.PIPE)\n LOG.info('Finis... |
def x(self, targets):
LinterRunner.targets = targets
linters = self._config.get_linter_classes()
with Pool() as pool:
out_err_none = pool.map(LinterRunner.run, linters)
out_err = [item for item in out_err_none if item is not None]
stdout, stderr = zip(*out_err)
return sorted(chain.from_iterable(stdout)), chain.from_iterable(stderr)
| lint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targets):\n LinterRunner.targets = targets\n linters = self._config.get_linter_classes()\n with Pool() as pool:\n out_err_none = pool.map... |
def x(self, args):
if args['--dump-config']:
self._config.print_config()
else:
stdout, stderr = self.lint(args['<path>'])
self.print_results(stdout, stderr)
| run_from_cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n if args['--dump-config']:\n self._config.print_config()\n else:\n stdout, stderr = self.lint(args['<path>'])\n self.p... |
def x(cls, stdout, stderr):
for line in stderr:
print(line, file=sys.stderr)
if stdout:
if stderr:
print(file=sys.stderr)
cls._print_stdout(stdout)
else:
print(':) No issues found.')
| print_results | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, stdout, stderr):\n for line in stderr:\n print(line, file=sys.stderr)\n if stdout:\n if stderr:\n print(file=sys.stderr)\n ... |
def x(self, *ids):
bundles = sublists_of(ids, 20)
for bundle in bundles:
download_response = self._rpc.DownloadSubtitles(self._token, bundle)
assert_status(download_response)
download_data = download_response.get('data')
for item in download_data:
subtitle_id = item['idsubtitlefile']
subtitle_data = item['data']
decompressed = decompress(subtitle_data)
yield Result(subtitle_id, decompressed)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *ids):\n bundles = sublists_of(ids, 20)\n for bundle in bundles:\n download_response = self._rpc.DownloadSubtitles(self._token, bundle)\n ... |
def x(instance, history_date, history_user, history_change_reason, **kwargs):
if (site_notifications.loaded and instance._meta.label_lower in
site_notifications.models):
opts = dict(instance=instance, user=instance.user_modified or
instance.user_created, history_date=history_date, history_user=
history_user, history_change_reason=history_change_reason,
fail_silently=True, **kwargs)
site_notifications.notify(**opts)
| notification_on_post_create_historical_record | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, history_date, history_user, history_change_reason, **kwargs):\n if (site_notifications.loaded and instance._meta.label_lower in\n site_noti... |
def x(action, instance, pk_set, sender, **kwargs):
try:
instance.email_notifications
except AttributeError:
pass
else:
if action == 'post_remove':
update_mailing_lists_in_m2m(sender=sender, userprofile=instance,
unsubscribe=True, pk_set=pk_set, verbose=True)
elif action == 'post_add':
update_mailing_lists_in_m2m(sender=sender, userprofile=instance,
subscribe=True, pk_set=pk_set, verbose=True)
| manage_mailists_on_userprofile_m2m_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(action, instance, pk_set, sender, **kwargs):\n try:\n instance.email_notifications\n except AttributeError:\n pass\n else:\n if a... |
def x(self, pluginSubPath: bytes, resource: BasicResource) ->None:
pluginSubPath = pluginSubPath.strip(b'/')
self.__rootMobileResource.putChild(pluginSubPath, resource)
| addMobileResource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pluginSubPath: bytes, resource: BasicResource) ->None:\n pluginSubPath = pluginSubPath.strip(b'/')\n self.__rootMobileResource.putChild(pluginSubPa... |
def x(file_contents, file_name):
env = Environment()
result = ''
try:
env.parse(file_contents)
except Exception:
_, exc_value, _ = sys.exc_info()
result += 'ERROR: Jinja2 Template File: {0}'.format(file_name)
result += repr(exc_value) + '\n'
return result
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_contents, file_name):\n env = Environment()\n result = ''\n try:\n env.parse(file_contents)\n except Exception:\n _, exc_value, ... |
def x(self, status_code: Union[int, constants.HttpStatusCode]=constants.
HttpStatusCode.BAD_REQUEST, *, headers: Optional[_HeaderType]=None
) ->'writers.HttpResponseWriter':
return self._delegate.write_response(constants.HttpStatusCode(
status_code), headers=headers)
| write_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status_code: Union[int, constants.HttpStatusCode]=constants.\n HttpStatusCode.BAD_REQUEST, *, headers: Optional[_HeaderType]=None\n ) ->'writers.Ht... |
async def read(self, n: int=-1, exactly: bool=False) ->bytes:
"""
Read at most n bytes data or if exactly is `True`,
read exactly n bytes data. If the end has been reached before
the buffer has the length of data asked, it will
raise a :class:`ReadUnsatisfiableError`.
When :method:`.finished()` is `True`, this method will raise any errors
occurred during the read or a :class:`ReadFinishedError`.
"""
async with self._read_lock:
self._raise_exc_if_finished()
if n == 0:
return b''
if exactly:
if n < 0:
raise ValueError(
'You MUST sepcify the length of the data if exactly is True.'
)
if n > self.max_buf_len:
raise ValueError(
'The length provided cannot be larger than the max buffer length.'
)
while len(self) < n:
try:
await self._wait_for_data()
except asyncio.CancelledError:
raise
except Exception as e:
raise ReadUnsatisfiableError from e
elif n < 0:
while True:
if len(self) > self.max_buf_len:
raise MaxBufferLengthReachedError
try:
await self._wait_for_data()
except asyncio.CancelledError:
raise
except Exception:
data = bytes(self._buf)
self._buf.clear()
return data
elif len(self) == 0:
await self._wait_for_data()
data = bytes(self._buf[0:n])
del self._buf[0:n]
return data
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def read(self, n: int=-1, exactly: bool=False) ->bytes:\n \"\"\"\n Read at most n bytes data or if exactly is `True`,\n read exactly n bytes d... |
async def read_until(self, separator: bytes=b'\n', *, keep_separator: bool=True
) ->bytes:
"""
Read until the separator has been found.
When the max size of the buffer has been reached,
and the separator is not found, this method will raise
a :class:`MaxBufferLengthReachedError`.
Similarly, if the end has been reached before found the separator
it will raise a :class:`SeparatorNotFoundError`.
When :method:`.finished()` is `True`, this method will raise any errors
occurred during the read or a :class:`ReadFinishedError`.
"""
async with self._read_lock:
self._raise_exc_if_finished()
start_pos = 0
while True:
separator_pos = self._buf.find(separator, start_pos)
if separator_pos != -1:
break
if len(self) > self.max_buf_len:
raise MaxBufferLengthReachedError
try:
await self._wait_for_data()
except asyncio.CancelledError:
raise
except Exception as e:
if len(self) > 0:
raise SeparatorNotFoundError from e
else:
raise
new_start_pos = len(self) - len(separator)
if new_start_pos > 0:
start_pos = new_start_pos
full_pos = separator_pos + len(separator)
if keep_separator:
data_pos = full_pos
else:
data_pos = separator_pos
data = bytes(self._buf[0:data_pos])
del self._buf[0:full_pos]
return data
| read_until | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def read_until(self, separator: bytes=b'\\n', *, keep_separator: bool=True\n ) ->bytes:\n \"\"\"\n Read until the separator has been found.\n\n ... |
def x(self, status_code: Union[int, constants.HttpStatusCode], *, headers:
Optional[_HeaderType]=None) ->'writers.HttpResponseWriter':
self._writer = self.__delegate.write_response(constants.HttpStatusCode(
status_code), headers=headers)
return self._writer
| write_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status_code: Union[int, constants.HttpStatusCode], *, headers:\n Optional[_HeaderType]=None) ->'writers.HttpResponseWriter':\n self._writer = self.... |
def x(bus_name, object_path, bus=None):
bus = bus or dbus.SessionBus.get_session()
return bus.get_object(bus_name, object_path)
| createDbusProxyObject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bus_name, object_path, bus=None):\n bus = bus or dbus.SessionBus.get_session()\n return bus.get_object(bus_name, object_path)\n",
"role": "user"
},... |
def x(text, target_lang='en', source_lang=None):
url_base = 'https://www.googleapis.com/language/translate/v2'
params = dict(key=translate.API_key, q=text, target=target_lang)
if source_lang:
params['source'] = source_lang
resp = requests.get(url_base, params=params)
resp.raise_for_status()
return resp.json()['data']['translations'][0]['translatedText']
| translate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, target_lang='en', source_lang=None):\n url_base = 'https://www.googleapis.com/language/translate/v2'\n params = dict(key=translate.API_key, q=text,... |
def x(cls: Type[SigningKeyType], salt: Union[str, bytes], password: Union[
str, bytes], scrypt_params: Optional[ScryptParams]=None) ->SigningKeyType:
if scrypt_params is None:
scrypt_params = ScryptParams()
salt = ensure_bytes(salt)
password = ensure_bytes(password)
seed = scrypt(password, salt, scrypt_params.N, scrypt_params.r,
scrypt_params.p, scrypt_params.seed_length)
return cls(seed)
| from_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SigningKeyType], salt: Union[str, bytes], password: Union[\n str, bytes], scrypt_params: Optional[ScryptParams]=None) ->SigningKeyType:\n if sc... |
def x(self, path: str) ->None:
seedhex = convert_seed_to_seedhex(self.seed)
with open(path, 'w') as fh:
fh.write(seedhex)
| save_seedhex_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path: str) ->None:\n seedhex = convert_seed_to_seedhex(self.seed)\n with open(path, 'w') as fh:\n fh.write(seedhex)\n",
"role": "user"
... |
def x(path: str) ->SigningKeyType:
with open(path, 'r') as fh:
seedhex = fh.read()
return SigningKey.from_seedhex(seedhex)
| from_seedhex_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->SigningKeyType:\n with open(path, 'r') as fh:\n seedhex = fh.read()\n return SigningKey.from_seedhex(seedhex)\n",
"role": "user"
... |
def x(cls: Type[SigningKeyType], seedhex: str) ->SigningKeyType:
regex_seedhex = compile('([0-9a-fA-F]{64})')
match = search(regex_seedhex, seedhex)
if not match:
raise Exception('Error: Bad seed hexadecimal format')
seedhex = match.groups()[0]
seed = convert_seedhex_to_seed(seedhex)
return cls(seed)
| from_seedhex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SigningKeyType], seedhex: str) ->SigningKeyType:\n regex_seedhex = compile('([0-9a-fA-F]{64})')\n match = search(regex_seedhex, seedhex)\n i... |
def x(path: str) ->SigningKeyType:
key = load_key(path)
key.pubkey = Base58Encoder.encode(key.vk)
return key
| from_private_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->SigningKeyType:\n key = load_key(path)\n key.pubkey = Base58Encoder.encode(key.vk)\n return key\n",
"role": "user"
},
{
"cont... |
def x(self, data: bytes) ->bytes:
curve25519_public_key = libnacl.crypto_sign_ed25519_pk_to_curve25519(self
.vk)
curve25519_secret_key = libnacl.crypto_sign_ed25519_sk_to_curve25519(self
.sk)
return libnacl.crypto_box_seal_open(data, curve25519_public_key,
curve25519_secret_key)
| decrypt_seal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: bytes) ->bytes:\n curve25519_public_key = libnacl.crypto_sign_ed25519_pk_to_curve25519(self\n .vk)\n curve25519_secret_key = libnacl.c... |
def x(cls: Type[SigningKeyType], path: str) ->SigningKeyType:
with open(path, 'r') as fh:
pubsec_content = fh.read()
regex_pubkey = compile('pub: ([1-9A-HJ-NP-Za-km-z]{43,44})', MULTILINE)
regex_signkey = compile('sec: ([1-9A-HJ-NP-Za-km-z]{88,90})', MULTILINE)
match = search(regex_pubkey, pubsec_content)
if not match:
raise Exception('Error: Bad format PubSec v1 file, missing public key')
match = search(regex_signkey, pubsec_content)
if not match:
raise Exception('Error: Bad format PubSec v1 file, missing sec key')
signkey_hex = match.groups()[0]
seed = bytes(Base58Encoder.decode(signkey_hex)[0:32])
return cls(seed)
| from_pubsec_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SigningKeyType], path: str) ->SigningKeyType:\n with open(path, 'r') as fh:\n pubsec_content = fh.read()\n regex_pubkey = compile('pub: ... |
def x(self, path: str) ->None:
version = 1
base58_signing_key = Base58Encoder.encode(self.sk)
base58_public_key = self.pubkey
with open(path, 'w') as fh:
fh.write(
'Type: PubSec\nVersion: {version}\npub: {pubkey}\nsec: {signkey}'
.format(version=version, pubkey=base58_public_key, signkey=
base58_signing_key))
| save_pubsec_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path: str) ->None:\n version = 1\n base58_signing_key = Base58Encoder.encode(self.sk)\n base58_public_key = self.pubkey\n with open(path, 'w'... |
def x(path: str, password: Optional[str]=None) ->SigningKeyType:
with open(path, 'r') as fh:
wif_content = fh.read()
regex = compile('Data: ([1-9A-HJ-NP-Za-km-z]+)', MULTILINE)
match = search(regex, wif_content)
if not match:
raise Exception('Error: Bad format WIF or EWIF v1 file')
wif_hex = match.groups()[0]
return SigningKey.from_wif_or_ewif_hex(wif_hex, password)
| from_wif_or_ewif_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str, password: Optional[str]=None) ->SigningKeyType:\n with open(path, 'r') as fh:\n wif_content = fh.read()\n regex = compile('Data: ([1-9A... |
def x(wif_hex: str, password: Optional[str]=None) ->SigningKeyType:
wif_bytes = Base58Encoder.decode(wif_hex)
fi = wif_bytes[0:1]
if fi == b'\x01':
return SigningKey.from_wif_hex(wif_hex)
elif fi == b'\x02' and password is not None:
return SigningKey.from_ewif_hex(wif_hex, password)
else:
raise Exception('Error: Bad format: not WIF nor EWIF')
| from_wif_or_ewif_hex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wif_hex: str, password: Optional[str]=None) ->SigningKeyType:\n wif_bytes = Base58Encoder.decode(wif_hex)\n fi = wif_bytes[0:1]\n if fi == b'\\x01':\n... |
def x(path: str) ->SigningKeyType:
with open(path, 'r') as fh:
wif_content = fh.read()
regex = compile('Data: ([1-9A-HJ-NP-Za-km-z]+)', MULTILINE)
match = search(regex, wif_content)
if not match:
raise Exception('Error: Bad format WIF v1 file')
wif_hex = match.groups()[0]
return SigningKey.from_wif_hex(wif_hex)
| from_wif_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str) ->SigningKeyType:\n with open(path, 'r') as fh:\n wif_content = fh.read()\n regex = compile('Data: ([1-9A-HJ-NP-Za-km-z]+)', MULTILINE)... |
def x(cls: Type[SigningKeyType], wif_hex: str) ->SigningKeyType:
wif_bytes = Base58Encoder.decode(wif_hex)
if len(wif_bytes) != 35:
raise Exception('Error: the size of WIF is invalid')
checksum_from_wif = wif_bytes[-2:]
fi = wif_bytes[0:1]
seed = wif_bytes[1:-2]
seed_fi = wif_bytes[0:-2]
if fi != b'\x01':
raise Exception('Error: bad format version, not WIF')
checksum = libnacl.crypto_hash_sha256(libnacl.crypto_hash_sha256(seed_fi))[
0:2]
if checksum_from_wif != checksum:
raise Exception('Error: bad checksum of the WIF')
return cls(seed)
| from_wif_hex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SigningKeyType], wif_hex: str) ->SigningKeyType:\n wif_bytes = Base58Encoder.decode(wif_hex)\n if len(wif_bytes) != 35:\n raise Exceptio... |
def x(self, path: str) ->None:
version = 1
seed_fi = b'\x01' + self.seed
sha256_v1 = libnacl.crypto_hash_sha256(seed_fi)
sha256_v2 = libnacl.crypto_hash_sha256(sha256_v1)
checksum = sha256_v2[0:2]
wif_key = Base58Encoder.encode(seed_fi + checksum)
with open(path, 'w') as fh:
fh.write('Type: WIF\nVersion: {version}\nData: {data}'.format(
version=version, data=wif_key))
| save_wif_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path: str) ->None:\n version = 1\n seed_fi = b'\\x01' + self.seed\n sha256_v1 = libnacl.crypto_hash_sha256(seed_fi)\n sha256_v2 = libnacl.cry... |
def x(path: str, password: str) ->SigningKeyType:
with open(path, 'r') as fh:
wif_content = fh.read()
regex = compile('Data: ([1-9A-HJ-NP-Za-km-z]+)', MULTILINE)
match = search(regex, wif_content)
if not match:
raise Exception('Error: Bad format EWIF v1 file')
ewif_hex = match.groups()[0]
return SigningKey.from_ewif_hex(ewif_hex, password)
| from_ewif_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: str, password: str) ->SigningKeyType:\n with open(path, 'r') as fh:\n wif_content = fh.read()\n regex = compile('Data: ([1-9A-HJ-NP-Za-km-z]... |
def x(cls: Type[SigningKeyType], ewif_hex: str, password: str
) ->SigningKeyType:
ewif_bytes = Base58Encoder.decode(ewif_hex)
if len(ewif_bytes) != 39:
raise Exception('Error: the size of EWIF is invalid')
fi = ewif_bytes[0:1]
checksum_from_ewif = ewif_bytes[-2:]
ewif_no_checksum = ewif_bytes[0:-2]
salt = ewif_bytes[1:5]
encryptedhalf1 = ewif_bytes[5:21]
encryptedhalf2 = ewif_bytes[21:37]
if fi != b'\x02':
raise Exception('Error: bad format version, not EWIF')
checksum = libnacl.crypto_hash_sha256(libnacl.crypto_hash_sha256(
ewif_no_checksum))[0:2]
if checksum_from_ewif != checksum:
raise Exception('Error: bad checksum of the EWIF')
password_bytes = password.encode('utf-8')
scrypt_seed = scrypt(password_bytes, salt, 16384, 8, 8, 64)
derivedhalf1 = scrypt_seed[0:32]
derivedhalf2 = scrypt_seed[32:64]
aes = pyaes.AESModeOfOperationECB(derivedhalf2)
decryptedhalf1 = aes.decrypt(encryptedhalf1)
decryptedhalf2 = aes.decrypt(encryptedhalf2)
seed1 = xor_bytes(decryptedhalf1, derivedhalf1[0:16])
seed2 = xor_bytes(decryptedhalf2, derivedhalf1[16:32])
seed = bytes(seed1 + seed2)
signer = SigningKey(seed)
salt_from_seed = libnacl.crypto_hash_sha256(libnacl.crypto_hash_sha256(
Base58Encoder.decode(signer.pubkey)))[0:4]
if salt_from_seed != salt:
raise Exception('Error: bad Password of EWIF address')
return cls(seed)
| from_ewif_hex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SigningKeyType], ewif_hex: str, password: str\n ) ->SigningKeyType:\n ewif_bytes = Base58Encoder.decode(ewif_hex)\n if len(ewif_bytes) != 39... |
def x(self, path: str, password: str) ->None:
version = 1
salt = libnacl.crypto_hash_sha256(libnacl.crypto_hash_sha256(
Base58Encoder.decode(self.pubkey)))[0:4]
password_bytes = password.encode('utf-8')
scrypt_seed = scrypt(password_bytes, salt, 16384, 8, 8, 64)
derivedhalf1 = scrypt_seed[0:32]
derivedhalf2 = scrypt_seed[32:64]
seed1_xor_derivedhalf1_1 = bytes(xor_bytes(self.seed[0:16],
derivedhalf1[0:16]))
seed2_xor_derivedhalf1_2 = bytes(xor_bytes(self.seed[16:32],
derivedhalf1[16:32]))
aes = pyaes.AESModeOfOperationECB(derivedhalf2)
encryptedhalf1 = aes.encrypt(seed1_xor_derivedhalf1_1)
encryptedhalf2 = aes.encrypt(seed2_xor_derivedhalf1_2)
seed_bytes = b'\x02' + salt + encryptedhalf1 + encryptedhalf2
sha256_v1 = libnacl.crypto_hash_sha256(seed_bytes)
sha256_v2 = libnacl.crypto_hash_sha256(sha256_v1)
checksum = sha256_v2[0:2]
ewif_key = Base58Encoder.encode(seed_bytes + checksum)
with open(path, 'w') as fh:
fh.write('Type: EWIF\nVersion: {version}\nData: {data}'.format(
version=version, data=ewif_key))
| save_ewif_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path: str, password: str) ->None:\n version = 1\n salt = libnacl.crypto_hash_sha256(libnacl.crypto_hash_sha256(\n Base58Encoder.decode(self.... |
def x(type=None, **ArgConfig):
ArgConfig.update(type=type)
return gatherInput(**reconfigArg(ArgConfig))
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type=None, **ArgConfig):\n ArgConfig.update(type=type)\n return gatherInput(**reconfigArg(ArgConfig))\n",
"role": "user"
},
{
"content": "get... |
def x(path: typing.Union[str, Path]) ->VersionInfo:
path = Path(path).absolute()
pe_info = pefile.PE(str(path))
try:
for file_info in pe_info.FileInfo:
if isinstance(file_info, list):
result = _parse_file_info(file_info)
if result:
return result
else:
result = _parse_file_info(pe_info.FileInfo)
if result:
return result
raise RuntimeError(f'unable to obtain version from {path}')
except (KeyError, AttributeError) as exc:
traceback.print_exc()
raise RuntimeError(f'unable to obtain version from {path}') from exc
| get_product_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path: typing.Union[str, Path]) ->VersionInfo:\n path = Path(path).absolute()\n pe_info = pefile.PE(str(path))\n try:\n for file_info in pe_info... |
def x(self):
self.logger.debug('start')
for x in range(self.number_of_threads):
new_thread = TaskThread(self.config, self.task_queue)
self.thread_list.append(new_thread)
new_thread.start()
self.queuing_thread = threading.Thread(name='QueuingThread', target=
self._queuing_thread_func)
self.queuing_thread.start()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.debug('start')\n for x in range(self.number_of_threads):\n new_thread = TaskThread(self.config, self.task_queue)\n sel... |
def x(self, waiting_func=None):
self.logger.debug('waiting to join queuingThread')
self._responsive_join(self.queuing_thread, waiting_func)
| wait_for_completion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, waiting_func=None):\n self.logger.debug('waiting to join queuingThread')\n self._responsive_join(self.queuing_thread, waiting_func)\n",
"role":... |
def x(self, waiting_func=None):
try:
self.start()
self.wait_for_completion(waiting_func)
except KeyboardInterrupt:
while True:
try:
self.stop()
break
except KeyboardInterrupt:
self.logger.warning(
'We heard you the first time. There is no need for further keyboard or signal interrupts. We are waiting for the worker threads to stop. If this app does not halt soon, you may have to send SIGKILL (kill -9)'
)
| blocking_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, waiting_func=None):\n try:\n self.start()\n self.wait_for_completion(waiting_func)\n except KeyboardInterrupt:\n while True:\n... |
def x(self, wait_log_interval=0, wait_reason=''):
seconds = 0
while True:
if self.task_queue.empty():
break
self.quit_check()
if wait_log_interval and not seconds % wait_log_interval:
self.logger.info('%s: %dsec so far', wait_reason, seconds)
self.quit_check()
seconds += 1
time.sleep(1.0)
| wait_for_empty_queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wait_log_interval=0, wait_reason=''):\n seconds = 0\n while True:\n if self.task_queue.empty():\n break\n self.quit_check(... |
def x(self, thread, waiting_func=None):
while True:
try:
thread.join(1.0)
if not thread.isAlive():
break
if waiting_func:
waiting_func()
except KeyboardInterrupt:
self.logger.debug('quit detected by _responsive_join')
self.quit = True
| responsive_join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, thread, waiting_func=None):\n while True:\n try:\n thread.join(1.0)\n if not thread.isAlive():\n break\n ... |
def x(self):
for x in range(self.number_of_threads):
self.task_queue.put((None, None))
self.logger.debug('waiting for standard worker threads to stop')
for t in self.thread_list:
t.join()
| kill_worker_threads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for x in range(self.number_of_threads):\n self.task_queue.put((None, None))\n self.logger.debug('waiting for standard worker threads to s... |
def x(self):
self.logger.debug('_queuing_thread_func start')
try:
for job_params in self._get_iterator():
self.config.logger.debug('received %r', job_params)
if job_params is None:
if self.config.quit_on_empty_queue:
self.wait_for_empty_queue(wait_log_interval=10,
wait_reason='waiting for queue to drain')
raise KeyboardInterrupt
self.logger.info(
'there is nothing to do. Sleeping for %d seconds' %
self.config.idle_delay)
self._responsive_sleep(self.config.idle_delay)
continue
self.quit_check()
self.task_queue.put((self.task_func, job_params))
except Exception:
self.logger.error('queuing jobs has failed', exc_info=True)
except KeyboardInterrupt:
self.logger.debug('queuingThread gets quit request')
finally:
self.logger.debug("we're quitting queuingThread")
self._kill_worker_threads()
self.logger.debug('all worker threads stopped')
self.quit = True
| queuing_thread_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.debug('_queuing_thread_func start')\n try:\n for job_params in self._get_iterator():\n self.config.logger.debug('r... |
def x(self):
try:
quit_request_detected = False
while True:
function, arguments = self.task_queue.get()
if function is None:
self.config.logger.info('quits')
break
if quit_request_detected:
continue
try:
try:
args, kwargs = arguments
except ValueError:
args = arguments
kwargs = {}
function(*args, **kwargs)
except Exception:
self.config.logger.error('Error in processing a job',
exc_info=True)
except KeyboardInterrupt:
self.config.logger.info('quit request detected')
quit_request_detected = True
except Exception:
self.config.logger.critical('Failure in task_queue', exc_info=True)
| run | [
{
"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 quit_request_detected = False\n while True:\n function, arguments = self.task_queue.get()\n if function ... |
def x(year, method=EASTER_WESTERN):
if not 1 <= method <= 3:
raise ValueError('invalid method')
y = year
g = y % 19
e = 0
if method < 3:
i = (19 * g + 15) % 30
j = (y + y // 4 + i) % 7
if method == 2:
e = 10
if y > 1600:
e = e + y // 100 - 16 - (y // 100 - 16) // 4
else:
c = y // 100
h = (c - c // 4 - (8 * c + 13) // 25 + 19 * g + 15) % 30
i = h - h // 28 * (1 - h // 28 * (29 // (h + 1)) * ((21 - g) // 11))
j = (y + y // 4 + i + 2 - c + c // 4) % 7
p = i - j + e
d = 1 + (p + 27 + (p + 6) // 40) % 31
m = 3 + (p + 26) // 30
return datetime.date(int(y), int(m), int(d))
| easter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, method=EASTER_WESTERN):\n if not 1 <= method <= 3:\n raise ValueError('invalid method')\n y = year\n g = y % 19\n e = 0\n if method... |
def x(module, external=(), internal=()):
external = tuple(external)
internal = tuple(internal)
def x(fn):
@wraps(fn)
def x(*args, **kwargs):
master_mock = mock.MagicMock()
def x(name):
return getattr(master_mock, __patch_name(name))
def x(name):
return mock.patch(name, get_mock(name))
def x(name):
return mock.patch(module.__name__ + '.' + name, get_mock(name))
try:
with __nested(patch_external(n) for n in external):
if external:
reload_module(module)
with __nested(patch_internal(n) for n in internal):
return fn(master_mock, *args, **kwargs)
finally:
if external:
reload_module(module)
return wrapper
return decorator
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module, external=(), internal=()):\n external = tuple(external)\n internal = tuple(internal)\n\n def x(fn):\n\n @wraps(fn)\n def x(*args... |
def x(cls, description='', message=''):
instance = cls()
instance.revision_id = make_hash_id()
instance.release_date = datetime.datetime.now()
if len(description) > 0:
instance.description = description
if len(message) > 0:
instance.message = message
return instance
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, description='', message=''):\n instance = cls()\n instance.revision_id = make_hash_id()\n instance.release_date = datetime.datetime.now()\n if... |
def x(self, rev_string):
elements = rev_string.split(MESSAGE_LINE_SEPARATOR)
heading = elements[0]
heading_elements = heading.split(' ')
self.revision_id = heading_elements[2]
datetime_str = '{} {}'.format(heading_elements[0], heading_elements[1])
self.release_date = datetime.datetime.strptime(datetime_str,
DATETIME_FORMAT)
self.description = elements[1]
self.message = elements[2]
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rev_string):\n elements = rev_string.split(MESSAGE_LINE_SEPARATOR)\n heading = elements[0]\n heading_elements = heading.split(' ')\n self.rev... |
def x(self):
return '## {} {}\n\n{}\n\n{}\n\n'.format(self.release_date.strftime(
DATETIME_FORMAT), self.revision_id, self.description, self.message)
| to_markdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '## {} {}\\n\\n{}\\n\\n{}\\n\\n'.format(self.release_date.strftime(\n DATETIME_FORMAT), self.revision_id, self.description, self.mess... |
def x(curve, test_x, round_result=False):
index = 0
for index in range(len(curve) - 1):
if curve[index][0] == curve[index + 1][0]:
continue
if curve[index][0] <= test_x <= curve[index + 1][0]:
slope = (curve[index + 1][1] - curve[index][1]) / (curve[index +
1][0] - curve[index][0])
y_intercept = curve[index][1] - slope * curve[index][0]
result = slope * test_x + y_intercept
if round_result:
return int(round(result))
elif result.is_integer():
return int(result)
else:
return result
else:
raise ProbabilityUndefinedError
| linear_interp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curve, test_x, round_result=False):\n index = 0\n for index in range(len(curve) - 1):\n if curve[index][0] == curve[index + 1][0]:\n co... |
def x(value, minimum, maximum):
if maximum < minimum:
raise ValueError
if value < minimum:
return minimum
elif value > maximum:
return maximum
else:
return value
| clamp_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, minimum, maximum):\n if maximum < minimum:\n raise ValueError\n if value < minimum:\n return minimum\n elif value > maximum:\n ... |
def x(x, mean, variance):
e_power = -1 * ((x - mean) ** 2 / (2 * variance))
return 1 / math.sqrt(2 * variance * math.pi) * math.e ** e_power
| normal_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, mean, variance):\n e_power = -1 * ((x - mean) ** 2 / (2 * variance))\n return 1 / math.sqrt(2 * variance * math.pi) * math.e ** e_power\n",
"role"... |
def x(value):
return isinstance(value, list) and len(value) > 1 and all(isinstance(
opt, tuple) and len(opt) == 2 and isinstance(opt[1], (int, float)) for
opt in value)
| is_valid_options_weights_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n return isinstance(value, list) and len(value) > 1 and all(isinstance(\n opt, tuple) and len(opt) == 2 and isinstance(opt[1], (int, float)) ... |
def x(weights, minimum=None, maximum=None):
bounded_weights = weights[:]
if minimum is not None and maximum is not None:
if maximum < minimum:
raise ValueError
bounded_weights = [bw for bw in bounded_weights if minimum <= bw[0] <=
maximum]
elif minimum is not None:
bounded_weights = [bw for bw in bounded_weights if minimum <= bw[0]]
elif maximum is not None:
bounded_weights = [bw for bw in bounded_weights if bw[0] <= maximum]
else:
return bounded_weights
if bounded_weights[0][0] > weights[0][0] and bounded_weights[0][0
] != minimum:
bounded_weights.insert(0, (minimum, _linear_interp(weights, minimum)))
if bounded_weights[-1][0] < weights[-1][0] and bounded_weights[-1][0
] != maximum:
bounded_weights.append((maximum, _linear_interp(weights, maximum)))
return bounded_weights
| bound_weights | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights, minimum=None, maximum=None):\n bounded_weights = weights[:]\n if minimum is not None and maximum is not None:\n if maximum < minimum:\n ... |
def x(mean, variance, minimum=None, maximum=None, weight_count=23):
standard_deviation = math.sqrt(variance)
min_x = standard_deviation * -5 + mean
max_x = standard_deviation * 5 + mean
step = (max_x - min_x) / weight_count
current_x = min_x
weights = []
while current_x < max_x:
weights.append((current_x, _normal_function(current_x, mean, variance))
)
current_x += step
if minimum is not None or maximum is not None:
return bound_weights(weights, minimum, maximum)
else:
return weights
| normal_distribution | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mean, variance, minimum=None, maximum=None, weight_count=23):\n standard_deviation = math.sqrt(variance)\n min_x = standard_deviation * -5 + mean\n ma... |
def x(weights, round_result=False):
if len(weights) == 1:
return weights[0][0]
weights = sorted(weights, key=lambda w: w[0])
x_min = weights[0][0]
x_max = weights[-1][0]
y_min = 0
y_max = max([point[1] for point in weights])
attempt_count = 0
while attempt_count < 500000:
sample = random.uniform(x_min, x_max), random.uniform(y_min, y_max)
if _point_under_curve(weights, sample):
if round_result:
return int(round(sample[0]))
else:
return sample[0]
attempt_count += 1
else:
warnings.warn(
'Point not being found in weighted_rand() after 500000 attempts, defaulting to a random weight point. If this happens often, it is probably a bug.'
)
return random.choice(weights)[0]
| weighted_rand | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights, round_result=False):\n if len(weights) == 1:\n return weights[0][0]\n weights = sorted(weights, key=lambda w: w[0])\n x_min = weights[... |
def x(weights, as_index_and_value_tuple=False):
if not len(weights):
raise ValueError('List passed to weighted_choice() cannot be empty.')
prob_sum = sum(w[1] for w in weights)
if prob_sum <= 0:
raise ProbabilityUndefinedError(
'No item weights in weighted_choice() are greater than 0. Probability distribution is undefined.'
)
sample = random.uniform(0, prob_sum)
current_pos = 0
i = 0
while i < len(weights):
if current_pos <= sample <= current_pos + weights[i][1]:
if as_index_and_value_tuple:
return i, weights[i][0]
else:
return weights[i][0]
current_pos += weights[i][1]
i += 1
else:
raise AssertionError(
'Something went wrong in weighted_choice(). Please submit a bug report!'
)
| weighted_choice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights, as_index_and_value_tuple=False):\n if not len(weights):\n raise ValueError('List passed to weighted_choice() cannot be empty.')\n prob_su... |
def x(weights):
if not len(weights):
return []
if any(w[1] <= 0 for w in weights):
raise ProbabilityUndefinedError(
'All weight values must be greater than 0.')
working_list = weights[:]
output_list = []
while working_list:
picked_item = weighted_choice(working_list,
as_index_and_value_tuple=True)
output_list.append(picked_item[1])
del working_list[picked_item[0]]
return output_list
| weighted_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weights):\n if not len(weights):\n return []\n if any(w[1] <= 0 for w in weights):\n raise ProbabilityUndefinedError(\n 'All wei... |
def x(cls, text, mode='c'):
if mode == 'c':
return [ch for ch in text]
else:
return [w for w in text.split()]
| tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, text, mode='c'):\n if mode == 'c':\n return [ch for ch in text]\n else:\n return [w for w in text.split()]\n",
"role": "user"
},... |
def x(self, result):
probs = result['all_probs']
probs.sort()
return float(probs[1] - probs[0]) / float(probs[-1] - probs[0])
| karbasa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result):\n probs = result['all_probs']\n probs.sort()\n return float(probs[1] - probs[0]) / float(probs[-1] - probs[0])\n",
"role": "user"
... |
def x(self, text=u''):
result = self.calculate(doc_terms=self.tokenize(text))
return result['calc_id'], self.karbasa(result)
| classify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text=u''):\n result = self.calculate(doc_terms=self.tokenize(text))\n return result['calc_id'], self.karbasa(result)\n",
"role": "user"
},
... |
def x(cls, word):
if word.startswith('@'):
return True
elif word.startswith('http://'):
return True
elif word.startswith('https://'):
return True
else:
return False
| is_mention_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, word):\n if word.startswith('@'):\n return True\n elif word.startswith('http://'):\n return True\n elif word.startswith('https://')... |
def x(self, text):
new_text = [word for word in text.split() if not self.is_mention_line(word)
]
return u' '.join(new_text)
| strip_mentions_links | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n new_text = [word for word in text.split() if not self.is_mention_line(word)\n ]\n return u' '.join(new_text)\n",
"role": "user"... |
def x(self, text):
text = text.lower()
text = unicodedata.normalize('NFC', text)
text = self.strip_mentions_links(text)
return text
| normalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n text = text.lower()\n text = unicodedata.normalize('NFC', text)\n text = self.strip_mentions_links(text)\n return text\n",
"role... |
def x(self, raw_data):
data = json.loads(raw_data)
message_type = data['meta'].get('type')
prepare_method = 'prepare_%s' % message_type
args = getattr(self, prepare_method, self.prepare_fallback)(data.get(
'data'))
method_name = 'on_%s' % (message_type,)
func = getattr(self, method_name, self.on_fallback)
func(*args, meta=StreamingMeta.from_response_data(data.get('meta'),
self.api))
| on_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_data):\n data = json.loads(raw_data)\n message_type = data['meta'].get('type')\n prepare_method = 'prepare_%s' % message_type\n args = ge... |
def x(self):
for dep in self.subgraph.successors(self.address):
dep_rule = self.subgraph.node[dep]['target_obj']
for out_file in dep_rule.output_files:
yield out_file
| output_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dep in self.subgraph.successors(self.address):\n dep_rule = self.subgraph.node[dep]['target_obj']\n for out_file in dep_rule.outp... |
async def write_request(self, method: constants.HttpRequestMethod, *, uri:
str='/', authority: Optional[str]=None, scheme: Optional[str]=None,
headers: Optional[_HeaderType]=None) ->'writers.HttpRequestWriter':
"""
Send next request to the server.
"""
return await self._delegate.write_request(method, uri=uri, authority=
authority, scheme=scheme, headers=headers)
| write_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def write_request(self, method: constants.HttpRequestMethod, *, uri:\n str='/', authority: Optional[str]=None, scheme: Optional[str]=None,\n headers: Opt... |
def x(time: datetime, glat: float, glon: float, alt_m: float) ->tuple:
time = totime(time)
obs = EarthLocation(lat=glat * u.deg, lon=glon * u.deg, height=alt_m * u.m)
times = Time(time, scale='ut1')
sun = get_sun(times)
sunobs = sun.transform_to(AltAz(obstime=times, location=obs))
return 90 - sunobs.alt.degree, sun, sunobs
| solarzenithangle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time: datetime, glat: float, glon: float, alt_m: float) ->tuple:\n time = totime(time)\n obs = EarthLocation(lat=glat * u.deg, lon=glon * u.deg, height=a... |
def x(self):
for feature, info in self.constraints.items():
self._check_feature(feature, info, 'before')
self._check_feature(feature, info, 'after')
self._check_position(feature, info)
return not self.has_errors()
| check_order | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for feature, info in self.constraints.items():\n self._check_feature(feature, info, 'before')\n self._check_feature(feature, info, 'a... |
def x(self, feature, info, mode):
op = dict(before=operator.gt, after=operator.lt)[mode]
feature_pos = self.get_feature_position(feature)
if feature_pos is not None:
for other in info.get(mode, []):
other_pos = self.get_feature_position(other)
if other_pos is not None:
if op(feature_pos, other_pos):
message = (
"{feature} (pos {feature_pos}) must be {mode} feature {other} (pos {other_pos}) but isn't."
.format(feature=feature, feature_pos=feature_pos,
other=other, other_pos=other_pos, mode=mode.upper()))
self.violations.append((feature, message))
| check_feature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature, info, mode):\n op = dict(before=operator.gt, after=operator.lt)[mode]\n feature_pos = self.get_feature_position(feature)\n if feature_p... |
def x(self, feature, info):
pos = info.get('position')
if pos is not None:
feature_pos = self.get_feature_position(feature)
if feature_pos is not None:
if feature_pos != pos:
message = (
'{feature} has a forced position on ({pos}) but is on position {feature_pos}.'
.format(feature=feature, pos=pos, feature_pos=feature_pos))
self.violations.append((feature, message))
| check_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature, info):\n pos = info.get('position')\n if pos is not None:\n feature_pos = self.get_feature_position(feature)\n if feature_po... |
def x(self, action, key_mapper=mappers._report_key_mapper):
_top_level = [k for k, v in self.report.items() if not isinstance(v, dict)]
_nested_level = [k for k, v in self.report.items() if isinstance(v, dict)]
top_level_dict = {}
nested_levels_dict = {}
for key in _top_level:
try:
if key == 'date' or key == 'timestamp':
item = mappers._key_type_mapper[key](str(self.report[key]),
**{'ignoretz': True})
else:
item = mappers._key_type_mapper[key](str(self.report[key]) if
key != 'draft' else self.report[key])
except KeyError:
item = self.report[key]
finally:
try:
top_level_dict[key_mapper[key]] = item
except KeyError:
warnings.warn(
"""
{0} is not currently supported by datums and will be ignored.
Would you consider submitting an issue to add support?
https://www.github.com/thejunglejane/datums/issues
"""
.format(key))
for key in _nested_level:
nested_levels_dict[key] = self.report[key]
nested_levels_dict[key]['reportUniqueIdentifier'
] = mappers._key_type_mapper['uniqueIdentifier'](str(self.
report['uniqueIdentifier']))
if key == 'placemark':
nested_levels_dict[key]['locationUniqueIdentifier'
] = nested_levels_dict[key].pop('reportUniqueIdentifier')
if 'uniqueIdentifier' not in nested_levels_dict[key]:
if action.__func__.func_name == 'get_or_create':
nested_levels_dict[key]['uniqueIdentifier'] = uuid.uuid4()
else:
del nested_levels_dict[key]
warnings.warn(
"""
No uniqueIdentifier found for AltitudeReport in {0}.
Existing altitude report will not be updated.
"""
.format(self.report['uniqueIdentifier']))
return top_level_dict, nested_levels_dict
| report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action, key_mapper=mappers._report_key_mapper):\n _top_level = [k for k, v in self.report.items() if not isinstance(v, dict)]\n _nested_level = [k ... |
def x(path_file, callback):
try:
with open(path_file, 'r+', encoding='utf-8') as f:
content = callback(f.read())
f.seek(0)
f.write(content)
f.truncate()
except Exception as e:
raise Exception(
'unable to minify file %(file)s, exception was %(exception)r' %
{'file': path_file, 'exception': e})
| write_to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_file, callback):\n try:\n with open(path_file, 'r+', encoding='utf-8') as f:\n content = callback(f.read())\n f.seek(0)\n ... |
def x(self, other):
if self.is_empty() or other.is_empty():
return True
if self.bounds[0] < other.bounds[0]:
i1, i2 = self, other
elif self.bounds[0] > other.bounds[0]:
i2, i1 = self, other
elif self.is_discrete() and not other.included[0]:
return True
elif other.is_discrete() and not self.included[0]:
return True
else:
return False
return not i2.bounds[0] in i1
| is_disjoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if self.is_empty() or other.is_empty():\n return True\n if self.bounds[0] < other.bounds[0]:\n i1, i2 = self, other\n el... |
def x(self, other):
if self.bounds[0] < other.bounds[0]:
i1, i2 = self, other
else:
i2, i1 = self, other
if self.is_disjoint(other):
return Interval((1, 0), (True, True))
bounds = [None, None]
included = [None, None]
bounds[0] = i2.bounds[0]
included[0] = i2.included[0]
if i2.bounds[1] in i1:
bounds[1] = i2.bounds[1]
included[1] = i2.included[1]
else:
bounds[1] = i1.bounds[1]
included[1] = i1.included[1]
return Interval(bounds, included)
| intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if self.bounds[0] < other.bounds[0]:\n i1, i2 = self, other\n else:\n i2, i1 = self, other\n if self.is_disjoint(other):... |
def x(self):
if self.bounds[1] < self.bounds[0]:
return True
if self.bounds[1] == self.bounds[0]:
return not (self.included[0] and self.included[1])
| is_empty | [
{
"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.bounds[1] < self.bounds[0]:\n return True\n if self.bounds[1] == self.bounds[0]:\n return not (self.included[0] and self.i... |
def x(self):
return self.bounds[1] == self.bounds[0] and self.included == (True, True)
| is_discrete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.bounds[1] == self.bounds[0] and self.included == (True, True)\n",
"role": "user"
},
{
"content": "is_discrete",
"role":... |
def x(self):
if not self.is_discrete():
raise ValueError('non-discrete IntervalSet can not be iterated')
for i in self.ints:
yield i.get_point()
| iter_members | [
{
"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.is_discrete():\n raise ValueError('non-discrete IntervalSet can not be iterated')\n for i in self.ints:\n yield i.get_... |
def x(self, other):
res = []
for i1 in self.ints:
for i2 in other.ints:
res.append(i1.intersection(i2))
return IntervalSet(res)
| intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n res = []\n for i1 in self.ints:\n for i2 in other.ints:\n res.append(i1.intersection(i2))\n return IntervalSet(res)\... |
def x(self, other):
res = IntervalSet.everything()
for j in other.ints:
tmp = []
for i in self.ints:
tmp.extend(i._difference(j))
res = res.intersection(IntervalSet(tmp))
return res
| difference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n res = IntervalSet.everything()\n for j in other.ints:\n tmp = []\n for i in self.ints:\n tmp.extend(i._differenc... |
def x(self, other):
if self.everything:
if other.everything:
return DiscreteSet()
else:
return DiscreteSet(other.elements)
elif other.everything:
return DiscreteSet(self.elements)
else:
return DiscreteSet(self.elements.intersection(other.elements))
| intersection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if self.everything:\n if other.everything:\n return DiscreteSet()\n else:\n return DiscreteSet(other.ele... |
def x(self, other):
if self.everything:
raise ValueError('Can not remove from everything')
elif other.everything:
return DiscreteSet([])
else:
return DiscreteSet(self.elements.difference(other.elements))
| difference | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if self.everything:\n raise ValueError('Can not remove from everything')\n elif other.everything:\n return DiscreteSet([])\... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.