source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(nb_threads, suffix='', decimals=1, length=15, fill='█'):
string = ''
for k in range(nb_threads):
try:
threads_state = eval(read_file('threads_state_%s' % str(k)))
except SyntaxError:
time.sleep(0.001)
try:
threads_state = eval(read_file('threads_state_%s' % str(k)))
except SyntaxError:
pass
iteration = threads_state['iteration']
total = threads_state['total']
percent = ('{0:.' + str(decimals) + 'f}').format(100 * (iteration /
float(total)))
prefix = 'Thread %s :' % str(k)
string = string + '%s %s%% ' % (prefix, percent)
print(string + ' ' + suffix)
|
print_progress_bar_multi_threads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nb_threads, suffix='', decimals=1, length=15, fill='█'):\n string = ''\n for k in range(nb_threads):\n try:\n threads_state = eval(read_file('threads_state_%s' % str(k)))\n except SyntaxError:\n time.sleep(0.001)\n try:\n threads_state = eval(read_file('threads_state_%s' % str(k)))\n except SyntaxError:\n pass\n iteration = threads_state['iteration']\n total = threads_state['total']\n percent = ('{0:.' + str(decimals) + 'f}').format(100 * (iteration /\n float(total)))\n prefix = 'Thread %s :' % str(k)\n string = string + '%s %s%% ' % (prefix, percent)\n print(string + ' ' + suffix)\n",
"role": "user"
},
{
"content": "print_progress_bar_multi_threads",
"role": "assistant"
}
] |
def x(target):
log.info('Uploading to pypi server <33>{}'.format(target))
with conf.within_proj_dir():
shell.run('python setup.py sdist register -r "{}"'.format(target))
shell.run('python setup.py sdist upload -r "{}"'.format(target))
|
upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target):\n log.info('Uploading to pypi server <33>{}'.format(target))\n with conf.within_proj_dir():\n shell.run('python setup.py sdist register -r \"{}\"'.format(target))\n shell.run('python setup.py sdist upload -r \"{}\"'.format(target))\n",
"role": "user"
},
{
"content": "upload",
"role": "assistant"
}
] |
def x(username=None, password=None):
path = join(conf.getenv('HOME'), '.pypirc')
username = username or conf.getenv('PYPI_USER', None)
password = password or conf.getenv('PYPI_PASS', None)
if username is None or password is None:
log.err('You must provide $PYPI_USER and $PYPI_PASS')
sys.exit(1)
log.info('Generating <94>{}'.format(path))
fs.write_file(path, util.remove_indent(
"""
[distutils]
index-servers = pypi
[pypi]
repository: https://upload.pypi.org/legacy/
username: {username}
password: {password}
"""
.format(username=username, password=password)))
|
gen_pypirc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username=None, password=None):\n path = join(conf.getenv('HOME'), '.pypirc')\n username = username or conf.getenv('PYPI_USER', None)\n password = password or conf.getenv('PYPI_PASS', None)\n if username is None or password is None:\n log.err('You must provide $PYPI_USER and $PYPI_PASS')\n sys.exit(1)\n log.info('Generating <94>{}'.format(path))\n fs.write_file(path, util.remove_indent(\n \"\"\"\n [distutils]\n index-servers = pypi\n \n [pypi]\n repository: https://upload.pypi.org/legacy/\n username: {username}\n password: {password}\n \n \"\"\"\n .format(username=username, password=password)))\n",
"role": "user"
},
{
"content": "gen_pypirc",
"role": "assistant"
}
] |
def x(filename, directory=None):
if directory is None:
directory = utils.get_undecorated_calling_module()
if os.getcwd() not in ['/output']:
directory = directory[len(os.getcwd()) + 1:]
file_path = os.path.join(directory, filename)
if os.path.isfile(file_path + '.sdf.gz'):
return file_path + '.sdf.gz'
elif os.path.isfile(file_path + '.sdf'):
return file_path + '.sdf'
return None
|
pick_sdf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, directory=None):\n if directory is None:\n directory = utils.get_undecorated_calling_module()\n if os.getcwd() not in ['/output']:\n directory = directory[len(os.getcwd()) + 1:]\n file_path = os.path.join(directory, filename)\n if os.path.isfile(file_path + '.sdf.gz'):\n return file_path + '.sdf.gz'\n elif os.path.isfile(file_path + '.sdf'):\n return file_path + '.sdf'\n return None\n",
"role": "user"
},
{
"content": "pick_sdf",
"role": "assistant"
}
] |
def x():
log = logging.getLogger(mod_logger + '.main')
parser = argparse.ArgumentParser(description=
'This Python module allows sending Slack messages.')
parser.add_argument('-u', '--url', help='Slack webhook URL', required=True)
parser.add_argument('-t', '--text', help='Text of the message',
required=True)
parser.add_argument('-n', '--channel', help='Slack channel', required=True)
parser.add_argument('-i', '--icon', help='URL for the Slack icon',
required=False)
parser.add_argument('-c', '--color', help='Color of the Slack post',
required=False)
parser.add_argument('-a', '--attachment', help=
'Text for the Slack Attachment', required=False)
parser.add_argument('-p', '--pretext', help=
'Pretext for the Slack attachment', required=False)
args = parser.parse_args()
try:
slack_msg = SlackMessage(args.url, channel=args.channel, icon_url=
args.icon, text=args.text)
except ValueError as e:
msg = 'Unable to create slack message\n{ex}'.format(ex=e)
log.error(msg)
print(msg)
return
if args.attachment:
try:
slack_att = SlackAttachment(fallback=args.attachment, color=
args.color, pretext=args.pretext, text=args.attachment)
except ValueError:
_, ex, trace = sys.exc_info()
log.error('Unable to create slack attachment\n{e}'.format(e=str
(ex)))
return
slack_msg.add_attachment(slack_att)
try:
slack_msg.send()
except (TypeError, ValueError, IOError):
_, ex, trace = sys.exc_info()
log.error('Unable to send Slack message\n{e}'.format(e=str(ex)))
return
log.debug('Your message has been Slacked successfully!')
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.main')\n parser = argparse.ArgumentParser(description=\n 'This Python module allows sending Slack messages.')\n parser.add_argument('-u', '--url', help='Slack webhook URL', required=True)\n parser.add_argument('-t', '--text', help='Text of the message',\n required=True)\n parser.add_argument('-n', '--channel', help='Slack channel', required=True)\n parser.add_argument('-i', '--icon', help='URL for the Slack icon',\n required=False)\n parser.add_argument('-c', '--color', help='Color of the Slack post',\n required=False)\n parser.add_argument('-a', '--attachment', help=\n 'Text for the Slack Attachment', required=False)\n parser.add_argument('-p', '--pretext', help=\n 'Pretext for the Slack attachment', required=False)\n args = parser.parse_args()\n try:\n slack_msg = SlackMessage(args.url, channel=args.channel, icon_url=\n args.icon, text=args.text)\n except ValueError as e:\n msg = 'Unable to create slack message\\n{ex}'.format(ex=e)\n log.error(msg)\n print(msg)\n return\n if args.attachment:\n try:\n slack_att = SlackAttachment(fallback=args.attachment, color=\n args.color, pretext=args.pretext, text=args.attachment)\n except ValueError:\n _, ex, trace = sys.exc_info()\n log.error('Unable to create slack attachment\\n{e}'.format(e=str\n (ex)))\n return\n slack_msg.add_attachment(slack_att)\n try:\n slack_msg.send()\n except (TypeError, ValueError, IOError):\n _, ex, trace = sys.exc_info()\n log.error('Unable to send Slack message\\n{e}'.format(e=str(ex)))\n return\n log.debug('Your message has been Slacked successfully!')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, text):
log = logging.getLogger(self.cls_logger + '.set_text')
if not isinstance(text, basestring):
msg = 'text arg must be a string'
log.error(msg)
raise ValueError(msg)
self.payload['text'] = text
log.debug('Set message text to: {t}'.format(t=text))
|
set_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n log = logging.getLogger(self.cls_logger + '.set_text')\n if not isinstance(text, basestring):\n msg = 'text arg must be a string'\n log.error(msg)\n raise ValueError(msg)\n self.payload['text'] = text\n log.debug('Set message text to: {t}'.format(t=text))\n",
"role": "user"
},
{
"content": "set_text",
"role": "assistant"
}
] |
def x(self, icon_url):
log = logging.getLogger(self.cls_logger + '.set_icon')
if not isinstance(icon_url, basestring):
msg = 'icon_url arg must be a string'
log.error(msg)
raise ValueError(msg)
self.payload['icon_url'] = icon_url
log.debug('Set Icon URL to: {u}'.format(u=icon_url))
|
set_icon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, icon_url):\n log = logging.getLogger(self.cls_logger + '.set_icon')\n if not isinstance(icon_url, basestring):\n msg = 'icon_url arg must be a string'\n log.error(msg)\n raise ValueError(msg)\n self.payload['icon_url'] = icon_url\n log.debug('Set Icon URL to: {u}'.format(u=icon_url))\n",
"role": "user"
},
{
"content": "set_icon",
"role": "assistant"
}
] |
def x(self, attachment):
log = logging.getLogger(self.cls_logger + '.add_attachment')
if not isinstance(attachment, SlackAttachment):
msg = 'attachment must be of type: SlackAttachment'
log.error(msg)
raise ValueError(msg)
self.attachments.append(attachment.attachment)
log.debug('Added attachment: {a}'.format(a=attachment))
|
add_attachment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attachment):\n log = logging.getLogger(self.cls_logger + '.add_attachment')\n if not isinstance(attachment, SlackAttachment):\n msg = 'attachment must be of type: SlackAttachment'\n log.error(msg)\n raise ValueError(msg)\n self.attachments.append(attachment.attachment)\n log.debug('Added attachment: {a}'.format(a=attachment))\n",
"role": "user"
},
{
"content": "add_attachment",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.send_cons3rt_agent_logs')
log.debug('Searching for log files in directory: {d}'.format(d=self.dep
.cons3rt_agent_log_dir))
for item in os.listdir(self.dep.cons3rt_agent_log_dir):
item_path = os.path.join(self.dep.cons3rt_agent_log_dir, item)
if os.path.isfile(item_path):
log.debug(
'Adding slack attachment with cons3rt agent log file: {f}'.
format(f=item_path))
try:
with open(item_path, 'r') as f:
file_text = f.read()
except (IOError, OSError) as e:
log.warn('There was a problem opening file: {f}\n{e}'.
format(f=item_path, e=e))
continue
file_text_trimmed = file_text[-7000:]
attachment = SlackAttachment(fallback=file_text_trimmed, text=
file_text_trimmed, color='#9400D3')
self.add_attachment(attachment)
self.send()
|
send_cons3rt_agent_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.send_cons3rt_agent_logs')\n log.debug('Searching for log files in directory: {d}'.format(d=self.dep\n .cons3rt_agent_log_dir))\n for item in os.listdir(self.dep.cons3rt_agent_log_dir):\n item_path = os.path.join(self.dep.cons3rt_agent_log_dir, item)\n if os.path.isfile(item_path):\n log.debug(\n 'Adding slack attachment with cons3rt agent log file: {f}'.\n format(f=item_path))\n try:\n with open(item_path, 'r') as f:\n file_text = f.read()\n except (IOError, OSError) as e:\n log.warn('There was a problem opening file: {f}\\n{e}'.\n format(f=item_path, e=e))\n continue\n file_text_trimmed = file_text[-7000:]\n attachment = SlackAttachment(fallback=file_text_trimmed, text=\n file_text_trimmed, color='#9400D3')\n self.add_attachment(attachment)\n self.send()\n",
"role": "user"
},
{
"content": "send_cons3rt_agent_logs",
"role": "assistant"
}
] |
def x(project, version, promote, quiet):
from . import logic
logic.deploy(project, version, promote, quiet)
|
deploy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project, version, promote, quiet):\n from . import logic\n logic.deploy(project, version, promote, quiet)\n",
"role": "user"
},
{
"content": "deploy",
"role": "assistant"
}
] |
def x(port, admin_port, clear):
from . import logic
logic.devserver(port, admin_port, clear)
|
devserver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(port, admin_port, clear):\n from . import logic\n logic.devserver(port, admin_port, clear)\n",
"role": "user"
},
{
"content": "devserver",
"role": "assistant"
}
] |
def x(spec, sig):
sig = sig.clip(0.01)
p = int(np.ceil(np.max(3 * sig)))
m = 2 * p + 1
x2 = np.linspace(-p, p, m) ** 2
n = spec.size
a = np.zeros((m, n))
for j in range(m):
indices = n - m + j + 1
a[j, :] = spec
a[j, p:-p] = spec[j:n - m + j + 1]
gau = np.exp(-x2[:, None] / (2 * sig ** 2))
gau /= np.sum(gau, 0)[None, :]
conv_spectrum = np.sum(a * gau, 0)
return conv_spectrum
|
gaussian_filter1d_ppxf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spec, sig):\n sig = sig.clip(0.01)\n p = int(np.ceil(np.max(3 * sig)))\n m = 2 * p + 1\n x2 = np.linspace(-p, p, m) ** 2\n n = spec.size\n a = np.zeros((m, n))\n for j in range(m):\n indices = n - m + j + 1\n a[j, :] = spec\n a[j, p:-p] = spec[j:n - m + j + 1]\n gau = np.exp(-x2[:, None] / (2 * sig ** 2))\n gau /= np.sum(gau, 0)[None, :]\n conv_spectrum = np.sum(a * gau, 0)\n return conv_spectrum\n",
"role": "user"
},
{
"content": "gaussian_filter1d_ppxf",
"role": "assistant"
}
] |
def x(self, step):
for plugin in self.plugins:
try:
getattr(plugin, step)()
except AttributeError:
self.logger.debug("{} doesn't exist on plugin {}".format(step,
plugin))
except TypeError:
self.logger.debug('{} on plugin {} is not callable'.format(step,
plugin))
|
call_plugins
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, step):\n for plugin in self.plugins:\n try:\n getattr(plugin, step)()\n except AttributeError:\n self.logger.debug(\"{} doesn't exist on plugin {}\".format(step,\n plugin))\n except TypeError:\n self.logger.debug('{} on plugin {} is not callable'.format(step,\n plugin))\n",
"role": "user"
},
{
"content": "call_plugins",
"role": "assistant"
}
] |
def x(self):
self.call_plugins('on_run')
if vars(self.arguments).get('version', None):
self.logger.info('{app_name}: {version}'.format(app_name=self.
app_name, version=self.version))
elif self.arguments.command == 'main':
self.main()
else:
self.subcommands[self.arguments.command].run()
self.call_plugins('on_end')
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.call_plugins('on_run')\n if vars(self.arguments).get('version', None):\n self.logger.info('{app_name}: {version}'.format(app_name=self.\n app_name, version=self.version))\n elif self.arguments.command == 'main':\n self.main()\n else:\n self.subcommands[self.arguments.command].run()\n self.call_plugins('on_end')\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(fn):
def x(ctx, param, value):
from peltak.core import context
from peltak.core import shell
context.set('pretend', value or False)
if value:
shell.cprint('<90>{}', _pretend_msg())
return click.option('--pretend', is_flag=True, help=
'Do not actually do anything, just print shell commands thatwould be executed.'
, expose_value=False, callback=set_pretend)(fn)
|
pretend_option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n\n def x(ctx, param, value):\n from peltak.core import context\n from peltak.core import shell\n context.set('pretend', value or False)\n if value:\n shell.cprint('<90>{}', _pretend_msg())\n return click.option('--pretend', is_flag=True, help=\n 'Do not actually do anything, just print shell commands thatwould be executed.'\n , expose_value=False, callback=set_pretend)(fn)\n",
"role": "user"
},
{
"content": "pretend_option",
"role": "assistant"
}
] |
def x(fn):
def x(ctx, param, value):
from peltak.core import context
context.set('verbose', value or 0)
return click.option('-v', '--verbose', is_flag=True, expose_value=False,
callback=set_verbose, help=
'Be verbose. Can specify multiple times for more verbosity.')(fn)
|
verbose_option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n\n def x(ctx, param, value):\n from peltak.core import context\n context.set('verbose', value or 0)\n return click.option('-v', '--verbose', is_flag=True, expose_value=False,\n callback=set_verbose, help=\n 'Be verbose. Can specify multiple times for more verbosity.')(fn)\n",
"role": "user"
},
{
"content": "verbose_option",
"role": "assistant"
}
] |
def x():
versions = [x for x in git.tags() if versioning.is_valid(x[1:])]
cmd = 'git log --format=%H'
if versions:
cmd += ' {}..HEAD'.format(versions[-1])
hashes = shell.run(cmd, capture=True).stdout.strip().splitlines()
commits = [git.CommitDetails.get(h) for h in hashes]
tags = conf.get('changelog.tags', [{'header': 'Features', 'tag':
'feature'}, {'header': 'Changes', 'tag': 'change'}, {'header':
'Fixes', 'tag': 'fix'}])
results = OrderedDict((x['header'], []) for x in tags)
for commit in commits:
commit_items = extract_changelog_items(commit.desc, tags)
for header, items in commit_items.items():
results[header] += items
lines = ['<35>v{}<0>'.format(versioning.current()), '']
for header, items in results.items():
if items:
lines += ['', '<32>{}<0>'.format(header), '<32>{}<0>'.format(
'-' * len(header)), '']
for item_text in items:
item_lines = textwrap.wrap(item_text, 77)
lines += ['- {}'.format('\n '.join(item_lines))]
lines += ['']
return '\n'.join(lines)
|
changelog
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n versions = [x for x in git.tags() if versioning.is_valid(x[1:])]\n cmd = 'git log --format=%H'\n if versions:\n cmd += ' {}..HEAD'.format(versions[-1])\n hashes = shell.run(cmd, capture=True).stdout.strip().splitlines()\n commits = [git.CommitDetails.get(h) for h in hashes]\n tags = conf.get('changelog.tags', [{'header': 'Features', 'tag':\n 'feature'}, {'header': 'Changes', 'tag': 'change'}, {'header':\n 'Fixes', 'tag': 'fix'}])\n results = OrderedDict((x['header'], []) for x in tags)\n for commit in commits:\n commit_items = extract_changelog_items(commit.desc, tags)\n for header, items in commit_items.items():\n results[header] += items\n lines = ['<35>v{}<0>'.format(versioning.current()), '']\n for header, items in results.items():\n if items:\n lines += ['', '<32>{}<0>'.format(header), '<32>{}<0>'.format(\n '-' * len(header)), '']\n for item_text in items:\n item_lines = textwrap.wrap(item_text, 77)\n lines += ['- {}'.format('\\n '.join(item_lines))]\n lines += ['']\n return '\\n'.join(lines)\n",
"role": "user"
},
{
"content": "changelog",
"role": "assistant"
}
] |
def x(text, tags):
patterns = {x['header']: tag_re(x['tag']) for x in tags}
items = {x['header']: [] for x in tags}
curr_tag = None
curr_text = ''
for line in text.splitlines():
if not line.strip():
if curr_tag is not None:
items[curr_tag].append(curr_text)
curr_text = ''
curr_tag = None
for tag in tags:
m = patterns[tag['header']].match(line)
if m:
if curr_tag is not None:
items[curr_tag].append(curr_text)
curr_text = ''
curr_tag = tag['header']
line = m.group('text')
break
if curr_tag is not None:
curr_text = '{} {}'.format(curr_text.strip(), line.strip()).strip()
if curr_tag is not None:
items[curr_tag].append(curr_text)
return items
|
extract_changelog_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, tags):\n patterns = {x['header']: tag_re(x['tag']) for x in tags}\n items = {x['header']: [] for x in tags}\n curr_tag = None\n curr_text = ''\n for line in text.splitlines():\n if not line.strip():\n if curr_tag is not None:\n items[curr_tag].append(curr_text)\n curr_text = ''\n curr_tag = None\n for tag in tags:\n m = patterns[tag['header']].match(line)\n if m:\n if curr_tag is not None:\n items[curr_tag].append(curr_text)\n curr_text = ''\n curr_tag = tag['header']\n line = m.group('text')\n break\n if curr_tag is not None:\n curr_text = '{} {}'.format(curr_text.strip(), line.strip()).strip()\n if curr_tag is not None:\n items[curr_tag].append(curr_text)\n return items\n",
"role": "user"
},
{
"content": "extract_changelog_items",
"role": "assistant"
}
] |
def x(mcs):
if mcs._generated_class is None:
mcs._generated_class = type(mcs._cls_name, tuple(mcs._base_classes),
{'_generated': True})
return mcs._generated_class
|
get_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs):\n if mcs._generated_class is None:\n mcs._generated_class = type(mcs._cls_name, tuple(mcs._base_classes),\n {'_generated': True})\n return mcs._generated_class\n",
"role": "user"
},
{
"content": "get_class",
"role": "assistant"
}
] |
def x(mcs, cls):
if getattr(mcs, '_base_classes_hash', None) is not None:
meta = getattr(cls, 'Meta', None)
_hash = getattr(meta, mcs._hashattr, None)
if _hash is None and cls not in mcs._get_base_classes():
mcs._base_classes.insert(0, cls)
mcs._generated_class = {}
elif _hash is not None and cls not in mcs._get_base_classes(_hash):
mcs._base_classes_hash[_hash].insert(0, cls)
mcs._generated_class[_hash] = None
|
add_base_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs, cls):\n if getattr(mcs, '_base_classes_hash', None) is not None:\n meta = getattr(cls, 'Meta', None)\n _hash = getattr(meta, mcs._hashattr, None)\n if _hash is None and cls not in mcs._get_base_classes():\n mcs._base_classes.insert(0, cls)\n mcs._generated_class = {}\n elif _hash is not None and cls not in mcs._get_base_classes(_hash):\n mcs._base_classes_hash[_hash].insert(0, cls)\n mcs._generated_class[_hash] = None\n",
"role": "user"
},
{
"content": "add_base_class",
"role": "assistant"
}
] |
def x(mcs, name, default=False):
if default is False and name not in mcs._base_classes_hash:
raise ValueError("There is no class registered for key '%s'" % name)
if mcs._generated_class.get(name, None) is None:
cls = type(mcs._cls_name, tuple(mcs._get_base_classes(name)), {
'_generated': True})
mcs._generated_class[name] = cls
return mcs._generated_class[name]
|
get_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs, name, default=False):\n if default is False and name not in mcs._base_classes_hash:\n raise ValueError(\"There is no class registered for key '%s'\" % name)\n if mcs._generated_class.get(name, None) is None:\n cls = type(mcs._cls_name, tuple(mcs._get_base_classes(name)), {\n '_generated': True})\n mcs._generated_class[name] = cls\n return mcs._generated_class[name]\n",
"role": "user"
},
{
"content": "get_class",
"role": "assistant"
}
] |
def x(mcs):
return [k for k, v in six.iteritems(mcs._base_classes_hash) if v]
|
get_registered_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mcs):\n return [k for k, v in six.iteritems(mcs._base_classes_hash) if v]\n",
"role": "user"
},
{
"content": "get_registered_names",
"role": "assistant"
}
] |
def x(t: datetime) ->int:
tn = t + timedelta(days=32)
tn = datetime(year=tn.year, month=tn.month, day=1)
tt = tn - timedelta(hours=1)
return tt.day
|
get_last_day_of_month
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t: datetime) ->int:\n tn = t + timedelta(days=32)\n tn = datetime(year=tn.year, month=tn.month, day=1)\n tt = tn - timedelta(hours=1)\n return tt.day\n",
"role": "user"
},
{
"content": "get_last_day_of_month",
"role": "assistant"
}
] |
def x(begin: datetime, end: datetime, tz=None) ->(datetime, datetime):
if not tz:
tz = pytz.utc
return tz.localize(begin), tz.localize(end)
|
localize_time_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(begin: datetime, end: datetime, tz=None) ->(datetime, datetime):\n if not tz:\n tz = pytz.utc\n return tz.localize(begin), tz.localize(end)\n",
"role": "user"
},
{
"content": "localize_time_range",
"role": "assistant"
}
] |
def x(today: datetime=None, tz=None):
if today is None:
today = datetime.utcnow()
begin = today - timedelta(days=today.weekday())
begin = datetime(year=begin.year, month=begin.month, day=begin.day)
return localize_time_range(begin, begin + timedelta(days=7), tz)
|
this_week
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n begin = today - timedelta(days=today.weekday())\n begin = datetime(year=begin.year, month=begin.month, day=begin.day)\n return localize_time_range(begin, begin + timedelta(days=7), tz)\n",
"role": "user"
},
{
"content": "this_week",
"role": "assistant"
}
] |
def x(today: datetime=None, tz=None):
if today is None:
today = datetime.utcnow()
begin = datetime(day=1, month=today.month, year=today.year)
end = begin + timedelta(days=32)
end = datetime(day=1, month=end.month, year=end.year)
return localize_time_range(begin, end, tz)
|
this_month
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n begin = datetime(day=1, month=today.month, year=today.year)\n end = begin + timedelta(days=32)\n end = datetime(day=1, month=end.month, year=end.year)\n return localize_time_range(begin, end, tz)\n",
"role": "user"
},
{
"content": "this_month",
"role": "assistant"
}
] |
def x(today: datetime=None, tz=None):
if today is None:
today = datetime.utcnow()
begin = datetime(day=1, month=today.month, year=today.year)
next_mo = begin + timedelta(days=32)
begin = datetime(day=1, month=next_mo.month, year=next_mo.year)
following_mo = begin + timedelta(days=32)
end = datetime(day=1, month=following_mo.month, year=following_mo.year)
return localize_time_range(begin, end, tz)
|
next_month
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n begin = datetime(day=1, month=today.month, year=today.year)\n next_mo = begin + timedelta(days=32)\n begin = datetime(day=1, month=next_mo.month, year=next_mo.year)\n following_mo = begin + timedelta(days=32)\n end = datetime(day=1, month=following_mo.month, year=following_mo.year)\n return localize_time_range(begin, end, tz)\n",
"role": "user"
},
{
"content": "next_month",
"role": "assistant"
}
] |
def x(today: datetime=None, tz=None):
if today is None:
today = datetime.utcnow()
end = datetime(day=1, month=1, year=today.year)
end_incl = end - timedelta(seconds=1)
begin = datetime(day=1, month=1, year=end_incl.year)
return localize_time_range(begin, end, tz)
|
last_year
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(today: datetime=None, tz=None):\n if today is None:\n today = datetime.utcnow()\n end = datetime(day=1, month=1, year=today.year)\n end_incl = end - timedelta(seconds=1)\n begin = datetime(day=1, month=1, year=end_incl.year)\n return localize_time_range(begin, end, tz)\n",
"role": "user"
},
{
"content": "last_year",
"role": "assistant"
}
] |
def x(t: datetime, n: int=1) ->datetime:
t2 = t
for count in range(abs(n)):
if n > 0:
t2 = datetime(year=t2.year, month=t2.month, day=1) + timedelta(days
=32)
else:
t2 = datetime(year=t2.year, month=t2.month, day=1) - timedelta(days
=2)
try:
t2 = t.replace(year=t2.year, month=t2.month)
except Exception:
first, last = monthrange(t2.year, t2.month)
t2 = t.replace(year=t2.year, month=t2.month, day=last)
return t2
|
add_month
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t: datetime, n: int=1) ->datetime:\n t2 = t\n for count in range(abs(n)):\n if n > 0:\n t2 = datetime(year=t2.year, month=t2.month, day=1) + timedelta(days\n =32)\n else:\n t2 = datetime(year=t2.year, month=t2.month, day=1) - timedelta(days\n =2)\n try:\n t2 = t.replace(year=t2.year, month=t2.month)\n except Exception:\n first, last = monthrange(t2.year, t2.month)\n t2 = t.replace(year=t2.year, month=t2.month, day=last)\n return t2\n",
"role": "user"
},
{
"content": "add_month",
"role": "assistant"
}
] |
def x(start: datetime, end: datetime, delta: timedelta):
curr = start
while curr < end:
curr_end = curr + delta
yield curr, curr_end
curr = curr_end
|
per_delta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start: datetime, end: datetime, delta: timedelta):\n curr = start\n while curr < end:\n curr_end = curr + delta\n yield curr, curr_end\n curr = curr_end\n",
"role": "user"
},
{
"content": "per_delta",
"role": "assistant"
}
] |
def x(start: datetime, end: datetime, n: int=1):
curr = start.replace(day=1, hour=0, minute=0, second=0, microsecond=0)
while curr < end:
curr_end = add_month(curr, n)
yield curr, curr_end
curr = curr_end
|
per_month
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start: datetime, end: datetime, n: int=1):\n curr = start.replace(day=1, hour=0, minute=0, second=0, microsecond=0)\n while curr < end:\n curr_end = add_month(curr, n)\n yield curr, curr_end\n curr = curr_end\n",
"role": "user"
},
{
"content": "per_month",
"role": "assistant"
}
] |
def x() ->List[str]:
requirements_path = os.path.join(os.path.dirname(__file__),
'requirements.txt')
with open(requirements_path) as f:
return f.read().split()
|
get_requirements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->List[str]:\n requirements_path = os.path.join(os.path.dirname(__file__),\n 'requirements.txt')\n with open(requirements_path) as f:\n return f.read().split()\n",
"role": "user"
},
{
"content": "get_requirements",
"role": "assistant"
}
] |
def x():
from peltak.core import conf
from peltak.core import shell
for dep in sorted(conf.requirements):
shell.cprint(dep)
|
project_dev_requirements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from peltak.core import conf\n from peltak.core import shell\n for dep in sorted(conf.requirements):\n shell.cprint(dep)\n",
"role": "user"
},
{
"content": "project_dev_requirements",
"role": "assistant"
}
] |
def x(method, called_params):
insp = inspect.getfullargspec(method)
if not isinstance(called_params, dict):
raise UserWarning()
_called_params = called_params.copy()
params = {}
arg_count = len(insp.args)
arg_def_count = len(insp.defaults) if insp.defaults is not None else 0
for i in range(arg_count):
arg = insp.args[i]
if i == 0 and isinstance(method, types.MethodType):
continue
if arg in _called_params:
params[arg] = _called_params.pop(arg)
elif i - arg_count + arg_def_count >= 0:
params[arg] = insp.defaults[i - arg_count + arg_def_count]
else:
raise TypeError('Argument "%s" not given' % arg)
for kwarg in insp.kwonlyargs:
if kwarg in _called_params:
params[kwarg] = _called_params.pop(kwarg)
elif kwarg in insp.kwonlydefaults:
params[kwarg] = insp.kwonlydefaults[kwarg]
else:
raise TypeError('Argument "%s" not given' % kwarg)
if insp.varkw is None:
if len(_called_params) > 0:
raise TypeError('Got unexpected parameter(s): %s' % ', '.join(
_called_params))
else:
params.update(_called_params)
return params
|
get_func_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, called_params):\n insp = inspect.getfullargspec(method)\n if not isinstance(called_params, dict):\n raise UserWarning()\n _called_params = called_params.copy()\n params = {}\n arg_count = len(insp.args)\n arg_def_count = len(insp.defaults) if insp.defaults is not None else 0\n for i in range(arg_count):\n arg = insp.args[i]\n if i == 0 and isinstance(method, types.MethodType):\n continue\n if arg in _called_params:\n params[arg] = _called_params.pop(arg)\n elif i - arg_count + arg_def_count >= 0:\n params[arg] = insp.defaults[i - arg_count + arg_def_count]\n else:\n raise TypeError('Argument \"%s\" not given' % arg)\n for kwarg in insp.kwonlyargs:\n if kwarg in _called_params:\n params[kwarg] = _called_params.pop(kwarg)\n elif kwarg in insp.kwonlydefaults:\n params[kwarg] = insp.kwonlydefaults[kwarg]\n else:\n raise TypeError('Argument \"%s\" not given' % kwarg)\n if insp.varkw is None:\n if len(_called_params) > 0:\n raise TypeError('Got unexpected parameter(s): %s' % ', '.join(\n _called_params))\n else:\n params.update(_called_params)\n return params\n",
"role": "user"
},
{
"content": "get_func_params",
"role": "assistant"
}
] |
def x(dsn, default_port=5432, protocol='http://'):
parsed = urlparse(protocol + dsn)
return [parsed.hostname or 'localhost', parsed.port or default_port,
unquote(parsed.username) if parsed.username is not None else
getuser(), unquote(parsed.password) if parsed.password is not None else
None, parsed.path.lstrip('/')]
|
parse_dsn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dsn, default_port=5432, protocol='http://'):\n parsed = urlparse(protocol + dsn)\n return [parsed.hostname or 'localhost', parsed.port or default_port, \n unquote(parsed.username) if parsed.username is not None else\n getuser(), unquote(parsed.password) if parsed.password is not None else\n None, parsed.path.lstrip('/')]\n",
"role": "user"
},
{
"content": "parse_dsn",
"role": "assistant"
}
] |
def x():
registry = conf.get('docker.registry')
docker_images = conf.get('docker.images', [])
for image in docker_images:
build_image(registry, image)
|
build_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n registry = conf.get('docker.registry')\n docker_images = conf.get('docker.images', [])\n for image in docker_images:\n build_image(registry, image)\n",
"role": "user"
},
{
"content": "build_images",
"role": "assistant"
}
] |
def x():
registry = conf.get('docker.registry')
docker_images = conf.get('docker.images', [])
if registry is None:
log.err('You must define docker.registry conf variable to push images')
sys.exit(-1)
for image in docker_images:
push_image(registry, image)
|
push_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n registry = conf.get('docker.registry')\n docker_images = conf.get('docker.images', [])\n if registry is None:\n log.err('You must define docker.registry conf variable to push images')\n sys.exit(-1)\n for image in docker_images:\n push_image(registry, image)\n",
"role": "user"
},
{
"content": "push_images",
"role": "assistant"
}
] |
def x(registry_pass):
registry = conf.get('docker.registry', None)
if registry is None:
log.err('You must define docker.registry conf variable to list images')
sys.exit(-1)
registry_user = conf.get('docker.registry_user', None)
if registry_user is None:
registry_user = click.prompt('Username')
rc = client.RegistryClient(registry, registry_user, registry_pass)
images = {x: rc.list_tags(x) for x in rc.list_images()}
shell.cprint('<32>Images in <34>{} <32>registry:', registry)
for image, tags in images.items():
shell.cprint(' <92>{}', image)
for tag in tags:
shell.cprint(' <90>{}:<35>{}', image, tag)
|
docker_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry_pass):\n registry = conf.get('docker.registry', None)\n if registry is None:\n log.err('You must define docker.registry conf variable to list images')\n sys.exit(-1)\n registry_user = conf.get('docker.registry_user', None)\n if registry_user is None:\n registry_user = click.prompt('Username')\n rc = client.RegistryClient(registry, registry_user, registry_pass)\n images = {x: rc.list_tags(x) for x in rc.list_images()}\n shell.cprint('<32>Images in <34>{} <32>registry:', registry)\n for image, tags in images.items():\n shell.cprint(' <92>{}', image)\n for tag in tags:\n shell.cprint(' <90>{}:<35>{}', image, tag)\n",
"role": "user"
},
{
"content": "docker_list",
"role": "assistant"
}
] |
def x(registry, image):
if ':' in image['name']:
_, tag = image['name'].split(':', 1)
else:
_, tag = image['name'], None
values = {'registry': '' if registry is None else registry + '/',
'image': image['name'], 'tag': tag}
if tag is None:
args = ['-t {registry}{image}'.format(**values),
'-t {registry}{image}:{version}'.format(version=versioning.
current(), **values)]
else:
args = ['-t {registry}{image}'.format(**values)]
if 'file' in image:
args.append('-f {}'.format(conf.proj_path(image['file'])))
with conf.within_proj_dir(image.get('path', '.')):
log.info('Building <33>{registry}<35>/{image}', **values)
shell.run('docker build {args} .'.format(args=' '.join(args)))
|
build_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry, image):\n if ':' in image['name']:\n _, tag = image['name'].split(':', 1)\n else:\n _, tag = image['name'], None\n values = {'registry': '' if registry is None else registry + '/',\n 'image': image['name'], 'tag': tag}\n if tag is None:\n args = ['-t {registry}{image}'.format(**values),\n '-t {registry}{image}:{version}'.format(version=versioning.\n current(), **values)]\n else:\n args = ['-t {registry}{image}'.format(**values)]\n if 'file' in image:\n args.append('-f {}'.format(conf.proj_path(image['file'])))\n with conf.within_proj_dir(image.get('path', '.')):\n log.info('Building <33>{registry}<35>/{image}', **values)\n shell.run('docker build {args} .'.format(args=' '.join(args)))\n",
"role": "user"
},
{
"content": "build_image",
"role": "assistant"
}
] |
def x(registry, image):
values = {'registry': registry, 'image': image['name']}
log.info('Pushing <33>{registry}<35>/{image}'.format(**values))
shell.run('docker push {registry}/{image}'.format(**values))
|
push_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(registry, image):\n values = {'registry': registry, 'image': image['name']}\n log.info('Pushing <33>{registry}<35>/{image}'.format(**values))\n shell.run('docker push {registry}/{image}'.format(**values))\n",
"role": "user"
},
{
"content": "push_image",
"role": "assistant"
}
] |
def x(self, data, store):
return {'invoice_data': {'invoice': {'total_amount': data.get(
'total_amount'), 'description': data.get('description')}, 'store':
store.info}, 'opr_data': {'account_alias': data.get('account_alias')}}
|
build_opr_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, store):\n return {'invoice_data': {'invoice': {'total_amount': data.get(\n 'total_amount'), 'description': data.get('description')}, 'store':\n store.info}, 'opr_data': {'account_alias': data.get('account_alias')}}\n",
"role": "user"
},
{
"content": "build_opr_data",
"role": "assistant"
}
] |
def x(self, data={}, store=None):
_store = store or self.store
_data = self._build_opr_data(data, _store) if data else self._opr_data
return self._process('opr/create', _data)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data={}, store=None):\n _store = store or self.store\n _data = self._build_opr_data(data, _store) if data else self._opr_data\n return self._process('opr/create', _data)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, data):
token = data.get('token', self._response['token'])
data = {'token': token, 'confirm_token': data.get('confirm_token')}
return self._process('opr/charge', data)
|
charge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n token = data.get('token', self._response['token'])\n data = {'token': token, 'confirm_token': data.get('confirm_token')}\n return self._process('opr/charge', data)\n",
"role": "user"
},
{
"content": "charge",
"role": "assistant"
}
] |
def x(self, field, quick):
if callable(field.default):
default = field.default(self)
else:
default = field.default
if quick and default is not None:
return default
shell.cprint('<90>{}', field.help)
while True:
try:
answer = click.prompt(field.pretty_prompt, default=default)
return field.type(answer)
except ValueError:
shell.cprint('<31>Unsupported 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, field, quick):\n if callable(field.default):\n default = field.default(self)\n else:\n default = field.default\n if quick and default is not None:\n return default\n shell.cprint('<90>{}', field.help)\n while True:\n try:\n answer = click.prompt(field.pretty_prompt, default=default)\n return field.type(answer)\n except ValueError:\n shell.cprint('<31>Unsupported value')\n",
"role": "user"
},
{
"content": "get_value",
"role": "assistant"
}
] |
def x(s, result=str, enc='utf-8', err='strict'):
if isinstance(s, result):
return s
if isinstance(s, (bytes, str)):
if isinstance(s, bytes) and result == str:
return s.decode(enc, err)
elif isinstance(s, str) and result == bytes:
return s.encode(enc)
else:
return str(s or ('' if s is None else s), enc)
elif isinstance(s, (float, int, decimal.Decimal)):
return uniorbytes(str(s), result, enc, err)
elif isinstance(s, dict):
for k, item in list(s.items()):
s[k] = uniorbytes(item, result=result, enc=enc, err=err)
return s
elif hasattr(s, '__iter__'):
for i, item in enumerate(s):
s[i] = uniorbytes(item, result=result, enc=enc, err=err)
return s
return s
|
uniorbytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, result=str, enc='utf-8', err='strict'):\n if isinstance(s, result):\n return s\n if isinstance(s, (bytes, str)):\n if isinstance(s, bytes) and result == str:\n return s.decode(enc, err)\n elif isinstance(s, str) and result == bytes:\n return s.encode(enc)\n else:\n return str(s or ('' if s is None else s), enc)\n elif isinstance(s, (float, int, decimal.Decimal)):\n return uniorbytes(str(s), result, enc, err)\n elif isinstance(s, dict):\n for k, item in list(s.items()):\n s[k] = uniorbytes(item, result=result, enc=enc, err=err)\n return s\n elif hasattr(s, '__iter__'):\n for i, item in enumerate(s):\n s[i] = uniorbytes(item, result=result, enc=enc, err=err)\n return s\n return s\n",
"role": "user"
},
{
"content": "uniorbytes",
"role": "assistant"
}
] |
def x(s, encoding='utf-8'):
if isinstance(s, str):
return s.encode().decode(encoding)
return s
|
recode_unicode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, encoding='utf-8'):\n if isinstance(s, str):\n return s.encode().decode(encoding)\n return s\n",
"role": "user"
},
{
"content": "recode_unicode",
"role": "assistant"
}
] |
def x(text):
if not isinstance(text, str):
return text
if len(text) == 0:
return text
maxord = max(ord(char) for char in text)
tried_fixing = []
if maxord < 128:
return text
else:
attempts = [(text, text_badness(text) + len(text))]
if maxord < 256:
tried_fixing = reinterpret_latin1_as_utf8(text)
tried_fixing2 = reinterpret_latin1_as_windows1252(text)
attempts.append((tried_fixing, text_cost(tried_fixing)))
attempts.append((tried_fixing2, text_cost(tried_fixing2)))
elif all(ord(char) in WINDOWS_1252_CODEPOINTS for char in text):
tried_fixing = reinterpret_windows1252_as_utf8(text)
attempts.append((tried_fixing, text_cost(tried_fixing)))
else:
return text
attempts.sort(key=lambda x: x[1])
goodtext = attempts[0][0]
if goodtext == text:
return goodtext
else:
return fix_bad_unicode(goodtext)
|
fix_bad_unicode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if not isinstance(text, str):\n return text\n if len(text) == 0:\n return text\n maxord = max(ord(char) for char in text)\n tried_fixing = []\n if maxord < 128:\n return text\n else:\n attempts = [(text, text_badness(text) + len(text))]\n if maxord < 256:\n tried_fixing = reinterpret_latin1_as_utf8(text)\n tried_fixing2 = reinterpret_latin1_as_windows1252(text)\n attempts.append((tried_fixing, text_cost(tried_fixing)))\n attempts.append((tried_fixing2, text_cost(tried_fixing2)))\n elif all(ord(char) in WINDOWS_1252_CODEPOINTS for char in text):\n tried_fixing = reinterpret_windows1252_as_utf8(text)\n attempts.append((tried_fixing, text_cost(tried_fixing)))\n else:\n return text\n attempts.sort(key=lambda x: x[1])\n goodtext = attempts[0][0]\n if goodtext == text:\n return goodtext\n else:\n return fix_bad_unicode(goodtext)\n",
"role": "user"
},
{
"content": "fix_bad_unicode",
"role": "assistant"
}
] |
def x(text):
assert isinstance(text, str)
errors = 0
very_weird_things = 0
weird_things = 0
prev_letter_script = None
unicodedata_name = unicodedata.name
unicodedata_category = unicodedata.category
for char in text:
index = ord(char)
if index < 256:
weird_things += SINGLE_BYTE_WEIRDNESS[index]
if SINGLE_BYTE_LETTERS[index]:
prev_letter_script = 'latin'
else:
prev_letter_script = None
else:
category = unicodedata_category(char)
if category == 'Co':
errors += 1
elif index == 65533:
errors += 1
elif index in WINDOWS_1252_GREMLINS:
lowchar = char.encode('WINDOWS_1252').decode('latin-1')
weird_things += SINGLE_BYTE_WEIRDNESS[ord(lowchar)] - 0.5
if category[0] == 'L':
name = unicodedata_name(char)
scriptname = name.split()[0]
freq, script = SCRIPT_TABLE.get(scriptname, (0, 'other'))
if prev_letter_script:
if script != prev_letter_script:
very_weird_things += 1
if freq == 1:
weird_things += 2
elif freq == 0:
very_weird_things += 1
prev_letter_script = script
else:
prev_letter_script = None
return 100 * errors + 10 * very_weird_things + weird_things
|
text_badness
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n assert isinstance(text, str)\n errors = 0\n very_weird_things = 0\n weird_things = 0\n prev_letter_script = None\n unicodedata_name = unicodedata.name\n unicodedata_category = unicodedata.category\n for char in text:\n index = ord(char)\n if index < 256:\n weird_things += SINGLE_BYTE_WEIRDNESS[index]\n if SINGLE_BYTE_LETTERS[index]:\n prev_letter_script = 'latin'\n else:\n prev_letter_script = None\n else:\n category = unicodedata_category(char)\n if category == 'Co':\n errors += 1\n elif index == 65533:\n errors += 1\n elif index in WINDOWS_1252_GREMLINS:\n lowchar = char.encode('WINDOWS_1252').decode('latin-1')\n weird_things += SINGLE_BYTE_WEIRDNESS[ord(lowchar)] - 0.5\n if category[0] == 'L':\n name = unicodedata_name(char)\n scriptname = name.split()[0]\n freq, script = SCRIPT_TABLE.get(scriptname, (0, 'other'))\n if prev_letter_script:\n if script != prev_letter_script:\n very_weird_things += 1\n if freq == 1:\n weird_things += 2\n elif freq == 0:\n very_weird_things += 1\n prev_letter_script = script\n else:\n prev_letter_script = None\n return 100 * errors + 10 * very_weird_things + weird_things\n",
"role": "user"
},
{
"content": "text_badness",
"role": "assistant"
}
] |
def x():
if platform.system() == 'Linux':
return os.path.join(os.path.sep, 'etc', 'pycons3rt')
elif platform.system() == 'Windows':
return os.path.join('C:', os.path.sep, 'pycons3rt')
elif platform.system() == 'Darwin':
return os.path.join(os.path.expanduser('~'), '.pycons3rt')
else:
raise OSError('Unsupported Operating System')
|
get_pycons3rt_home_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if platform.system() == 'Linux':\n return os.path.join(os.path.sep, 'etc', 'pycons3rt')\n elif platform.system() == 'Windows':\n return os.path.join('C:', os.path.sep, 'pycons3rt')\n elif platform.system() == 'Darwin':\n return os.path.join(os.path.expanduser('~'), '.pycons3rt')\n else:\n raise OSError('Unsupported Operating System')\n",
"role": "user"
},
{
"content": "get_pycons3rt_home_dir",
"role": "assistant"
}
] |
def x():
for pycons3rt_dir in [get_pycons3rt_home_dir(), get_pycons3rt_user_dir(
), get_pycons3rt_conf_dir(), get_pycons3rt_log_dir(),
get_pycons3rt_src_dir()]:
if os.path.isdir(pycons3rt_dir):
continue
try:
os.makedirs(pycons3rt_dir)
except OSError as e:
if e.errno == errno.EEXIST and os.path.isdir(pycons3rt_dir):
pass
else:
msg = 'Unable to create directory: {d}'.format(d=pycons3rt_dir)
raise OSError(msg)
|
initialize_pycons3rt_dirs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for pycons3rt_dir in [get_pycons3rt_home_dir(), get_pycons3rt_user_dir(\n ), get_pycons3rt_conf_dir(), get_pycons3rt_log_dir(),\n get_pycons3rt_src_dir()]:\n if os.path.isdir(pycons3rt_dir):\n continue\n try:\n os.makedirs(pycons3rt_dir)\n except OSError as e:\n if e.errno == errno.EEXIST and os.path.isdir(pycons3rt_dir):\n pass\n else:\n msg = 'Unable to create directory: {d}'.format(d=pycons3rt_dir)\n raise OSError(msg)\n",
"role": "user"
},
{
"content": "initialize_pycons3rt_dirs",
"role": "assistant"
}
] |
def x():
try:
initialize_pycons3rt_dirs()
except OSError as ex:
traceback.print_exc()
return 1
log_dir_path = get_pycons3rt_log_dir() + os.path.sep
conf_contents = default_logging_conf_file_contents.replace(replace_str,
log_dir_path)
logging_config_file_dest = os.path.join(get_pycons3rt_conf_dir(),
'pycons3rt-logging.conf')
with open(logging_config_file_dest, 'w') as f:
f.write(conf_contents)
"""
for line in fileinput.input(logging_config_file_dest, inplace=True):
if re.search(replace_str, line):
new_line = re.sub(replace_str, log_dir_path, line, count=0)
sys.stdout.write(new_line)
else:
sys.stdout.write(line)
"""
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 try:\n initialize_pycons3rt_dirs()\n except OSError as ex:\n traceback.print_exc()\n return 1\n log_dir_path = get_pycons3rt_log_dir() + os.path.sep\n conf_contents = default_logging_conf_file_contents.replace(replace_str,\n log_dir_path)\n logging_config_file_dest = os.path.join(get_pycons3rt_conf_dir(),\n 'pycons3rt-logging.conf')\n with open(logging_config_file_dest, 'w') as f:\n f.write(conf_contents)\n \"\"\"\n \n for line in fileinput.input(logging_config_file_dest, inplace=True):\n if re.search(replace_str, line):\n new_line = re.sub(replace_str, log_dir_path, line, count=0)\n sys.stdout.write(new_line)\n else:\n sys.stdout.write(line)\n \"\"\"\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x():
virtual_env = conf.getenv('VIRTUAL_ENV')
if virtual_env is None:
log.err('You are not inside a virtualenv')
confirm_msg = (
'Are you sure you want to use global python installation to run your git hooks? [y/N] '
)
click.prompt(confirm_msg, default=False)
if not click.confirm(confirm_msg):
log.info('Cancelling')
return
load_venv = ''
else:
load_venv = 'source "{}/bin/activate"'.format(virtual_env)
commit_hook = conf.proj_path('.git/hooks/pre-commit')
push_hook = conf.proj_path('.git/hooks/pre-push')
log.info('Adding pre-commit hook <33>{}', commit_hook)
fs.write_file(commit_hook, util.remove_indent(
"""
#!/bin/bash
PATH="/opt/local/libexec/gnubin:$PATH"
{load_venv}
peltak lint --commit
"""
.format(load_venv=load_venv)))
log.info('Adding pre-push hook: <33>{}', push_hook)
fs.write_file(push_hook, util.remove_indent(
"""
#!/bin/bash
PATH="/opt/local/libexec/gnubin:$PATH"
{load_venv}
peltak test --allow-empty
"""
.format(load_venv=load_venv)))
log.info('Making hooks executable')
if not context.get('pretend', False):
os.chmod(conf.proj_path('.git/hooks/pre-commit'), 493)
os.chmod(conf.proj_path('.git/hooks/pre-push'), 493)
|
add_hooks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n virtual_env = conf.getenv('VIRTUAL_ENV')\n if virtual_env is None:\n log.err('You are not inside a virtualenv')\n confirm_msg = (\n 'Are you sure you want to use global python installation to run your git hooks? [y/N] '\n )\n click.prompt(confirm_msg, default=False)\n if not click.confirm(confirm_msg):\n log.info('Cancelling')\n return\n load_venv = ''\n else:\n load_venv = 'source \"{}/bin/activate\"'.format(virtual_env)\n commit_hook = conf.proj_path('.git/hooks/pre-commit')\n push_hook = conf.proj_path('.git/hooks/pre-push')\n log.info('Adding pre-commit hook <33>{}', commit_hook)\n fs.write_file(commit_hook, util.remove_indent(\n \"\"\"\n #!/bin/bash\n PATH=\"/opt/local/libexec/gnubin:$PATH\"\n \n {load_venv}\n \n peltak lint --commit\n \n \"\"\"\n .format(load_venv=load_venv)))\n log.info('Adding pre-push hook: <33>{}', push_hook)\n fs.write_file(push_hook, util.remove_indent(\n \"\"\"\n #!/bin/bash\n PATH=\"/opt/local/libexec/gnubin:$PATH\"\n \n {load_venv}\n \n peltak test --allow-empty\n \n \"\"\"\n .format(load_venv=load_venv)))\n log.info('Making hooks executable')\n if not context.get('pretend', False):\n os.chmod(conf.proj_path('.git/hooks/pre-commit'), 493)\n os.chmod(conf.proj_path('.git/hooks/pre-push'), 493)\n",
"role": "user"
},
{
"content": "add_hooks",
"role": "assistant"
}
] |
def x(name):
feature_name = 'feature/' + common.to_branch_name(name)
develop = conf.get('git.devel_branch', 'develop')
common.assert_on_branch(develop)
common.git_checkout(feature_name, create=True)
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n feature_name = 'feature/' + common.to_branch_name(name)\n develop = conf.get('git.devel_branch', 'develop')\n common.assert_on_branch(develop)\n common.git_checkout(feature_name, create=True)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x():
branch = git.current_branch(refresh=True)
develop = conf.get('git.devel_branch', 'develop')
common.assert_branch_type('feature')
common.git_checkout(develop)
common.git_pull(develop)
common.git_checkout(branch.name)
common.git_merge(branch.name, develop)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n branch = git.current_branch(refresh=True)\n develop = conf.get('git.devel_branch', 'develop')\n common.assert_branch_type('feature')\n common.git_checkout(develop)\n common.git_pull(develop)\n common.git_checkout(branch.name)\n common.git_merge(branch.name, develop)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x():
develop = conf.get('git.devel_branch', 'develop')
branch = git.current_branch(refresh=True)
common.assert_branch_type('feature')
common.git_checkout(develop)
common.git_pull(develop)
common.git_branch_delete(branch.name)
common.git_prune()
common.git_checkout(develop)
|
merged
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n develop = conf.get('git.devel_branch', 'develop')\n branch = git.current_branch(refresh=True)\n common.assert_branch_type('feature')\n common.git_checkout(develop)\n common.git_pull(develop)\n common.git_branch_delete(branch.name)\n common.git_prune()\n common.git_checkout(develop)\n",
"role": "user"
},
{
"content": "merged",
"role": "assistant"
}
] |
def x(exclude):
pretend = context.get('pretend', False)
exclude = list(exclude) + conf.get('clean.exclude', [])
clean_patterns = conf.get('clean.patterns', ['*__pycache__*',
'*.py[cod]', '*.swp'])
num_files = 0
with util.timed_block() as t:
files = fs.filtered_walk(conf.proj_path(), clean_patterns, exclude)
for path in files:
try:
num_files += 1
if not isdir(path):
log.info(' <91>[file] <90>{}', path)
not pretend and os.remove(path)
else:
log.info(' <91>[dir] <90>{}', path)
not pretend and rmtree(path)
except OSError:
log.info('<33>Failed to remove <90>{}', path)
if pretend:
msg = 'Would delete <33>{}<32> files. Took <33>{}<32>s'
else:
msg = 'Deleted <33>{}<32> files in <33>{}<32>s'
log.info(msg.format(num_files, t.elapsed_s))
|
clean
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exclude):\n pretend = context.get('pretend', False)\n exclude = list(exclude) + conf.get('clean.exclude', [])\n clean_patterns = conf.get('clean.patterns', ['*__pycache__*',\n '*.py[cod]', '*.swp'])\n num_files = 0\n with util.timed_block() as t:\n files = fs.filtered_walk(conf.proj_path(), clean_patterns, exclude)\n for path in files:\n try:\n num_files += 1\n if not isdir(path):\n log.info(' <91>[file] <90>{}', path)\n not pretend and os.remove(path)\n else:\n log.info(' <91>[dir] <90>{}', path)\n not pretend and rmtree(path)\n except OSError:\n log.info('<33>Failed to remove <90>{}', path)\n if pretend:\n msg = 'Would delete <33>{}<32> files. Took <33>{}<32>s'\n else:\n msg = 'Deleted <33>{}<32> files in <33>{}<32>s'\n log.info(msg.format(num_files, t.elapsed_s))\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(quick):
config_file = 'pelconf.yaml'
prompt = '-- <35>{} <32>already exists. Wipe it?<0>'.format(config_file)
if exists(config_file) and not click.confirm(shell.fmt(prompt)):
log.info('Canceled')
return
form = InitForm().run(quick=quick)
log.info('Writing <35>{}'.format(config_file))
pelconf_template = conf.load_template('pelconf.yaml')
fs.write_file(config_file, pelconf_template.format(**form.values))
|
init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quick):\n config_file = 'pelconf.yaml'\n prompt = '-- <35>{} <32>already exists. Wipe it?<0>'.format(config_file)\n if exists(config_file) and not click.confirm(shell.fmt(prompt)):\n log.info('Canceled')\n return\n form = InitForm().run(quick=quick)\n log.info('Writing <35>{}'.format(config_file))\n pelconf_template = conf.load_template('pelconf.yaml')\n fs.write_file(config_file, pelconf_template.format(**form.values))\n",
"role": "user"
},
{
"content": "init",
"role": "assistant"
}
] |
def x(lines_iter):
tbgrep = TracebackGrep()
for line in lines_iter:
tb = tbgrep.process(line)
if tb:
yield tb
|
tracebacks_from_lines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines_iter):\n tbgrep = TracebackGrep()\n for line in lines_iter:\n tb = tbgrep.process(line)\n if tb:\n yield tb\n",
"role": "user"
},
{
"content": "tracebacks_from_lines",
"role": "assistant"
}
] |
def x(fileobj, reverse=False):
if reverse:
lines = deque()
for line in BackwardsReader(fileobj):
lines.appendleft(line)
if tb_head in line:
yield next(tracebacks_from_lines(lines))
lines.clear()
else:
for traceback in tracebacks_from_lines(fileobj):
yield traceback
|
tracebacks_from_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fileobj, reverse=False):\n if reverse:\n lines = deque()\n for line in BackwardsReader(fileobj):\n lines.appendleft(line)\n if tb_head in line:\n yield next(tracebacks_from_lines(lines))\n lines.clear()\n else:\n for traceback in tracebacks_from_lines(fileobj):\n yield traceback\n",
"role": "user"
},
{
"content": "tracebacks_from_file",
"role": "assistant"
}
] |
def x(file, BLKSIZE=4096):
buf = ''
file.seek(0, 2)
lastchar = file.read(1)
trailing_newline = lastchar == '\n'
while 1:
newline_pos = buf.rfind('\n')
pos = file.tell()
if newline_pos != -1:
line = buf[newline_pos + 1:]
buf = buf[:newline_pos]
if pos or newline_pos or trailing_newline:
line += '\n'
yield line
elif pos:
toread = min(BLKSIZE, pos)
file.seek(pos - toread, 0)
buf = file.read(toread) + buf
file.seek(pos - toread, 0)
if pos == toread:
buf = '\n' + buf
else:
return
|
BackwardsReader
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, BLKSIZE=4096):\n buf = ''\n file.seek(0, 2)\n lastchar = file.read(1)\n trailing_newline = lastchar == '\\n'\n while 1:\n newline_pos = buf.rfind('\\n')\n pos = file.tell()\n if newline_pos != -1:\n line = buf[newline_pos + 1:]\n buf = buf[:newline_pos]\n if pos or newline_pos or trailing_newline:\n line += '\\n'\n yield line\n elif pos:\n toread = min(BLKSIZE, pos)\n file.seek(pos - toread, 0)\n buf = file.read(toread) + buf\n file.seek(pos - toread, 0)\n if pos == toread:\n buf = '\\n' + buf\n else:\n return\n",
"role": "user"
},
{
"content": "BackwardsReader",
"role": "assistant"
}
] |
def x(func, y_values=None, domain=None, image=None, open_domain=None, args=
(), accuracy=2):
domain, image, open_domain, args = _normparams_inversefunc(domain,
image, open_domain, args)
ymin, ymax = image
xmin, xmax = domain
xmin_open, xmax_open = open_domain
ref1, ref2 = _get_valid_refpoints(xmin, xmax)
trend = np.sign(func(ref2, *args) - func(ref1, *args))
if trend == 0:
raise ValueError('Function is not strictly monotonic')
if ymin is None:
ymin = _auto_ymin(func, args, xmin, xmax, trend)
if ymax is None:
ymax = _auto_ymax(func, args, xmin, xmax, trend)
def x(x):
if xmin is not None and (x < xmin or x == xmin and xmin_open):
val = -1 * np.inf * trend
elif xmax is not None and (x > xmax or x == xmax and xmax_open):
val = np.inf * trend
else:
val = func(x, *args)
return val
min_kwargs = {}
min_kwargs['bracket'] = ref1, ref2
min_kwargs['tol'] = 1.48e-08
min_kwargs['method'] = 'Brent'
def x(yin):
yin = np.asarray(yin, dtype=np.float64)
shapein = yin.shape
yin = yin.flatten()
if ymin is not None:
if xmin_open and trend == 1 or xmax_open and trend == -1:
mask = yin <= ymin
else:
mask = yin < ymin
if yin[mask].size > 0:
raise ValueError(
'Requested values %s lower than the lower limit %g of the image'
% (yin[mask], ymin))
if ymax is not None:
if xmax_open and trend == 1 or xmin_open and trend == -1:
mask = yin >= ymax
else:
mask = yin > ymax
if yin[mask].size > 0:
raise ValueError(
'Requested values %s higher than the higher limit %g of the image'
% (yin[mask], ymax))
results = yin.copy() * np.nan
resultsmask = np.zeros(yin.shape, dtype=np.bool)
for j in range(yin.size):
if xmax is not None:
if bounded_f(xmax) == yin[j]:
results[j] = xmax
resultsmask[j] = True
continue
if xmin is not None:
if bounded_f(xmin) == yin[j]:
results[j] = xmin
resultsmask[j] = True
continue
optimizer = lambda x, j=j, bounded_f=bounded_f: (bounded_f(x) -
yin[j]) ** 2
try:
with warnings.catch_warnings(record=True):
result = minimize_scalar(optimizer, **min_kwargs)
results[j] = result.x
resultsmask[j] = result.success
except:
resultsmask[j] = False
if any(~resultsmask):
warnings.warn('Trouble calculating inverse for values: %s' %
str(yin[~resultsmask]), RuntimeWarning)
try:
np.testing.assert_array_almost_equal(yin, func(results, *args),
decimal=accuracy)
except AssertionError:
warnings.warn(
'Results obtained with less than %g decimal digits of accuracy'
% accuracy, RuntimeWarning)
return results.reshape(shapein)
if y_values is None:
return inv
else:
return inv(y_values)
|
inversefunc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, y_values=None, domain=None, image=None, open_domain=None, args=\n (), accuracy=2):\n domain, image, open_domain, args = _normparams_inversefunc(domain,\n image, open_domain, args)\n ymin, ymax = image\n xmin, xmax = domain\n xmin_open, xmax_open = open_domain\n ref1, ref2 = _get_valid_refpoints(xmin, xmax)\n trend = np.sign(func(ref2, *args) - func(ref1, *args))\n if trend == 0:\n raise ValueError('Function is not strictly monotonic')\n if ymin is None:\n ymin = _auto_ymin(func, args, xmin, xmax, trend)\n if ymax is None:\n ymax = _auto_ymax(func, args, xmin, xmax, trend)\n\n def x(x):\n if xmin is not None and (x < xmin or x == xmin and xmin_open):\n val = -1 * np.inf * trend\n elif xmax is not None and (x > xmax or x == xmax and xmax_open):\n val = np.inf * trend\n else:\n val = func(x, *args)\n return val\n min_kwargs = {}\n min_kwargs['bracket'] = ref1, ref2\n min_kwargs['tol'] = 1.48e-08\n min_kwargs['method'] = 'Brent'\n\n def x(yin):\n yin = np.asarray(yin, dtype=np.float64)\n shapein = yin.shape\n yin = yin.flatten()\n if ymin is not None:\n if xmin_open and trend == 1 or xmax_open and trend == -1:\n mask = yin <= ymin\n else:\n mask = yin < ymin\n if yin[mask].size > 0:\n raise ValueError(\n 'Requested values %s lower than the lower limit %g of the image'\n % (yin[mask], ymin))\n if ymax is not None:\n if xmax_open and trend == 1 or xmin_open and trend == -1:\n mask = yin >= ymax\n else:\n mask = yin > ymax\n if yin[mask].size > 0:\n raise ValueError(\n 'Requested values %s higher than the higher limit %g of the image'\n % (yin[mask], ymax))\n results = yin.copy() * np.nan\n resultsmask = np.zeros(yin.shape, dtype=np.bool)\n for j in range(yin.size):\n if xmax is not None:\n if bounded_f(xmax) == yin[j]:\n results[j] = xmax\n resultsmask[j] = True\n continue\n if xmin is not None:\n if bounded_f(xmin) == yin[j]:\n results[j] = xmin\n resultsmask[j] = True\n continue\n optimizer = lambda x, j=j, bounded_f=bounded_f: (bounded_f(x) -\n yin[j]) ** 2\n try:\n with warnings.catch_warnings(record=True):\n result = minimize_scalar(optimizer, **min_kwargs)\n results[j] = result.x\n resultsmask[j] = result.success\n except:\n resultsmask[j] = False\n if any(~resultsmask):\n warnings.warn('Trouble calculating inverse for values: %s' %\n str(yin[~resultsmask]), RuntimeWarning)\n try:\n np.testing.assert_array_almost_equal(yin, func(results, *args),\n decimal=accuracy)\n except AssertionError:\n warnings.warn(\n 'Results obtained with less than %g decimal digits of accuracy'\n % accuracy, RuntimeWarning)\n return results.reshape(shapein)\n if y_values is None:\n return inv\n else:\n return inv(y_values)\n",
"role": "user"
},
{
"content": "inversefunc",
"role": "assistant"
}
] |
def x(count, total=100, status=None, suffix=None, bar_len=10):
status = status or ''
suffix = suffix or '%'
assert isinstance(count, int)
count_normalized = count if count <= total else total
filled_len = int(round(bar_len * count_normalized / float(total)))
percents = 100.0 * count / float(total)
color = '#5cb85c'
if percents < 30.0:
color = '#d9534f'
if percents < 70.0:
color = '#f0ad4e'
text_color = colors.fg(color)
bar_color = text_color + colors.bg(color)
nc_color = colors.dark_gray
progressbar = colors.bg('#428bca') | status if status else ''
progressbar += bar_color | '█' * filled_len
progressbar += nc_color | '█' * (bar_len - filled_len)
progressbar += text_color | str(count) + suffix
return progressbar
|
progressed_bar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(count, total=100, status=None, suffix=None, bar_len=10):\n status = status or ''\n suffix = suffix or '%'\n assert isinstance(count, int)\n count_normalized = count if count <= total else total\n filled_len = int(round(bar_len * count_normalized / float(total)))\n percents = 100.0 * count / float(total)\n color = '#5cb85c'\n if percents < 30.0:\n color = '#d9534f'\n if percents < 70.0:\n color = '#f0ad4e'\n text_color = colors.fg(color)\n bar_color = text_color + colors.bg(color)\n nc_color = colors.dark_gray\n progressbar = colors.bg('#428bca') | status if status else ''\n progressbar += bar_color | '█' * filled_len\n progressbar += nc_color | '█' * (bar_len - filled_len)\n progressbar += text_color | str(count) + suffix\n return progressbar\n",
"role": "user"
},
{
"content": "progressed_bar",
"role": "assistant"
}
] |
def x(string):
string = emojize(string, use_aliases=True) if emojize else string
string = progressed(string)
return string
|
prettify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n string = emojize(string, use_aliases=True) if emojize else string\n string = progressed(string)\n return string\n",
"role": "user"
},
{
"content": "prettify",
"role": "assistant"
}
] |
def x(file):
if not is_secure_file(file):
msg = """
File {0} can be read by other users.
This is not secure. Please run 'chmod 600 "{0}"'"""
raise SecurityError(dedent(msg).replace('\n', ' ').format(file))
return True
|
assert_secure_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n if not is_secure_file(file):\n msg = \"\"\"\n File {0} can be read by other users.\n This is not secure. Please run 'chmod 600 \"{0}\"'\"\"\"\n raise SecurityError(dedent(msg).replace('\\n', ' ').format(file))\n return True\n",
"role": "user"
},
{
"content": "assert_secure_file",
"role": "assistant"
}
] |
def x(package_name: str) ->gettext.NullTranslations:
localedir = None
for localedir in (pkg_resources.resource_filename(package_name, 'i18n'),
None):
localefile = gettext.find(package_name, localedir)
if localefile:
break
else:
pass
return gettext.translation(package_name, localedir=localedir, fallback=True
)
|
get_translation_for
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_name: str) ->gettext.NullTranslations:\n localedir = None\n for localedir in (pkg_resources.resource_filename(package_name, 'i18n'),\n None):\n localefile = gettext.find(package_name, localedir)\n if localefile:\n break\n else:\n pass\n return gettext.translation(package_name, localedir=localedir, fallback=True\n )\n",
"role": "user"
},
{
"content": "get_translation_for",
"role": "assistant"
}
] |
def x(package_name: str, names: Tuple[str, ...]=('gettext',)):
translation = get_translation_for(package_name)
return [getattr(translation, x) for x in names]
|
get_translation_functions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_name: str, names: Tuple[str, ...]=('gettext',)):\n translation = get_translation_for(package_name)\n return [getattr(translation, x) for x in names]\n",
"role": "user"
},
{
"content": "get_translation_functions",
"role": "assistant"
}
] |
def x(arr):
for i in arr:
i = i if i not in kwlist else i + '_'
i = i if '-' not in i else i.replace('-', '_')
yield i
|
escape_keywords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr):\n for i in arr:\n i = i if i not in kwlist else i + '_'\n i = i if '-' not in i else i.replace('-', '_')\n yield i\n",
"role": "user"
},
{
"content": "escape_keywords",
"role": "assistant"
}
] |
def x(branch=None) ->str:
habitica_github_api = 'https://api.github.com/repos/HabitRPG/habitica'
if not branch:
branch = requests.get(habitica_github_api + '/releases/latest').json()[
'tag_name']
curl = local['curl']['-sL', habitica_github_api + '/tarball/{}'.format(
branch)]
tar = local['tar']['axzf', '-', '--wildcards',
'*/website/server/controllers/api-v3/*', '--to-stdout']
grep = local['grep']['@api']
sed = local['sed']['-e', 's/^[ */]*//g', '-e', 's/ / /g', '-']
return (curl | tar | grep | sed)()
|
download_api
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(branch=None) ->str:\n habitica_github_api = 'https://api.github.com/repos/HabitRPG/habitica'\n if not branch:\n branch = requests.get(habitica_github_api + '/releases/latest').json()[\n 'tag_name']\n curl = local['curl']['-sL', habitica_github_api + '/tarball/{}'.format(\n branch)]\n tar = local['tar']['axzf', '-', '--wildcards',\n '*/website/server/controllers/api-v3/*', '--to-stdout']\n grep = local['grep']['@api']\n sed = local['sed']['-e', 's/^[ */]*//g', '-e', 's/ / /g', '-']\n return (curl | tar | grep | sed)()\n",
"role": "user"
},
{
"content": "download_api",
"role": "assistant"
}
] |
def x(text: str) ->None:
apidoc_local = local.path(APIDOC_LOCAL_FILE)
if not apidoc_local.dirname.exists():
apidoc_local.dirname.mkdir()
with open(apidoc_local, 'w') as f:
f.write(text)
|
save_apidoc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text: str) ->None:\n apidoc_local = local.path(APIDOC_LOCAL_FILE)\n if not apidoc_local.dirname.exists():\n apidoc_local.dirname.mkdir()\n with open(apidoc_local, 'w') as f:\n f.write(text)\n",
"role": "user"
},
{
"content": "save_apidoc",
"role": "assistant"
}
] |
def x(file_or_branch, from_github=False, save_github_version=True) ->List[
'ApiEndpoint']:
apis = []
regex = '(?P<group>\\([^)]*\\)){0,1} *(?P<type_>{[^}]*}){0,1} *'
regex += '(?P<field>[^ ]*) *(?P<description>.*)$'
param_regex = re.compile('^@apiParam {1,}' + regex)
success_regex = re.compile('^@apiSuccess {1,}' + regex)
if from_github:
text = download_api(file_or_branch)
if save_github_version:
save_apidoc(text)
else:
with open(file_or_branch) as f:
text = f.read()
for line in text.split('\n'):
line = line.replace('\n', '')
if line.startswith('@api '):
if apis:
if not apis[-1].retcode:
apis[-1].retcode = 200
split_line = line.split(' ')
assert len(split_line) >= 3
method = split_line[1]
uri = split_line[2]
assert method[0] == '{'
assert method[-1] == '}'
method = method[1:-1]
if not uri.startswith(API_URI_BASE):
warnings.warn(_('Wrong api url: {}').format(uri))
title = ' '.join(split_line[3:])
apis.append(ApiEndpoint(method, uri, title))
elif line.startswith('@apiParam '):
res = next(param_regex.finditer(line)).groupdict()
apis[-1].add_param(**res)
elif line.startswith('@apiSuccess '):
res = next(success_regex.finditer(line)).groupdict()
apis[-1].add_success(**res)
if apis:
if not apis[-1].retcode:
apis[-1].retcode = 200
return apis
|
parse_apidoc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_or_branch, from_github=False, save_github_version=True) ->List[\n 'ApiEndpoint']:\n apis = []\n regex = '(?P<group>\\\\([^)]*\\\\)){0,1} *(?P<type_>{[^}]*}){0,1} *'\n regex += '(?P<field>[^ ]*) *(?P<description>.*)$'\n param_regex = re.compile('^@apiParam {1,}' + regex)\n success_regex = re.compile('^@apiSuccess {1,}' + regex)\n if from_github:\n text = download_api(file_or_branch)\n if save_github_version:\n save_apidoc(text)\n else:\n with open(file_or_branch) as f:\n text = f.read()\n for line in text.split('\\n'):\n line = line.replace('\\n', '')\n if line.startswith('@api '):\n if apis:\n if not apis[-1].retcode:\n apis[-1].retcode = 200\n split_line = line.split(' ')\n assert len(split_line) >= 3\n method = split_line[1]\n uri = split_line[2]\n assert method[0] == '{'\n assert method[-1] == '}'\n method = method[1:-1]\n if not uri.startswith(API_URI_BASE):\n warnings.warn(_('Wrong api url: {}').format(uri))\n title = ' '.join(split_line[3:])\n apis.append(ApiEndpoint(method, uri, title))\n elif line.startswith('@apiParam '):\n res = next(param_regex.finditer(line)).groupdict()\n apis[-1].add_param(**res)\n elif line.startswith('@apiSuccess '):\n res = next(success_regex.finditer(line)).groupdict()\n apis[-1].add_success(**res)\n if apis:\n if not apis[-1].retcode:\n apis[-1].retcode = 200\n return apis\n",
"role": "user"
},
{
"content": "parse_apidoc",
"role": "assistant"
}
] |
def x(self, val: str) ->Union['ApiNode', 'ApiEndpoint']:
if val in self.paths:
return self.paths[val]
if self.param:
return self.param
raise IndexError(_('Value {} is missing from api').format(val))
|
into
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val: str) ->Union['ApiNode', 'ApiEndpoint']:\n if val in self.paths:\n return self.paths[val]\n if self.param:\n return self.param\n raise IndexError(_('Value {} is missing from api').format(val))\n",
"role": "user"
},
{
"content": "into",
"role": "assistant"
}
] |
def x(self, val: str) ->bool:
return val in self.paths or self.param and self.param_name == val
|
can_into
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val: str) ->bool:\n return val in self.paths or self.param and self.param_name == val\n",
"role": "user"
},
{
"content": "can_into",
"role": "assistant"
}
] |
def x(self, part: str, val: Union['ApiNode', 'ApiEndpoint']):
if part.startswith(':'):
if self.param and self.param != part:
err = (
"Cannot place param '{}' as '{self.param_name}' exist on node already!"
)
raise ParamAlreadyExist(err.format(part, self=self))
self.param = val
self.param_name = part
return val
self.paths[part] = val
return val
|
place
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, part: str, val: Union['ApiNode', 'ApiEndpoint']):\n if part.startswith(':'):\n if self.param and self.param != part:\n err = (\n \"Cannot place param '{}' as '{self.param_name}' exist on node already!\"\n )\n raise ParamAlreadyExist(err.format(part, self=self))\n self.param = val\n self.param_name = part\n return val\n self.paths[part] = val\n return val\n",
"role": "user"
},
{
"content": "place",
"role": "assistant"
}
] |
def x(self) ->Iterator[str]:
if self.param:
yield self.param_name
yield from self.paths.keys()
|
keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Iterator[str]:\n if self.param:\n yield self.param_name\n yield from self.paths.keys()\n",
"role": "user"
},
{
"content": "keys",
"role": "assistant"
}
] |
def x(self, group=None, type_='', field='', description=''):
group = group or '(Parameter)'
group = group.lower()[1:-1]
p = Param(type_, field, description)
self.params[group][p.field] = p
|
add_param
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group=None, type_='', field='', description=''):\n group = group or '(Parameter)'\n group = group.lower()[1:-1]\n p = Param(type_, field, description)\n self.params[group][p.field] = p\n",
"role": "user"
},
{
"content": "add_param",
"role": "assistant"
}
] |
def x(self, group=None, type_='', field='', description=''):
group = group or '(200)'
group = int(group.lower()[1:-1])
self.retcode = self.retcode or group
if group != self.retcode:
raise ValueError('Two or more retcodes!')
type_ = type_ or '{String}'
p = Param(type_, field, description)
self.params['responce'][p.field] = p
|
add_success
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group=None, type_='', field='', description=''):\n group = group or '(200)'\n group = int(group.lower()[1:-1])\n self.retcode = self.retcode or group\n if group != self.retcode:\n raise ValueError('Two or more retcodes!')\n type_ = type_ or '{String}'\n p = Param(type_, field, description)\n self.params['responce'][p.field] = p\n",
"role": "user"
},
{
"content": "add_success",
"role": "assistant"
}
] |
def x(self):
res = '{{{self.method}}} {self.uri} {self.title}\n'.format(self=self)
if self.params:
for group, params in self.params.items():
res += '\n' + group + ' params:\n'
for param in params.values():
res += param.render_docstring()
return res
|
render_docstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n res = '{{{self.method}}} {self.uri} {self.title}\\n'.format(self=self)\n if self.params:\n for group, params in self.params.items():\n res += '\\n' + group + ' params:\\n'\n for param in params.values():\n res += param.render_docstring()\n return res\n",
"role": "user"
},
{
"content": "render_docstring",
"role": "assistant"
}
] |
def x(self, obj):
if self.path:
for i in self.path:
obj = obj[i]
obj = obj[self.field]
raise NotImplementedError('Validation is not implemented yet')
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n if self.path:\n for i in self.path:\n obj = obj[i]\n obj = obj[self.field]\n raise NotImplementedError('Validation is not implemented yet')\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
default = ' = ' + str(self.default) if self.default else ''
opt = 'optional' if self.is_optional else ''
can_be = ' '.join(self.possible_values) if self.possible_values else ''
can_be = 'one of [{}]'.format(can_be) if can_be else ''
type_ = 'of type "' + str(self.type) + '"'
res = ' '.join([opt, '"' + self.field + '"', default, type_, can_be, '\n'])
return res.replace(' ', ' ').lstrip()
|
render_docstring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n default = ' = ' + str(self.default) if self.default else ''\n opt = 'optional' if self.is_optional else ''\n can_be = ' '.join(self.possible_values) if self.possible_values else ''\n can_be = 'one of [{}]'.format(can_be) if can_be else ''\n type_ = 'of type \"' + str(self.type) + '\"'\n res = ' '.join([opt, '\"' + self.field + '\"', default, type_, can_be, '\\n'])\n return res.replace(' ', ' ').lstrip()\n",
"role": "user"
},
{
"content": "render_docstring",
"role": "assistant"
}
] |
def x(u):
if isinstance(u, str) and u.replace('-', '') == uuid.UUID(u).hex:
return u
return False
|
is_uuid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(u):\n if isinstance(u, str) and u.replace('-', '') == uuid.UUID(u).hex:\n return u\n return False\n",
"role": "user"
},
{
"content": "is_uuid",
"role": "assistant"
}
] |
def x(configfile, config=None):
default_login = 'your-login-for-api-here'
default_password = 'your-password-for-api-here'
config = config or {}
configfile = local.path(configfile)
if not configfile.exists():
configfile.dirname.mkdir()
else:
assert_secure_file(configfile)
with secure_filestore(), cli.Config(configfile) as conf:
config['url'] = conf.get('habitipy.url', 'https://habitica.com')
config['login'] = conf.get('habitipy.login', default_login)
config['password'] = conf.get('habitipy.password', default_password)
if config['login'] == default_login or config['password'
] == default_password:
if cli.terminal.ask(_(
'Your creditentials are invalid. Do you want to enter them now?'
), default=True):
msg = _(
"""
You can get your login information at
https://habitica.com/#/options/settings/api
Both your user id and API token should look like this:
xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx
where 'x' is a number between 0-9 or a character a-f.
"""
)
print(dedent(msg))
msg = _('Please enter your login (user ID)')
config['login'] = cli.terminal.prompt(msg, validator=is_uuid)
msg = _('Please enter your password (API token)')
config['password'] = cli.terminal.prompt(msg, validator=is_uuid
)
conf.set('habitipy.login', config['login'])
conf.set('habitipy.password', config['password'])
print(dedent(_(
"""
Your creditentials are securely stored in
{configfile}
You can edit that file later if you need.
"""
)).format(configfile=configfile))
config['show_numbers'] = conf.get('habitipy.show_numbers', 'y')
config['show_numbers'] = config['show_numbers'] in YES_ANSWERS
config['show_style'] = conf.get('habitipy.show_style', 'wide')
if config['show_style'] not in CHECK_MARK_STYLES:
config['show_style'] = 'wide'
return config
|
load_conf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configfile, config=None):\n default_login = 'your-login-for-api-here'\n default_password = 'your-password-for-api-here'\n config = config or {}\n configfile = local.path(configfile)\n if not configfile.exists():\n configfile.dirname.mkdir()\n else:\n assert_secure_file(configfile)\n with secure_filestore(), cli.Config(configfile) as conf:\n config['url'] = conf.get('habitipy.url', 'https://habitica.com')\n config['login'] = conf.get('habitipy.login', default_login)\n config['password'] = conf.get('habitipy.password', default_password)\n if config['login'] == default_login or config['password'\n ] == default_password:\n if cli.terminal.ask(_(\n 'Your creditentials are invalid. Do you want to enter them now?'\n ), default=True):\n msg = _(\n \"\"\"\n You can get your login information at\n https://habitica.com/#/options/settings/api\n Both your user id and API token should look like this:\n xxxxxxxx-xxxx-xxxx-xxxx-xxxxxxxxxxxx\n where 'x' is a number between 0-9 or a character a-f.\n \"\"\"\n )\n print(dedent(msg))\n msg = _('Please enter your login (user ID)')\n config['login'] = cli.terminal.prompt(msg, validator=is_uuid)\n msg = _('Please enter your password (API token)')\n config['password'] = cli.terminal.prompt(msg, validator=is_uuid\n )\n conf.set('habitipy.login', config['login'])\n conf.set('habitipy.password', config['password'])\n print(dedent(_(\n \"\"\"\n Your creditentials are securely stored in\n {configfile}\n You can edit that file later if you need.\n \"\"\"\n )).format(configfile=configfile))\n config['show_numbers'] = conf.get('habitipy.show_numbers', 'y')\n config['show_numbers'] = config['show_numbers'] in YES_ANSWERS\n config['show_style'] = conf.get('habitipy.show_style', 'wide')\n if config['show_style'] not in CHECK_MARK_STYLES:\n config['show_style'] = 'wide'\n return config\n",
"role": "user"
},
{
"content": "load_conf",
"role": "assistant"
}
] |
def x(api, rebuild_cache=False):
if hasattr(get_content, 'cache') and not rebuild_cache:
return get_content.cache
if not os.path.exists(CONTENT_JSON) or rebuild_cache:
import locale
content_endpoint = api.content.get
try_langs = []
try:
lang = get_translation_for('habitipy').info()['language']
try_langs.append(lang)
except KeyError:
pass
try:
loc = locale.getdefaultlocale()[0]
if loc:
try_langs.append(loc)
try_langs.append(loc[:2])
except IndexError:
pass
server_lang = content_endpoint._node.params['query']['language']
for lang in try_langs:
if lang in server_lang.possible_values:
loc = {'language': lang}
break
else:
loc = {}
get_content.cache = content = content_endpoint(**loc)
with open(CONTENT_JSON, 'w') as f:
json.dump(content, f)
return content
try:
with open(CONTENT_JSON) as f:
get_content.cache = content = json.load(f)
return content
except JSONDecodeError:
return get_content(api, rebuild_cache=True)
|
get_content
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, rebuild_cache=False):\n if hasattr(get_content, 'cache') and not rebuild_cache:\n return get_content.cache\n if not os.path.exists(CONTENT_JSON) or rebuild_cache:\n import locale\n content_endpoint = api.content.get\n try_langs = []\n try:\n lang = get_translation_for('habitipy').info()['language']\n try_langs.append(lang)\n except KeyError:\n pass\n try:\n loc = locale.getdefaultlocale()[0]\n if loc:\n try_langs.append(loc)\n try_langs.append(loc[:2])\n except IndexError:\n pass\n server_lang = content_endpoint._node.params['query']['language']\n for lang in try_langs:\n if lang in server_lang.possible_values:\n loc = {'language': lang}\n break\n else:\n loc = {}\n get_content.cache = content = content_endpoint(**loc)\n with open(CONTENT_JSON, 'w') as f:\n json.dump(content, f)\n return content\n try:\n with open(CONTENT_JSON) as f:\n get_content.cache = content = json.load(f)\n return content\n except JSONDecodeError:\n return get_content(api, rebuild_cache=True)\n",
"role": "user"
},
{
"content": "get_content",
"role": "assistant"
}
] |
def x(api):
c = get_content(api)
tasks = [c[i] for i in ['potion', 'armoire']]
tasks.extend(api.user.inventory.buy.get())
for task in tasks:
task['id'] = task['alias'] = task['key']
return tasks
|
get_additional_rewards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api):\n c = get_content(api)\n tasks = [c[i] for i in ['potion', 'armoire']]\n tasks.extend(api.user.inventory.buy.get())\n for task in tasks:\n task['id'] = task['alias'] = task['key']\n return tasks\n",
"role": "user"
},
{
"content": "get_additional_rewards",
"role": "assistant"
}
] |
def x(cls, value):
index = bisect(cls.breakpoints, value)
return colors.fg(cls.colors_[index])
|
color
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, value):\n index = bisect(cls.breakpoints, value)\n return colors.fg(cls.colors_[index])\n",
"role": "user"
},
{
"content": "color",
"role": "assistant"
}
] |
def x(cls):
orig_init = cls.__init__
def x(self, *args, **kwargs):
super(CustomGenerator, self).__init__()
orig_init(self, *args, **kwargs)
self.orig_args = args
self.orig_kwargs = kwargs
self.ns_gen_templates = TohuNamespace()
self.ns_gen_templates.update_from_dict(self.__class__.__dict__)
self.ns_gen_templates.update_from_dict(self.__dict__)
self.ns_gen_templates.set_owner(self.__class__)
self._mark_field_generator_templates()
self.ns_gens = self.ns_gen_templates.spawn()
self.ns_gens.set_owner(self)
self._update_namespace_with_field_generators()
self._set_field_names()
self._set_tohu_items_name()
self._set_tohu_items_cls()
cls.__init__ = new_init
|
augment_init_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n orig_init = cls.__init__\n\n def x(self, *args, **kwargs):\n super(CustomGenerator, self).__init__()\n orig_init(self, *args, **kwargs)\n self.orig_args = args\n self.orig_kwargs = kwargs\n self.ns_gen_templates = TohuNamespace()\n self.ns_gen_templates.update_from_dict(self.__class__.__dict__)\n self.ns_gen_templates.update_from_dict(self.__dict__)\n self.ns_gen_templates.set_owner(self.__class__)\n self._mark_field_generator_templates()\n self.ns_gens = self.ns_gen_templates.spawn()\n self.ns_gens.set_owner(self)\n self._update_namespace_with_field_generators()\n self._set_field_names()\n self._set_tohu_items_name()\n self._set_tohu_items_cls()\n cls.__init__ = new_init\n",
"role": "user"
},
{
"content": "augment_init_method",
"role": "assistant"
}
] |
def x(obj):
cls_dict = obj.__class__.__dict__
obj_dict = obj.__dict__
field_gens = {}
add_field_generators(field_gens, cls_dict)
add_field_generators(field_gens, obj_dict)
return field_gens
|
find_field_generators
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n cls_dict = obj.__class__.__dict__\n obj_dict = obj.__dict__\n field_gens = {}\n add_field_generators(field_gens, cls_dict)\n add_field_generators(field_gens, obj_dict)\n return field_gens\n",
"role": "user"
},
{
"content": "find_field_generators",
"role": "assistant"
}
] |
def x(cls_obj):
if '__tohu__items__name__' in cls_obj.__dict__:
logger.debug(
f"Using item class name '{cls_obj.__tohu_items_name__}' (derived from attribute '__tohu_items_name__')"
)
else:
m = re.match('^(.*)Generator$', cls_obj.__name__)
if m is not None:
cls_obj.__tohu_items_name__ = m.group(1)
logger.debug(
f"Using item class name '{cls_obj.__tohu_items_name__}' (derived from custom generator name)"
)
else:
raise ValueError(
"Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'"
)
|
set_item_class_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls_obj):\n if '__tohu__items__name__' in cls_obj.__dict__:\n logger.debug(\n f\"Using item class name '{cls_obj.__tohu_items_name__}' (derived from attribute '__tohu_items_name__')\"\n )\n else:\n m = re.match('^(.*)Generator$', cls_obj.__name__)\n if m is not None:\n cls_obj.__tohu_items_name__ = m.group(1)\n logger.debug(\n f\"Using item class name '{cls_obj.__tohu_items_name__}' (derived from custom generator name)\"\n )\n else:\n raise ValueError(\n \"Cannot derive class name for items to be produced by custom generator. Please set '__tohu_items_name__' at the top of the custom generator's definition or change its name so that it ends in '...Generator'\"\n )\n",
"role": "user"
},
{
"content": "set_item_class_name",
"role": "assistant"
}
] |
def x(obj):
clsname = obj.__tohu_items_name__
attr_names = obj.field_gens.keys()
return make_item_class(clsname, attr_names)
|
make_item_class_for_custom_generator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n clsname = obj.__tohu_items_name__\n attr_names = obj.field_gens.keys()\n return make_item_class(clsname, attr_names)\n",
"role": "user"
},
{
"content": "make_item_class_for_custom_generator",
"role": "assistant"
}
] |
def x(obj):
orig_init = obj.__init__
def x(self, *args, **kwargs):
logger.debug(f'Initialising new {self}')
orig_init(self, *args, **kwargs)
field_gens_templates = find_field_generators(self)
logger.debug(
f'Found {len(field_gens_templates)} field generator template(s):')
debug_print_dict(field_gens_templates)
def x(dep_gen, origs):
for parent_name, parent in origs.items():
if dep_gen.parent is parent:
return parent_name, parent
raise RuntimeError(
f'Parent of dependent generator {dep_gen} not defined in the same custom generator'
)
logger.debug('Spawning field generator templates...')
origs = {}
spawned = {}
for name, gen in field_gens_templates.items():
if isinstance(gen, IndependentGenerator) and gen in origs.values():
logger.debug(
f'Cloning generator {name}={gen} because it is an alias for an existing generator'
)
gen = gen.clone()
if isinstance(gen, IndependentGenerator):
origs[name] = gen
spawned[name] = gen._spawn()
logger.debug(
f'Spawning generator {gen}. New spawn: {spawned[name]}')
elif isinstance(gen, DependentGenerator):
orig_parent_name, orig_parent = find_orig_parent(gen, origs)
new_parent = spawned[orig_parent_name]
spawned[name] = gen._spawn_and_reattach_parent(new_parent)
else:
pass
self.field_gens = spawned
self.__dict__.update(self.field_gens)
logger.debug(f'Field generators attached to custom generator instance:'
)
debug_print_dict(self.field_gens)
self.seed_generator = SeedGenerator()
self.__class__.item_cls = make_item_class_for_custom_generator(self)
obj.__init__ = new_init
|
add_new_init_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n orig_init = obj.__init__\n\n def x(self, *args, **kwargs):\n logger.debug(f'Initialising new {self}')\n orig_init(self, *args, **kwargs)\n field_gens_templates = find_field_generators(self)\n logger.debug(\n f'Found {len(field_gens_templates)} field generator template(s):')\n debug_print_dict(field_gens_templates)\n\n def x(dep_gen, origs):\n for parent_name, parent in origs.items():\n if dep_gen.parent is parent:\n return parent_name, parent\n raise RuntimeError(\n f'Parent of dependent generator {dep_gen} not defined in the same custom generator'\n )\n logger.debug('Spawning field generator templates...')\n origs = {}\n spawned = {}\n for name, gen in field_gens_templates.items():\n if isinstance(gen, IndependentGenerator) and gen in origs.values():\n logger.debug(\n f'Cloning generator {name}={gen} because it is an alias for an existing generator'\n )\n gen = gen.clone()\n if isinstance(gen, IndependentGenerator):\n origs[name] = gen\n spawned[name] = gen._spawn()\n logger.debug(\n f'Spawning generator {gen}. New spawn: {spawned[name]}')\n elif isinstance(gen, DependentGenerator):\n orig_parent_name, orig_parent = find_orig_parent(gen, origs)\n new_parent = spawned[orig_parent_name]\n spawned[name] = gen._spawn_and_reattach_parent(new_parent)\n else:\n pass\n self.field_gens = spawned\n self.__dict__.update(self.field_gens)\n logger.debug(f'Field generators attached to custom generator instance:'\n )\n debug_print_dict(self.field_gens)\n self.seed_generator = SeedGenerator()\n self.__class__.item_cls = make_item_class_for_custom_generator(self)\n obj.__init__ = new_init\n",
"role": "user"
},
{
"content": "add_new_init_method",
"role": "assistant"
}
] |
def x(obj):
def x(self, seed=None):
logger.debug(
f'[EEE] Inside automatically generated reset() method for {self} (seed={seed})'
)
if seed is not None:
self.seed_generator.reset(seed)
for name, gen in self.field_gens.items():
next_seed = next(self.seed_generator)
gen.reset(next_seed)
for c in self._dependent_generators:
c.reset_dependent_generator(seed)
return self
obj.reset = new_reset
|
add_new_reset_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n\n def x(self, seed=None):\n logger.debug(\n f'[EEE] Inside automatically generated reset() method for {self} (seed={seed})'\n )\n if seed is not None:\n self.seed_generator.reset(seed)\n for name, gen in self.field_gens.items():\n next_seed = next(self.seed_generator)\n gen.reset(next_seed)\n for c in self._dependent_generators:\n c.reset_dependent_generator(seed)\n return self\n obj.reset = new_reset\n",
"role": "user"
},
{
"content": "add_new_reset_method",
"role": "assistant"
}
] |
def x(obj):
def x(self):
field_values = [next(g) for g in self.field_gens.values()]
return self.item_cls(*field_values)
obj.__next__ = new_next
|
add_new_next_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n\n def x(self):\n field_values = [next(g) for g in self.field_gens.values()]\n return self.item_cls(*field_values)\n obj.__next__ = new_next\n",
"role": "user"
},
{
"content": "add_new_next_method",
"role": "assistant"
}
] |
def x(obj):
def x(self):
new_instance = self.__class__()
return new_instance
obj._spawn = new_spawn
|
add_new_spawn_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n\n def x(self):\n new_instance = self.__class__()\n return new_instance\n obj._spawn = new_spawn\n",
"role": "user"
},
{
"content": "add_new_spawn_method",
"role": "assistant"
}
] |
def x(op, g1, g2):
g1_tmp_copy = g1.spawn()
g2_tmp_copy = g2.spawn()
sample_item_1 = next(g1_tmp_copy)
sample_item_2 = next(g2_tmp_copy)
try:
op(sample_item_1, sample_item_2)
except TypeError:
raise TypeError(
f"Operator '{op.__name__}' cannot be applied to items produced by {g1} and {g2} (which have type {type(sample_item_1)} and {type(sample_item_2)}, respectively)"
)
|
check_that_operator_can_be_applied_to_produces_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(op, g1, g2):\n g1_tmp_copy = g1.spawn()\n g2_tmp_copy = g2.spawn()\n sample_item_1 = next(g1_tmp_copy)\n sample_item_2 = next(g2_tmp_copy)\n try:\n op(sample_item_1, sample_item_2)\n except TypeError:\n raise TypeError(\n f\"Operator '{op.__name__}' cannot be applied to items produced by {g1} and {g2} (which have type {type(sample_item_1)} and {type(sample_item_2)}, respectively)\"\n )\n",
"role": "user"
},
{
"content": "check_that_operator_can_be_applied_to_produces_items",
"role": "assistant"
}
] |
def x(cls):
orig_init = cls.__init__
def x(self, *args, **kwargs):
self._dependent_generators = []
orig_init(self, *args, **kwargs)
cls.__init__ = new_init
|
add_new_init_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n orig_init = cls.__init__\n\n def x(self, *args, **kwargs):\n self._dependent_generators = []\n orig_init(self, *args, **kwargs)\n cls.__init__ = new_init\n",
"role": "user"
},
{
"content": "add_new_init_method",
"role": "assistant"
}
] |
def x(cls):
if isinstance(cls.__repr__, WrapperDescriptorType):
cls.__repr__ = (lambda self:
f'<{self.__class__.__name__}, id={hex(id(self))}>')
else:
pass
|
add_new_repr_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if isinstance(cls.__repr__, WrapperDescriptorType):\n cls.__repr__ = (lambda self:\n f'<{self.__class__.__name__}, id={hex(id(self))}>')\n else:\n pass\n",
"role": "user"
},
{
"content": "add_new_repr_method",
"role": "assistant"
}
] |
def x(cls):
orig_reset = cls.reset
def x(self, seed=None):
logger.debug(f'Calling reset() on {self} (seed={seed})')
orig_reset(self, seed)
for c in self._dependent_generators:
c.reset_dependent_generator(seed)
return self
cls.reset = new_reset
|
add_new_reset_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n orig_reset = cls.reset\n\n def x(self, seed=None):\n logger.debug(f'Calling reset() on {self} (seed={seed})')\n orig_reset(self, seed)\n for c in self._dependent_generators:\n c.reset_dependent_generator(seed)\n return self\n cls.reset = new_reset\n",
"role": "user"
},
{
"content": "add_new_reset_method",
"role": "assistant"
}
] |
def x(self, N, *, seed=None, progressbar=False):
if seed is not None:
self.reset(seed)
items = islice(self, N)
if progressbar:
items = tqdm(items, total=N)
item_list = [x for x in items]
return ItemList(item_list, N)
|
generate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, N, *, seed=None, progressbar=False):\n if seed is not None:\n self.reset(seed)\n items = islice(self, N)\n if progressbar:\n items = tqdm(items, total=N)\n item_list = [x for x in items]\n return ItemList(item_list, N)\n",
"role": "user"
},
{
"content": "generate",
"role": "assistant"
}
] |
def x(self):
myhash = hashlib.md5(str(id(self)).encode()).hexdigest()
return myhash[:12]
|
tohu_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n myhash = hashlib.md5(str(id(self)).encode()).hexdigest()\n return myhash[:12]\n",
"role": "user"
},
{
"content": "tohu_id",
"role": "assistant"
}
] |
def x(self):
clsname = self.__tohu_items_name__
self.item_cls = make_item_class(clsname, self.field_names)
|
set_item_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n clsname = self.__tohu_items_name__\n self.item_cls = make_item_class(clsname, self.field_names)\n",
"role": "user"
},
{
"content": "set_item_class",
"role": "assistant"
}
] |
def x(self):
field_gen_templates = {}
for name, g in self.__class__.__dict__.items():
if isinstance(g, TohuBaseGenerator):
field_gen_templates[name] = g.set_tohu_name(f'{name} (TPL)')
for name, g in self.__dict__.items():
if isinstance(g, TohuBaseGenerator):
field_gen_templates[name] = g.set_tohu_name(f'{name} (TPL)')
return field_gen_templates
|
find_field_generator_templates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n field_gen_templates = {}\n for name, g in self.__class__.__dict__.items():\n if isinstance(g, TohuBaseGenerator):\n field_gen_templates[name] = g.set_tohu_name(f'{name} (TPL)')\n for name, g in self.__dict__.items():\n if isinstance(g, TohuBaseGenerator):\n field_gen_templates[name] = g.set_tohu_name(f'{name} (TPL)')\n return field_gen_templates\n",
"role": "user"
},
{
"content": "find_field_generator_templates",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.