source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, dispatcher, node):
scope = self.identifiers.get(node)
if not scope:
return node.value
return scope.resolve(node.value)
| resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dispatcher, node):\n scope = self.identifiers.get(node)\n if not scope:\n return node.value\n return scope.resolve(node.value)\n",
"role": "user"
},
{
"content": "resolve",
"role": "assistant"
}
] |
def x(self, dispatcher, node):
deferrable_handlers = {Declare: self.declare, Resolve: self.
register_reference}
layout_handlers = {PushScope: self.push_scope, PopScope: self.pop_scope,
PushCatch: self.push_catch, PopCatch: self.pop_scope}
if not self.shadow_funcname:
layout_handlers[ResolveFuncName] = self.shadow_reference
local_dispatcher = Dispatcher(definitions=dict(dispatcher),
token_handler=None, layout_handlers=layout_handlers,
deferrable_handlers=deferrable_handlers)
return list(walk(local_dispatcher, node))
| walk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dispatcher, node):\n deferrable_handlers = {Declare: self.declare, Resolve: self.\n register_reference}\n layout_handlers = {PushScope: self.push_scope, PopScope: self.pop_scope,\n PushCatch: self.push_catch, PopCatch: self.pop_scope}\n if not self.shadow_funcname:\n layout_handlers[ResolveFuncName] = self.shadow_reference\n local_dispatcher = Dispatcher(definitions=dict(dispatcher),\n token_handler=None, layout_handlers=layout_handlers,\n deferrable_handlers=deferrable_handlers)\n return list(walk(local_dispatcher, node))\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self):
self.global_scope.close()
name_generator = NameGenerator(skip=self.reserved_keywords)
self.global_scope.build_remap_symbols(name_generator, children_only=not
self.obfuscate_globals)
| finalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.global_scope.close()\n name_generator = NameGenerator(skip=self.reserved_keywords)\n self.global_scope.build_remap_symbols(name_generator, children_only=not\n self.obfuscate_globals)\n",
"role": "user"
},
{
"content": "finalize",
"role": "assistant"
}
] |
def x(self, dispatcher, node):
self.walk(dispatcher, node)
self.finalize()
return node
| prewalk_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dispatcher, node):\n self.walk(dispatcher, node)\n self.finalize()\n return node\n",
"role": "user"
},
{
"content": "prewalk_hook",
"role": "assistant"
}
] |
def x():
src_dir = easy.options.setdefault('docs', {}).get('src_dir', None)
if src_dir is None:
src_dir = 'src' if easy.path('src').exists() else '.'
with easy.pushd(src_dir):
for pkg in (set(easy.options.setup.packages) | set(('tests',))):
for filename in glob.glob(pkg.replace('.', os.sep) + '/*.py[oc~]'):
easy.path(filename).remove()
| clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n src_dir = easy.options.setdefault('docs', {}).get('src_dir', None)\n if src_dir is None:\n src_dir = 'src' if easy.path('src').exists() else '.'\n with easy.pushd(src_dir):\n for pkg in (set(easy.options.setup.packages) | set(('tests',))):\n for filename in glob.glob(pkg.replace('.', os.sep) + '/*.py[oc~]'):\n easy.path(filename).remove()\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(self, which, low, high, num, scale, name):
setattr(self.generate_info, which + '_low', low)
setattr(self.generate_info, which + '_high', high)
setattr(self.generate_info, 'num_' + which, num)
setattr(self.generate_info, which + 'val_name', name)
if scale not in ['lin', 'log']:
raise ValueError('{} scale must be lin or log.'.format(which))
setattr(self.generate_info, which + 'scale', scale)
return
| set_grid_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, which, low, high, num, scale, name):\n setattr(self.generate_info, which + '_low', low)\n setattr(self.generate_info, which + '_high', high)\n setattr(self.generate_info, 'num_' + which, num)\n setattr(self.generate_info, which + 'val_name', name)\n if scale not in ['lin', 'log']:\n raise ValueError('{} scale must be lin or log.'.format(which))\n setattr(self.generate_info, which + 'scale', scale)\n return\n",
"role": "user"
},
{
"content": "set_grid_info",
"role": "assistant"
}
] |
def x(self, y_low, y_high, num_y, yscale, yval_name):
self._set_grid_info('y', y_low, y_high, num_y, yscale, yval_name)
return
| set_y_grid_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y_low, y_high, num_y, yscale, yval_name):\n self._set_grid_info('y', y_low, y_high, num_y, yscale, yval_name)\n return\n",
"role": "user"
},
{
"content": "set_y_grid_info",
"role": "assistant"
}
] |
def x(self, x_low, x_high, num_x, xscale, xval_name):
self._set_grid_info('x', x_low, x_high, num_x, xscale, xval_name)
return
| set_x_grid_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x_low, x_high, num_x, xscale, xval_name):\n self._set_grid_info('x', x_low, x_high, num_x, xscale, xval_name)\n return\n",
"role": "user"
},
{
"content": "set_x_grid_info",
"role": "assistant"
}
] |
def x(self, name, noise_type='ASD', is_wd_background=False):
if is_wd_background:
self.sensitivity_input.wd_noise = name
self.sensitivity_input.wd_noise_type_in = noise_type
else:
if 'sensitivity_curves' not in self.sensitivity_input.__dict__:
self.sensitivity_input.sensitivity_curves = []
if 'noise_type_in' not in self.sensitivity_input.__dict__:
self.sensitivity_input.noise_type_in = []
self.sensitivity_input.sensitivity_curves.append(name)
self.sensitivity_input.noise_type_in.append(noise_type)
return
| add_noise_curve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, noise_type='ASD', is_wd_background=False):\n if is_wd_background:\n self.sensitivity_input.wd_noise = name\n self.sensitivity_input.wd_noise_type_in = noise_type\n else:\n if 'sensitivity_curves' not in self.sensitivity_input.__dict__:\n self.sensitivity_input.sensitivity_curves = []\n if 'noise_type_in' not in self.sensitivity_input.__dict__:\n self.sensitivity_input.noise_type_in = []\n self.sensitivity_input.sensitivity_curves.append(name)\n self.sensitivity_input.noise_type_in.append(noise_type)\n return\n",
"role": "user"
},
{
"content": "add_noise_curve",
"role": "assistant"
}
] |
def x(self, wd_noise):
if isinstance(wd_noise, bool):
wd_noise = str(wd_noise)
if wd_noise.lower() == 'yes' or wd_noise.lower() == 'true':
wd_noise = 'True'
elif wd_noise.lower() == 'no' or wd_noise.lower() == 'false':
wd_noise = 'False'
elif wd_noise.lower() == 'both':
wd_noise = 'Both'
else:
raise ValueError('wd_noise must be yes, no, True, False, or Both.')
self.sensitivity_input.add_wd_noise = wd_noise
return
| set_wd_noise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wd_noise):\n if isinstance(wd_noise, bool):\n wd_noise = str(wd_noise)\n if wd_noise.lower() == 'yes' or wd_noise.lower() == 'true':\n wd_noise = 'True'\n elif wd_noise.lower() == 'no' or wd_noise.lower() == 'false':\n wd_noise = 'False'\n elif wd_noise.lower() == 'both':\n wd_noise = 'Both'\n else:\n raise ValueError('wd_noise must be yes, no, True, False, or Both.')\n self.sensitivity_input.add_wd_noise = wd_noise\n return\n",
"role": "user"
},
{
"content": "set_wd_noise",
"role": "assistant"
}
] |
def x(self, num_processors=-1, num_splits=1000, verbose=-1):
self.parallel_input.num_processors = num_processors
self.parallel_input.num_splits = num_splits
self.parallel_input.verbose = verbose
return
| set_generation_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num_processors=-1, num_splits=1000, verbose=-1):\n self.parallel_input.num_processors = num_processors\n self.parallel_input.num_splits = num_splits\n self.parallel_input.verbose = verbose\n return\n",
"role": "user"
},
{
"content": "set_generation_type",
"role": "assistant"
}
] |
def x(self, sig_type):
if isinstance(sig_type, str):
sig_type = [sig_type]
self.snr_input.signal_type = sig_type
return
| set_signal_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sig_type):\n if isinstance(sig_type, str):\n sig_type = [sig_type]\n self.snr_input.signal_type = sig_type\n return\n",
"role": "user"
},
{
"content": "set_signal_type",
"role": "assistant"
}
] |
def x(self):
output_dict = {}
output_dict['general'] = self._iterate_through_class(self.general.__dict__)
output_dict['generate_info'] = self._iterate_through_class(self.
generate_info.__dict__)
output_dict['sensitivity_input'] = self._iterate_through_class(self.
sensitivity_input.__dict__)
output_dict['snr_input'] = self._iterate_through_class(self.snr_input.
__dict__)
output_dict['parallel_input'] = self._iterate_through_class(self.
parallel_input.__dict__)
output_dict['output_info'] = self._iterate_through_class(self.
output_info.__dict__)
if self.print_input:
print(output_dict)
return output_dict
| return_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n output_dict = {}\n output_dict['general'] = self._iterate_through_class(self.general.__dict__)\n output_dict['generate_info'] = self._iterate_through_class(self.\n generate_info.__dict__)\n output_dict['sensitivity_input'] = self._iterate_through_class(self.\n sensitivity_input.__dict__)\n output_dict['snr_input'] = self._iterate_through_class(self.snr_input.\n __dict__)\n output_dict['parallel_input'] = self._iterate_through_class(self.\n parallel_input.__dict__)\n output_dict['output_info'] = self._iterate_through_class(self.\n output_info.__dict__)\n if self.print_input:\n print(output_dict)\n return output_dict\n",
"role": "user"
},
{
"content": "return_dict",
"role": "assistant"
}
] |
def x(ast, indent_str=' '):
return ''.join(chunk.text for chunk in pretty_printer(indent_str)(ast))
| pretty_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ast, indent_str=' '):\n return ''.join(chunk.text for chunk in pretty_printer(indent_str)(ast))\n",
"role": "user"
},
{
"content": "pretty_print",
"role": "assistant"
}
] |
def x(obfuscate=False, obfuscate_globals=False, shadow_funcname=False,
drop_semi=False):
active_rules = [rules.minify(drop_semi=drop_semi)]
if obfuscate:
active_rules.append(rules.obfuscate(obfuscate_globals=
obfuscate_globals, shadow_funcname=shadow_funcname,
reserved_keywords=Lexer.keywords_dict.keys()))
return Unparser(rules=active_rules)
| minify_printer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obfuscate=False, obfuscate_globals=False, shadow_funcname=False,\n drop_semi=False):\n active_rules = [rules.minify(drop_semi=drop_semi)]\n if obfuscate:\n active_rules.append(rules.obfuscate(obfuscate_globals=\n obfuscate_globals, shadow_funcname=shadow_funcname,\n reserved_keywords=Lexer.keywords_dict.keys()))\n return Unparser(rules=active_rules)\n",
"role": "user"
},
{
"content": "minify_printer",
"role": "assistant"
}
] |
def x(ast, obfuscate=False, obfuscate_globals=False, shadow_funcname=False,
drop_semi=False):
return ''.join(chunk.text for chunk in minify_printer(obfuscate,
obfuscate_globals, shadow_funcname, drop_semi)(ast))
| minify_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ast, obfuscate=False, obfuscate_globals=False, shadow_funcname=False,\n drop_semi=False):\n return ''.join(chunk.text for chunk in minify_printer(obfuscate,\n obfuscate_globals, shadow_funcname, drop_semi)(ast))\n",
"role": "user"
},
{
"content": "minify_print",
"role": "assistant"
}
] |
def x(i):
raw = (-i << 1) + 1 if i < 0 else i << 1
if raw < VLQ_MULTI_CHAR:
return INT_B64[raw]
result = []
while raw:
result.append(raw & VLQ_BASE_MASK | VLQ_CONT)
raw = raw >> VLQ_SHIFT
result[-1] &= VLQ_BASE_MASK
return ''.join(INT_B64[i] for i in result)
| encode_vlq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i):\n raw = (-i << 1) + 1 if i < 0 else i << 1\n if raw < VLQ_MULTI_CHAR:\n return INT_B64[raw]\n result = []\n while raw:\n result.append(raw & VLQ_BASE_MASK | VLQ_CONT)\n raw = raw >> VLQ_SHIFT\n result[-1] &= VLQ_BASE_MASK\n return ''.join(INT_B64[i] for i in result)\n",
"role": "user"
},
{
"content": "encode_vlq",
"role": "assistant"
}
] |
def x(s):
ints = []
i = 0
shift = 0
for c in s:
raw = B64_INT[c]
cont = VLQ_CONT & raw
i = (VLQ_BASE_MASK & raw) << shift | i
shift += VLQ_SHIFT
if not cont:
sign = -1 if 1 & i else 1
ints.append((i >> 1) * sign)
i = 0
shift = 0
return tuple(ints)
| decode_vlqs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n ints = []\n i = 0\n shift = 0\n for c in s:\n raw = B64_INT[c]\n cont = VLQ_CONT & raw\n i = (VLQ_BASE_MASK & raw) << shift | i\n shift += VLQ_SHIFT\n if not cont:\n sign = -1 if 1 & i else 1\n ints.append((i >> 1) * sign)\n i = 0\n shift = 0\n return tuple(ints)\n",
"role": "user"
},
{
"content": "decode_vlqs",
"role": "assistant"
}
] |
def x(self, app):
SECRET_KEY = app.config.get('SECRET_KEY')
if SECRET_KEY is None:
app.config['SECRET_KEY'] = 'CHANGE_ME'
warnings.warn(
'Set configuration variable SECRET_KEY with random string',
UserWarning)
| init_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app):\n SECRET_KEY = app.config.get('SECRET_KEY')\n if SECRET_KEY is None:\n app.config['SECRET_KEY'] = 'CHANGE_ME'\n warnings.warn(\n 'Set configuration variable SECRET_KEY with random string',\n UserWarning)\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x():
try:
import json
return json
except ImportError:
try:
import simplejson
return simplejson
except ImportError as exc:
raise ImportError(
'Please \'pip install "simplejson>=2.1.6"\' (%s)' % (exc,))
| require_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n import json\n return json\n except ImportError:\n try:\n import simplejson\n return simplejson\n except ImportError as exc:\n raise ImportError(\n 'Please \\'pip install \"simplejson>=2.1.6\"\\' (%s)' % (exc,))\n",
"role": "user"
},
{
"content": "require_json",
"role": "assistant"
}
] |
def x(self, N):
primes = self.primes
nextPrime = primes[-1] + 1
while len(primes) < N:
maximum = nextPrime * nextPrime
prime = 1
for i in primes:
if i > maximum:
break
if nextPrime % i == 0:
prime = 0
break
if prime:
primes.append(nextPrime)
nextPrime += 1
| findNextPrime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, N):\n primes = self.primes\n nextPrime = primes[-1] + 1\n while len(primes) < N:\n maximum = nextPrime * nextPrime\n prime = 1\n for i in primes:\n if i > maximum:\n break\n if nextPrime % i == 0:\n prime = 0\n break\n if prime:\n primes.append(nextPrime)\n nextPrime += 1\n",
"role": "user"
},
{
"content": "findNextPrime",
"role": "assistant"
}
] |
def x(name=None):
if not hasattr(sys, 'real_prefix'):
easy.error("ERROR: '%s' is not a virtualenv" % (sys.executable,))
sys.exit(1)
for bindir in ('bin', 'Scripts'):
bindir = os.path.join(sys.prefix, bindir)
if os.path.exists(bindir):
if name:
bin_ext = os.path.splitext(sys.executable)[1
] if sys.platform == 'win32' else ''
return os.path.join(bindir, name + bin_ext)
else:
return bindir
easy.error("ERROR: Scripts directory not found in '%s'" % (sys.prefix,))
sys.exit(1)
| venv_bin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None):\n if not hasattr(sys, 'real_prefix'):\n easy.error(\"ERROR: '%s' is not a virtualenv\" % (sys.executable,))\n sys.exit(1)\n for bindir in ('bin', 'Scripts'):\n bindir = os.path.join(sys.prefix, bindir)\n if os.path.exists(bindir):\n if name:\n bin_ext = os.path.splitext(sys.executable)[1\n ] if sys.platform == 'win32' else ''\n return os.path.join(bindir, name + bin_ext)\n else:\n return bindir\n easy.error(\"ERROR: Scripts directory not found in '%s'\" % (sys.prefix,))\n sys.exit(1)\n",
"role": "user"
},
{
"content": "venv_bin",
"role": "assistant"
}
] |
def x(cmd, *args, **kw):
args = '" "'.join(i.replace('"', '\\"') for i in args)
easy.sh('"%s" "%s"' % (venv_bin(cmd), args))
| vsh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd, *args, **kw):\n args = '\" \"'.join(i.replace('\"', '\\\\\"') for i in args)\n easy.sh('\"%s\" \"%s\"' % (venv_bin(cmd), args))\n",
"role": "user"
},
{
"content": "vsh",
"role": "assistant"
}
] |
def x(dependencies):
tools = getattr(easy.options, 'tools', {})
for dependency in iterutil.flatten(dependencies):
dependency = tools.get(dependency, dependency)
try:
pkg_resources.require(dependency)
except pkg_resources.DistributionNotFound:
vsh('pip', 'install', '-q', dependency)
dependency = pkg_resources.require(dependency)
easy.info('Installed required tool %s' % (dependency,))
| install_tools | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dependencies):\n tools = getattr(easy.options, 'tools', {})\n for dependency in iterutil.flatten(dependencies):\n dependency = tools.get(dependency, dependency)\n try:\n pkg_resources.require(dependency)\n except pkg_resources.DistributionNotFound:\n vsh('pip', 'install', '-q', dependency)\n dependency = pkg_resources.require(dependency)\n easy.info('Installed required tool %s' % (dependency,))\n",
"role": "user"
},
{
"content": "install_tools",
"role": "assistant"
}
] |
def x(*dependencies):
def x(task):
if not isinstance(task, tasks.Task):
task = tasks.Task(task)
def x(*args, **kw):
install_tools(dependencies)
return task_body(*args, **kw)
task_body, task.func = task.func, tool_task
return task
return entangle
| task_requires | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*dependencies):\n\n def x(task):\n if not isinstance(task, tasks.Task):\n task = tasks.Task(task)\n\n def x(*args, **kw):\n install_tools(dependencies)\n return task_body(*args, **kw)\n task_body, task.func = task.func, tool_task\n return task\n return entangle\n",
"role": "user"
},
{
"content": "task_requires",
"role": "assistant"
}
] |
def x():
packages = set(easy.options.setup.packages)
for pkg in list(packages):
packages -= set(p for p in packages if str(p).startswith(pkg + '.'))
return list(sorted(packages))
| toplevel_packages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n packages = set(easy.options.setup.packages)\n for pkg in list(packages):\n packages -= set(p for p in packages if str(p).startswith(pkg + '.'))\n return list(sorted(packages))\n",
"role": "user"
},
{
"content": "toplevel_packages",
"role": "assistant"
}
] |
def x(self, position, midpoint=False, surface=None):
imagesize = self.image.get_size()
imagemidp = int(imagesize[0] * 0.5), int(imagesize[1] * 0.5)
if midpoint:
self.pos = position[0] - imagemidp[0], position[1] - imagemidp[1]
else:
self.pos = position
self.rect = pygame.Rect(self.pos, self.image.get_size())
self.blitinfo = self.image, self.pos
if surface:
surface.blit(*self.blitinfo)
| set_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position, midpoint=False, surface=None):\n imagesize = self.image.get_size()\n imagemidp = int(imagesize[0] * 0.5), int(imagesize[1] * 0.5)\n if midpoint:\n self.pos = position[0] - imagemidp[0], position[1] - imagemidp[1]\n else:\n self.pos = position\n self.rect = pygame.Rect(self.pos, self.image.get_size())\n self.blitinfo = self.image, self.pos\n if surface:\n surface.blit(*self.blitinfo)\n",
"role": "user"
},
{
"content": "set_position",
"role": "assistant"
}
] |
def x(self, offset, mid=None):
if mid:
imagesize = self.image.get_size()
imagemidp = int(imagesize[0] * 0.5), int(imagesize[1] * 0.5)
if mid == 'x':
offset = offset[0] - imagemidp[0], offset[1]
if mid == 'y':
offset = offset[0], offset[1] - imagemidp[1]
if mid == 'c':
offset = offset[0] - imagemidp[0], offset[1] - imagemidp[1]
self.pos = offset
for i in self.buttonlist:
i.rect[0] += offset[0]
i.rect[1] += offset[1]
try:
for i in self.widgetlist:
i.rect[0] += offset[0]
i.rect[1] += offset[1]
except AttributeError:
pass
| set_offset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset, mid=None):\n if mid:\n imagesize = self.image.get_size()\n imagemidp = int(imagesize[0] * 0.5), int(imagesize[1] * 0.5)\n if mid == 'x':\n offset = offset[0] - imagemidp[0], offset[1]\n if mid == 'y':\n offset = offset[0], offset[1] - imagemidp[1]\n if mid == 'c':\n offset = offset[0] - imagemidp[0], offset[1] - imagemidp[1]\n self.pos = offset\n for i in self.buttonlist:\n i.rect[0] += offset[0]\n i.rect[1] += offset[1]\n try:\n for i in self.widgetlist:\n i.rect[0] += offset[0]\n i.rect[1] += offset[1]\n except AttributeError:\n pass\n",
"role": "user"
},
{
"content": "set_offset",
"role": "assistant"
}
] |
def x(self):
widget_status_list = []
for i in self.widgetlist:
widget_status_list += [[i.name, i.status]]
return widget_status_list
| widget_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n widget_status_list = []\n for i in self.widgetlist:\n widget_status_list += [[i.name, i.status]]\n return widget_status_list\n",
"role": "user"
},
{
"content": "widget_status",
"role": "assistant"
}
] |
def x(self, screen, clock):
if self.music is not None:
pygame.mixer.music.play(-1)
while True:
clock.tick(30)
for event in pygame.event.get():
if event.type == pygame.QUIT:
pygame.quit()
sys.exit()
for i in self.buttonlist:
if event.type == pygame.MOUSEBUTTONUP and i.rect.collidepoint(
pygame.mouse.get_pos()):
if self.music is not None:
pygame.mixer.music.stop()
if self.widgetlist:
return [i(), self.widget_status()]
else:
return i()
if self.widgetlist:
for i in self.widgetlist:
if (event.type == pygame.MOUSEBUTTONDOWN and i.rect.
collidepoint(pygame.mouse.get_pos())):
i(self)
screen.blit(self.image, self.pos)
pygame.display.flip()
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, screen, clock):\n if self.music is not None:\n pygame.mixer.music.play(-1)\n while True:\n clock.tick(30)\n for event in pygame.event.get():\n if event.type == pygame.QUIT:\n pygame.quit()\n sys.exit()\n for i in self.buttonlist:\n if event.type == pygame.MOUSEBUTTONUP and i.rect.collidepoint(\n pygame.mouse.get_pos()):\n if self.music is not None:\n pygame.mixer.music.stop()\n if self.widgetlist:\n return [i(), self.widget_status()]\n else:\n return i()\n if self.widgetlist:\n for i in self.widgetlist:\n if (event.type == pygame.MOUSEBUTTONDOWN and i.rect.\n collidepoint(pygame.mouse.get_pos())):\n i(self)\n screen.blit(self.image, self.pos)\n pygame.display.flip()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, text, prog, screen, clock):
BaseScreen.__init__(self, self.size, self.background)
xmid = self.size[0] // 2
Linesoftext(text, (xmid, 40), xmid=True, surface=self.image, fontsize=30)
self.buttonlist = []
if prog == 0:
self.buttonlist += [self.nextbutton]
elif prog == 1:
self.buttonlist += [self.nextbutton]
self.buttonlist += [self.backbutton]
elif prog == 2:
self.buttonlist += [self.lastbutton]
self.buttonlist += [self.backbutton]
for i in self.buttonlist:
self.image.blit(*i.blitinfo)
return Menu.update(self, screen, clock)
| Screens | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, prog, screen, clock):\n BaseScreen.__init__(self, self.size, self.background)\n xmid = self.size[0] // 2\n Linesoftext(text, (xmid, 40), xmid=True, surface=self.image, fontsize=30)\n self.buttonlist = []\n if prog == 0:\n self.buttonlist += [self.nextbutton]\n elif prog == 1:\n self.buttonlist += [self.nextbutton]\n self.buttonlist += [self.backbutton]\n elif prog == 2:\n self.buttonlist += [self.lastbutton]\n self.buttonlist += [self.backbutton]\n for i in self.buttonlist:\n self.image.blit(*i.blitinfo)\n return Menu.update(self, screen, clock)\n",
"role": "user"
},
{
"content": "Screens",
"role": "assistant"
}
] |
def x():
commerce_id = os.getenv('TBK_COMMERCE_ID')
commerce_key = os.getenv('TBK_COMMERCE_KEY')
commerce_testing = os.getenv('TBK_COMMERCE_TESTING') == 'True'
if not commerce_testing:
if commerce_id is None:
raise ValueError(
'create_commerce needs TBK_COMMERCE_ID environment variable')
if commerce_key is None:
raise ValueError(
'create_commerce needs TBK_COMMERCE_KEY environment variable')
return Commerce(id=commerce_id or Commerce.TEST_COMMERCE_ID, key=
commerce_key, testing=commerce_testing)
| create_commerce | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n commerce_id = os.getenv('TBK_COMMERCE_ID')\n commerce_key = os.getenv('TBK_COMMERCE_KEY')\n commerce_testing = os.getenv('TBK_COMMERCE_TESTING') == 'True'\n if not commerce_testing:\n if commerce_id is None:\n raise ValueError(\n 'create_commerce needs TBK_COMMERCE_ID environment variable')\n if commerce_key is None:\n raise ValueError(\n 'create_commerce needs TBK_COMMERCE_KEY environment variable')\n return Commerce(id=commerce_id or Commerce.TEST_COMMERCE_ID, key=\n commerce_key, testing=commerce_testing)\n",
"role": "user"
},
{
"content": "create_commerce",
"role": "assistant"
}
] |
def x(self, confirmation_url):
config = """IDCOMERCIO = {commerce_id}
MEDCOM = 1
TBK_KEY_ID = 101
PARAMVERIFCOM = 1
URLCGICOM = {confirmation_path}
SERVERCOM = {confirmation_host}
PORTCOM = {confirmation_port}
WHITELISTCOM = ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz 0123456789./:=&?_
HOST = {confirmation_host}
WPORT = {confirmation_port}
URLCGITRA = /filtroUnificado/bp_revision.cgi
URLCGIMEDTRA = /filtroUnificado/bp_validacion.cgi
SERVERTRA = {webpay_server}
PORTTRA = {webpay_port}
PREFIJO_CONF_TR = HTML_
HTML_TR_NORMAL = http://127.0.0.1/notify
"""
confirmation_uri = six.moves.urllib.parse.urlparse(confirmation_url)
webpay_server = ('https://certificacion.webpay.cl' if self.testing else
'https://webpay.transbank.cl')
webpay_port = 6443 if self.testing else 443
return config.format(commerce_id=self.id, confirmation_path=
confirmation_uri.path, confirmation_host=confirmation_uri.hostname,
confirmation_port=confirmation_uri.port, webpay_port=webpay_port,
webpay_server=webpay_server)
| get_config_tbk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, confirmation_url):\n config = \"\"\"IDCOMERCIO = {commerce_id}\nMEDCOM = 1\nTBK_KEY_ID = 101\nPARAMVERIFCOM = 1\nURLCGICOM = {confirmation_path}\nSERVERCOM = {confirmation_host}\nPORTCOM = {confirmation_port}\nWHITELISTCOM = ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz 0123456789./:=&?_\nHOST = {confirmation_host}\nWPORT = {confirmation_port}\nURLCGITRA = /filtroUnificado/bp_revision.cgi\nURLCGIMEDTRA = /filtroUnificado/bp_validacion.cgi\nSERVERTRA = {webpay_server}\nPORTTRA = {webpay_port}\nPREFIJO_CONF_TR = HTML_\nHTML_TR_NORMAL = http://127.0.0.1/notify\n\"\"\"\n confirmation_uri = six.moves.urllib.parse.urlparse(confirmation_url)\n webpay_server = ('https://certificacion.webpay.cl' if self.testing else\n 'https://webpay.transbank.cl')\n webpay_port = 6443 if self.testing else 443\n return config.format(commerce_id=self.id, confirmation_path=\n confirmation_uri.path, confirmation_host=confirmation_uri.hostname,\n confirmation_port=confirmation_uri.port, webpay_port=webpay_port,\n webpay_server=webpay_server)\n",
"role": "user"
},
{
"content": "get_config_tbk",
"role": "assistant"
}
] |
def x(indent_str=None):
def x():
inst = Indentator(indent_str)
return {'layout_handlers': {Indent: inst.layout_handler_indent,
Dedent: inst.layout_handler_dedent, Newline: inst.
layout_handler_newline, OptionalNewline: inst.
layout_handler_newline_optional, OpenBlock:
layout_handler_openbrace, CloseBlock: layout_handler_closebrace,
EndStatement: layout_handler_semicolon}}
return indentation_rule
| indent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(indent_str=None):\n\n def x():\n inst = Indentator(indent_str)\n return {'layout_handlers': {Indent: inst.layout_handler_indent,\n Dedent: inst.layout_handler_dedent, Newline: inst.\n layout_handler_newline, OptionalNewline: inst.\n layout_handler_newline_optional, OpenBlock:\n layout_handler_openbrace, CloseBlock: layout_handler_closebrace,\n EndStatement: layout_handler_semicolon}}\n return indentation_rule\n",
"role": "user"
},
{
"content": "indent",
"role": "assistant"
}
] |
def x(self, request):
if 'lang' not in request.GET:
return False
return not any(request.path.endswith(url) for url in self.exempt_urls)
| is_lang_change | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n if 'lang' not in request.GET:\n return False\n return not any(request.path.endswith(url) for url in self.exempt_urls)\n",
"role": "user"
},
{
"content": "is_lang_change",
"role": "assistant"
}
] |
def x(self, *matches, **kw):
default = kw.get('default', None)
boolean = kw.get('boolean', False)
del kw
positional = None
names = []
for match in matches:
if match.startswith('--'):
names.append(match[2:])
elif match.startswith('-'):
names.append(match[1:])
elif positional:
names.append(match)
else:
positional = match
names.append(match)
argument = BooleanArgument(names, default, boolean, positional)
self.arguments.append(argument)
return self
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *matches, **kw):\n default = kw.get('default', None)\n boolean = kw.get('boolean', False)\n del kw\n positional = None\n names = []\n for match in matches:\n if match.startswith('--'):\n names.append(match[2:])\n elif match.startswith('-'):\n names.append(match[1:])\n elif positional:\n names.append(match)\n else:\n positional = match\n names.append(match)\n argument = BooleanArgument(names, default, boolean, positional)\n self.arguments.append(argument)\n return self\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, parser):
lineno = next(parser.stream).lineno
if parser.stream.skip_if('name:short'):
parser.stream.skip(1)
short = parser.parse_expression()
else:
short = nodes.Const(False)
result = self.call_method('_commit_hash', [short], [], lineno=lineno)
return nodes.Output([result], lineno=lineno)
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser):\n lineno = next(parser.stream).lineno\n if parser.stream.skip_if('name:short'):\n parser.stream.skip(1)\n short = parser.parse_expression()\n else:\n short = nodes.Const(False)\n result = self.call_method('_commit_hash', [short], [], lineno=lineno)\n return nodes.Output([result], lineno=lineno)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(nested, containers=(list, tuple)):
for item in nested:
if hasattr(item, 'next') or isinstance(item, containers):
for subitem in flatten(item):
yield subitem
else:
yield item
| flatten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nested, containers=(list, tuple)):\n for item in nested:\n if hasattr(item, 'next') or isinstance(item, containers):\n for subitem in flatten(item):\n yield subitem\n else:\n yield item\n",
"role": "user"
},
{
"content": "flatten",
"role": "assistant"
}
] |
def x(exclude=(), append=(), current={'processors':
TEMPLATE_CONTEXT_PROCESSORS}):
current['processors'] = tuple([p for p in current['processors'] if p not in
exclude]) + tuple(append)
return current['processors']
| get_template_context_processors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exclude=(), append=(), current={'processors':\n TEMPLATE_CONTEXT_PROCESSORS}):\n current['processors'] = tuple([p for p in current['processors'] if p not in\n exclude]) + tuple(append)\n return current['processors']\n",
"role": "user"
},
{
"content": "get_template_context_processors",
"role": "assistant"
}
] |
def x(exclude=(), append=(), current={'middleware': MIDDLEWARE_CLASSES}):
current['middleware'] = tuple([m for m in current['middleware'] if m not in
exclude]) + tuple(append)
return current['middleware']
| get_middleware | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exclude=(), append=(), current={'middleware': MIDDLEWARE_CLASSES}):\n current['middleware'] = tuple([m for m in current['middleware'] if m not in\n exclude]) + tuple(append)\n return current['middleware']\n",
"role": "user"
},
{
"content": "get_middleware",
"role": "assistant"
}
] |
def x(exclude=(), append=(), current={'apps': INSTALLED_APPS}):
current['apps'] = tuple([a for a in current['apps'] if a not in exclude]
) + tuple(append)
return current['apps']
| get_apps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exclude=(), append=(), current={'apps': INSTALLED_APPS}):\n current['apps'] = tuple([a for a in current['apps'] if a not in exclude]\n ) + tuple(append)\n return current['apps']\n",
"role": "user"
},
{
"content": "get_apps",
"role": "assistant"
}
] |
def x(self, Mt):
if len(Mt.shape) == 2:
_Mt = Mt[:, :, sp.newaxis]
else:
_Mt = Mt
LMt = vei_CoR_veX(_Mt, R=self.Lr(), C=self.Lc())
DLMt = self.D()[:, :, sp.newaxis] * LMt
RV = vei_CoR_veX(DLMt, R=self.Lr().T, C=self.Lc().T)
if len(Mt.shape) == 2:
RV = RV[:, :, 0]
return RV
| solve_t | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Mt):\n if len(Mt.shape) == 2:\n _Mt = Mt[:, :, sp.newaxis]\n else:\n _Mt = Mt\n LMt = vei_CoR_veX(_Mt, R=self.Lr(), C=self.Lc())\n DLMt = self.D()[:, :, sp.newaxis] * LMt\n RV = vei_CoR_veX(DLMt, R=self.Lr().T, C=self.Lc().T)\n if len(Mt.shape) == 2:\n RV = RV[:, :, 0]\n return RV\n",
"role": "user"
},
{
"content": "solve_t",
"role": "assistant"
}
] |
def x(mol):
atom_ids = {}
for a in mol.atoms:
components = []
components.append(a.number)
components.append(len(a.oatoms))
components.append(a.hcount)
components.append(a.charge)
components.append(a.mass)
if len(a.rings) > 0:
components.append(1)
atom_ids[a.index] = gen_hash(components)
return atom_ids
| invariants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mol):\n atom_ids = {}\n for a in mol.atoms:\n components = []\n components.append(a.number)\n components.append(len(a.oatoms))\n components.append(a.hcount)\n components.append(a.charge)\n components.append(a.mass)\n if len(a.rings) > 0:\n components.append(1)\n atom_ids[a.index] = gen_hash(components)\n return atom_ids\n",
"role": "user"
},
{
"content": "invariants",
"role": "assistant"
}
] |
def x(mol, radius=2):
atom_ids = invariants(mol)
fp = {}
for i in atom_ids.values():
fp[i] = fp.get(i, 0) + 1
neighborhoods = []
atom_neighborhoods = [(len(mol.bonds) * bitarray('0')) for a in mol.atoms]
dead_atoms = len(mol.atoms) * bitarray('0')
for layer in xrange(1, radius + 1):
round_ids = {}
round_atom_neighborhoods = copy.deepcopy(atom_neighborhoods)
neighborhoods_this_round = []
for a in mol.atoms:
if dead_atoms[a.index]:
continue
nbsr = []
for b in a.bonds:
round_atom_neighborhoods[a.index][b.index] = True
oidx = b.xatom(a).index
round_atom_neighborhoods[a.index] |= atom_neighborhoods[oidx]
nbsr.append((b.bondtype, atom_ids[oidx]))
nbsr = sorted(nbsr)
nbsr = [item for sublist in nbsr for item in sublist]
nbsr.insert(0, atom_ids[a.index])
nbsr.insert(0, layer)
round_ids[a.index] = gen_hash(nbsr)
neighborhoods_this_round.append((round_atom_neighborhoods[a.
index], round_ids[a.index], a.index))
for lst in neighborhoods_this_round:
if lst[0] not in neighborhoods:
fp[lst[1]] = fp.get(lst[1], 0) + 1
neighborhoods.append(lst[0])
else:
dead_atoms[lst[2]] = True
atom_ids = round_ids
atom_neighborhoods = copy.deepcopy(round_atom_neighborhoods)
return fp
| ecfp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mol, radius=2):\n atom_ids = invariants(mol)\n fp = {}\n for i in atom_ids.values():\n fp[i] = fp.get(i, 0) + 1\n neighborhoods = []\n atom_neighborhoods = [(len(mol.bonds) * bitarray('0')) for a in mol.atoms]\n dead_atoms = len(mol.atoms) * bitarray('0')\n for layer in xrange(1, radius + 1):\n round_ids = {}\n round_atom_neighborhoods = copy.deepcopy(atom_neighborhoods)\n neighborhoods_this_round = []\n for a in mol.atoms:\n if dead_atoms[a.index]:\n continue\n nbsr = []\n for b in a.bonds:\n round_atom_neighborhoods[a.index][b.index] = True\n oidx = b.xatom(a).index\n round_atom_neighborhoods[a.index] |= atom_neighborhoods[oidx]\n nbsr.append((b.bondtype, atom_ids[oidx]))\n nbsr = sorted(nbsr)\n nbsr = [item for sublist in nbsr for item in sublist]\n nbsr.insert(0, atom_ids[a.index])\n nbsr.insert(0, layer)\n round_ids[a.index] = gen_hash(nbsr)\n neighborhoods_this_round.append((round_atom_neighborhoods[a.\n index], round_ids[a.index], a.index))\n for lst in neighborhoods_this_round:\n if lst[0] not in neighborhoods:\n fp[lst[1]] = fp.get(lst[1], 0) + 1\n neighborhoods.append(lst[0])\n else:\n dead_atoms[lst[2]] = True\n atom_ids = round_ids\n atom_neighborhoods = copy.deepcopy(round_atom_neighborhoods)\n return fp\n",
"role": "user"
},
{
"content": "ecfp",
"role": "assistant"
}
] |
def x(self):
scheme, location, path, query, _ = urlparse.urlsplit(self.url)
assert scheme in ('http', 'https'), 'Unsupported scheme %r' % scheme
content_type, body = self._encode_multipart_formdata()
handle = getattr(httplib, scheme.upper() + 'Connection')(location)
if self.mock_http:
handle.sock = parts.Bunch(sendall=lambda x: sys.stdout.write(fmt.
to_utf8(''.join(c if 32 <= ord(c) < 127 or ord(c) in (8, 10) else
u'⟪%02X⟫' % ord(c) for c in x))), makefile=lambda dummy, _:
StringIO.StringIO('\r\n'.join(('HTTP/1.0 204 NO CONTENT',
'Content-Length: 0', ''))), close=lambda : None)
handle.putrequest('POST', urlparse.urlunsplit(('', '', path, query, '')))
handle.putheader('Content-Type', content_type)
handle.putheader('Content-Length', str(len(body)))
for key, val in self.headers.items():
handle.putheader(key, val)
handle.endheaders()
handle.send(body)
return handle.getresponse()
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scheme, location, path, query, _ = urlparse.urlsplit(self.url)\n assert scheme in ('http', 'https'), 'Unsupported scheme %r' % scheme\n content_type, body = self._encode_multipart_formdata()\n handle = getattr(httplib, scheme.upper() + 'Connection')(location)\n if self.mock_http:\n handle.sock = parts.Bunch(sendall=lambda x: sys.stdout.write(fmt.\n to_utf8(''.join(c if 32 <= ord(c) < 127 or ord(c) in (8, 10) else\n u'⟪%02X⟫' % ord(c) for c in x))), makefile=lambda dummy, _:\n StringIO.StringIO('\\r\\n'.join(('HTTP/1.0 204 NO CONTENT',\n 'Content-Length: 0', ''))), close=lambda : None)\n handle.putrequest('POST', urlparse.urlunsplit(('', '', path, query, '')))\n handle.putheader('Content-Type', content_type)\n handle.putheader('Content-Length', str(len(body)))\n for key, val in self.headers.items():\n handle.putheader(key, val)\n handle.endheaders()\n handle.send(body)\n return handle.getresponse()\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
def x(filename):
return mimetypes.guess_type(filename)[0] or 'application/octet-stream'
boundary = '----------ThIs_Is_tHe_b0uNdaRY_%d$' % time.time()
logical_lines = []
for name, value in self.fields:
if value is None:
continue
logical_lines.append('--' + boundary)
if hasattr(value, 'read'):
filename = getattr(value, 'name', str(id(value)) + '.dat')
logical_lines.append(
'Content-Disposition: form-data; name="%s"; filename="%s"' %
(name, os.path.basename(filename).replace("'", '_').replace
('"', '_')))
logical_lines.append('Content-Type: %s' % get_content_type(
filename))
logical_lines.append('Content-Transfer-Encoding: binary')
value = value.read()
else:
logical_lines.append(
'Content-Disposition: form-data; name="%s"' % name)
logical_lines.append('Content-Type: text/plain; charset="UTF-8"')
value = fmt.to_utf8(value)
logical_lines.append('')
logical_lines.append(value)
logical_lines.append('--' + boundary + '--')
logical_lines.append('')
body = '\r\n'.join(logical_lines)
content_type = 'multipart/form-data; boundary=%s' % boundary
return content_type, body
| encode_multipart_formdata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x(filename):\n return mimetypes.guess_type(filename)[0] or 'application/octet-stream'\n boundary = '----------ThIs_Is_tHe_b0uNdaRY_%d$' % time.time()\n logical_lines = []\n for name, value in self.fields:\n if value is None:\n continue\n logical_lines.append('--' + boundary)\n if hasattr(value, 'read'):\n filename = getattr(value, 'name', str(id(value)) + '.dat')\n logical_lines.append(\n 'Content-Disposition: form-data; name=\"%s\"; filename=\"%s\"' %\n (name, os.path.basename(filename).replace(\"'\", '_').replace\n ('\"', '_')))\n logical_lines.append('Content-Type: %s' % get_content_type(\n filename))\n logical_lines.append('Content-Transfer-Encoding: binary')\n value = value.read()\n else:\n logical_lines.append(\n 'Content-Disposition: form-data; name=\"%s\"' % name)\n logical_lines.append('Content-Type: text/plain; charset=\"UTF-8\"')\n value = fmt.to_utf8(value)\n logical_lines.append('')\n logical_lines.append(value)\n logical_lines.append('--' + boundary + '--')\n logical_lines.append('')\n body = '\\r\\n'.join(logical_lines)\n content_type = 'multipart/form-data; boundary=%s' % boundary\n return content_type, body\n",
"role": "user"
},
{
"content": "encode_multipart_formdata",
"role": "assistant"
}
] |
def x(X, num_perturbations=20, metric='euclidean', jitter=None):
assert metric != 'precomputed'
D = pairwise_distances(X, metric=metric)
if jitter is None:
jitter = np.percentile(D[D > 0], 5)
W = minimum_spanning_tree(D)
W = W + W.T
W.data[:] = 1.0
for i in range(num_perturbations):
pX = X + np.random.normal(scale=jitter, size=X.shape)
pW = minimum_spanning_tree(pairwise_distances(pX, metric=metric))
pW = pW + pW.T
pW.data[:] = 1.0
W = W + pW
W.data /= num_perturbations + 1.0
return Graph.from_adj_matrix(W)
| perturbed_mst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, num_perturbations=20, metric='euclidean', jitter=None):\n assert metric != 'precomputed'\n D = pairwise_distances(X, metric=metric)\n if jitter is None:\n jitter = np.percentile(D[D > 0], 5)\n W = minimum_spanning_tree(D)\n W = W + W.T\n W.data[:] = 1.0\n for i in range(num_perturbations):\n pX = X + np.random.normal(scale=jitter, size=X.shape)\n pW = minimum_spanning_tree(pairwise_distances(pX, metric=metric))\n pW = pW + pW.T\n pW.data[:] = 1.0\n W = W + pW\n W.data /= num_perturbations + 1.0\n return Graph.from_adj_matrix(W)\n",
"role": "user"
},
{
"content": "perturbed_mst",
"role": "assistant"
}
] |
def x(X, num_spanning_trees=3, metric='euclidean'):
D = pairwise_distances(X, metric=metric)
if metric == 'precomputed':
D = D.copy()
mst = minimum_spanning_tree(D)
W = mst.copy()
for i in range(1, num_spanning_trees):
ii, jj = mst.nonzero()
D[ii, jj] = np.inf
D[jj, ii] = np.inf
mst = minimum_spanning_tree(D)
W = W + mst
return Graph.from_adj_matrix(W + W.T)
| disjoint_mst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, num_spanning_trees=3, metric='euclidean'):\n D = pairwise_distances(X, metric=metric)\n if metric == 'precomputed':\n D = D.copy()\n mst = minimum_spanning_tree(D)\n W = mst.copy()\n for i in range(1, num_spanning_trees):\n ii, jj = mst.nonzero()\n D[ii, jj] = np.inf\n D[jj, ii] = np.inf\n mst = minimum_spanning_tree(D)\n W = W + mst\n return Graph.from_adj_matrix(W + W.T)\n",
"role": "user"
},
{
"content": "disjoint_mst",
"role": "assistant"
}
] |
def x(self, kernel):
if kernel == 'none':
return self
if kernel == 'binary':
if self.is_weighted():
return self._update_edges(1, copy=True)
return self
if kernel == 'rbf':
w = self.edge_weights()
r = np.exp(-w / w.std())
return self._update_edges(r, copy=True)
raise ValueError('Invalid kernel type: %r' % kernel)
| kernelize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, kernel):\n if kernel == 'none':\n return self\n if kernel == 'binary':\n if self.is_weighted():\n return self._update_edges(1, copy=True)\n return self\n if kernel == 'rbf':\n w = self.edge_weights()\n r = np.exp(-w / w.std())\n return self._update_edges(r, copy=True)\n raise ValueError('Invalid kernel type: %r' % kernel)\n",
"role": "user"
},
{
"content": "kernelize",
"role": "assistant"
}
] |
def x(self, X, copy=True, reg=0.001):
new_weights = []
for i, adj in enumerate(self.adj_list()):
C = X[adj] - X[i]
G = C.dot(C.T)
trace = np.trace(G)
r = reg * trace if trace > 0 else reg
G.flat[::G.shape[1] + 1] += r
w = solve(G, np.ones(G.shape[0]), sym_pos=True, overwrite_a=True,
overwrite_b=True)
w /= w.sum()
new_weights.extend(w.tolist())
return self.reweight(new_weights, copy=copy)
| barycenter_edge_weights | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, X, copy=True, reg=0.001):\n new_weights = []\n for i, adj in enumerate(self.adj_list()):\n C = X[adj] - X[i]\n G = C.dot(C.T)\n trace = np.trace(G)\n r = reg * trace if trace > 0 else reg\n G.flat[::G.shape[1] + 1] += r\n w = solve(G, np.ones(G.shape[0]), sym_pos=True, overwrite_a=True,\n overwrite_b=True)\n w /= w.sum()\n new_weights.extend(w.tolist())\n return self.reweight(new_weights, copy=copy)\n",
"role": "user"
},
{
"content": "barycenter_edge_weights",
"role": "assistant"
}
] |
def x(self, directed=True, ordered=False):
num_ccs, labels = self.connected_components(directed=directed)
if num_ccs == 1:
yield self
raise StopIteration
if ordered:
order = np.argsort(np.bincount(labels))[::-1]
else:
order = range(num_ccs)
adj = self.matrix('dense', 'csr', 'csc')
for c in order:
mask = labels == c
sub_adj = adj[mask][:, mask]
yield self.__class__.from_adj_matrix(sub_adj)
| connected_subgraphs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, directed=True, ordered=False):\n num_ccs, labels = self.connected_components(directed=directed)\n if num_ccs == 1:\n yield self\n raise StopIteration\n if ordered:\n order = np.argsort(np.bincount(labels))[::-1]\n else:\n order = range(num_ccs)\n adj = self.matrix('dense', 'csr', 'csc')\n for c in order:\n mask = labels == c\n sub_adj = adj[mask][:, mask]\n yield self.__class__.from_adj_matrix(sub_adj)\n",
"role": "user"
},
{
"content": "connected_subgraphs",
"role": "assistant"
}
] |
def x(self):
dist = self.matrix('dense', copy=True)
dist[dist == 0] = np.inf
np.fill_diagonal(dist, 0)
mst = ssc.minimum_spanning_tree(dist)
return self.__class__.from_adj_matrix(mst + mst.T)
| minimum_spanning_subtree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dist = self.matrix('dense', copy=True)\n dist[dist == 0] = np.inf\n np.fill_diagonal(dist, 0)\n mst = ssc.minimum_spanning_tree(dist)\n return self.__class__.from_adj_matrix(mst + mst.T)\n",
"role": "user"
},
{
"content": "minimum_spanning_subtree",
"role": "assistant"
}
] |
def x(self, start_idx, radius=1, weighted=True, directed=True, return_mask=
False):
adj = self.matrix('dense', 'csr', 'csc')
dist = ssc.dijkstra(adj, directed=directed, indices=start_idx,
unweighted=not weighted, limit=radius)
mask = np.isfinite(dist)
sub_adj = adj[mask][:, mask]
g = self.__class__.from_adj_matrix(sub_adj)
if return_mask:
return g, mask
return g
| neighborhood_subgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_idx, radius=1, weighted=True, directed=True, return_mask=\n False):\n adj = self.matrix('dense', 'csr', 'csc')\n dist = ssc.dijkstra(adj, directed=directed, indices=start_idx,\n unweighted=not weighted, limit=radius)\n mask = np.isfinite(dist)\n sub_adj = adj[mask][:, mask]\n g = self.__class__.from_adj_matrix(sub_adj)\n if return_mask:\n return g, mask\n return g\n",
"role": "user"
},
{
"content": "neighborhood_subgraph",
"role": "assistant"
}
] |
def x(self, min_weight=None):
W = self.matrix('dense')
tree = self.minimum_spanning_subtree()
candidates = np.argwhere(W - tree.matrix('dense') > 0)
cand_weights = W[candidates[:, 0], candidates[:, 1]]
order = np.argsort(cand_weights)
cand_weights = cand_weights[order]
if min_weight is None:
min_weight = tree.edge_weights().max()
idx = np.searchsorted(cand_weights, min_weight)
cand_weights = cand_weights[idx:]
candidates = candidates[order[idx:]]
to_remove = np.zeros_like(cand_weights, dtype=bool)
for i, (u, v) in enumerate(candidates):
W_uv = np.where(W < cand_weights[i], W, 0)
len_uv = ssc.dijkstra(W_uv, indices=u, unweighted=True, limit=2)[v]
if len_uv > 2:
to_remove[i] = True
ii, jj = candidates[to_remove].T
return self.remove_edges(ii, jj, copy=True)
| isograph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, min_weight=None):\n W = self.matrix('dense')\n tree = self.minimum_spanning_subtree()\n candidates = np.argwhere(W - tree.matrix('dense') > 0)\n cand_weights = W[candidates[:, 0], candidates[:, 1]]\n order = np.argsort(cand_weights)\n cand_weights = cand_weights[order]\n if min_weight is None:\n min_weight = tree.edge_weights().max()\n idx = np.searchsorted(cand_weights, min_weight)\n cand_weights = cand_weights[idx:]\n candidates = candidates[order[idx:]]\n to_remove = np.zeros_like(cand_weights, dtype=bool)\n for i, (u, v) in enumerate(candidates):\n W_uv = np.where(W < cand_weights[i], W, 0)\n len_uv = ssc.dijkstra(W_uv, indices=u, unweighted=True, limit=2)[v]\n if len_uv > 2:\n to_remove[i] = True\n ii, jj = candidates[to_remove].T\n return self.remove_edges(ii, jj, copy=True)\n",
"role": "user"
},
{
"content": "isograph",
"role": "assistant"
}
] |
def x(self, spanning_tree='mst', cycle_len_thresh=5, spt_idx=None, copy=True):
if spanning_tree == 'mst':
tree = self.minimum_spanning_subtree().matrix()
elif spanning_tree == 'spt':
if spt_idx is None:
spt_idx = np.random.choice(self.num_vertices())
tree = self.shortest_path_subtree(spt_idx, directed=False).matrix()
potential_edges = np.argwhere(ss.triu(self.matrix() - tree))
ii, jj = _find_cycle_inducers(tree, potential_edges, cycle_len_thresh)
return self.remove_edges(ii, jj, symmetric=True, copy=copy)
| circle_tear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spanning_tree='mst', cycle_len_thresh=5, spt_idx=None, copy=True):\n if spanning_tree == 'mst':\n tree = self.minimum_spanning_subtree().matrix()\n elif spanning_tree == 'spt':\n if spt_idx is None:\n spt_idx = np.random.choice(self.num_vertices())\n tree = self.shortest_path_subtree(spt_idx, directed=False).matrix()\n potential_edges = np.argwhere(ss.triu(self.matrix() - tree))\n ii, jj = _find_cycle_inducers(tree, potential_edges, cycle_len_thresh)\n return self.remove_edges(ii, jj, symmetric=True, copy=copy)\n",
"role": "user"
},
{
"content": "circle_tear",
"role": "assistant"
}
] |
def x(self, cycle_len_thresh=12, directed=False, copy=True):
symmetric = not directed
adj = self.kernelize('binary').matrix('csr', 'dense', copy=True)
if symmetric:
adj = adj + adj.T
removed_edges = []
while True:
c = _atomic_cycle(adj, cycle_len_thresh, directed=directed)
if c is None:
break
ii, jj = c.T
adj[ii, jj] = 0
if symmetric:
adj[jj, ii] = 0
removed_edges.extend(c)
if ss.issparse(adj):
adj.eliminate_zeros()
ii, jj = _find_cycle_inducers(adj, removed_edges, cycle_len_thresh,
directed=directed)
return self.remove_edges(ii, jj, symmetric=symmetric, copy=copy)
| cycle_cut | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cycle_len_thresh=12, directed=False, copy=True):\n symmetric = not directed\n adj = self.kernelize('binary').matrix('csr', 'dense', copy=True)\n if symmetric:\n adj = adj + adj.T\n removed_edges = []\n while True:\n c = _atomic_cycle(adj, cycle_len_thresh, directed=directed)\n if c is None:\n break\n ii, jj = c.T\n adj[ii, jj] = 0\n if symmetric:\n adj[jj, ii] = 0\n removed_edges.extend(c)\n if ss.issparse(adj):\n adj.eliminate_zeros()\n ii, jj = _find_cycle_inducers(adj, removed_edges, cycle_len_thresh,\n directed=directed)\n return self.remove_edges(ii, jj, symmetric=symmetric, copy=copy)\n",
"role": "user"
},
{
"content": "cycle_cut",
"role": "assistant"
}
] |
def x(seed_str, runs=100, fuzz_factor=50):
buf = bytearray(seed_str, encoding='utf8')
variants = []
for _ in range(runs):
fuzzed = fuzzer(buf, fuzz_factor)
variants.append(''.join([chr(b) for b in fuzzed]))
logger().info('Fuzzed strings: {}'.format(variants))
return variants
| fuzz_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seed_str, runs=100, fuzz_factor=50):\n buf = bytearray(seed_str, encoding='utf8')\n variants = []\n for _ in range(runs):\n fuzzed = fuzzer(buf, fuzz_factor)\n variants.append(''.join([chr(b) for b in fuzzed]))\n logger().info('Fuzzed strings: {}'.format(variants))\n return variants\n",
"role": "user"
},
{
"content": "fuzz_string",
"role": "assistant"
}
] |
def x(buffer, fuzz_factor=101):
buf = deepcopy(buffer)
num_writes = number_of_bytes_to_modify(len(buf), fuzz_factor)
for _ in range(num_writes):
random_byte = random.randrange(256)
random_position = random.randrange(len(buf))
buf[random_position] = random_byte
return buf
| fuzzer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buffer, fuzz_factor=101):\n buf = deepcopy(buffer)\n num_writes = number_of_bytes_to_modify(len(buf), fuzz_factor)\n for _ in range(num_writes):\n random_byte = random.randrange(256)\n random_position = random.randrange(len(buf))\n buf[random_position] = random_byte\n return buf\n",
"role": "user"
},
{
"content": "fuzzer",
"role": "assistant"
}
] |
def x(buf_len, fuzz_factor):
return random.randrange(math.ceil(float(buf_len) / fuzz_factor)) + 1
| number_of_bytes_to_modify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buf_len, fuzz_factor):\n return random.randrange(math.ceil(float(buf_len) / fuzz_factor)) + 1\n",
"role": "user"
},
{
"content": "number_of_bytes_to_modify",
"role": "assistant"
}
] |
def x(self, data_file):
buf = bytearray(open(os.path.abspath(data_file), 'rb').read())
fuzzed = fuzzer(buf, self.fuzz_factor)
try:
_, fuzz_output = mkstemp(prefix='fuzzed_')
open(fuzz_output, 'wb').write(fuzzed)
finally:
pass
return fuzz_output
| fuzz_data_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_file):\n buf = bytearray(open(os.path.abspath(data_file), 'rb').read())\n fuzzed = fuzzer(buf, self.fuzz_factor)\n try:\n _, fuzz_output = mkstemp(prefix='fuzzed_')\n open(fuzz_output, 'wb').write(fuzzed)\n finally:\n pass\n return fuzz_output\n",
"role": "user"
},
{
"content": "fuzz_data_file",
"role": "assistant"
}
] |
def x(self, app_, file_):
app_name = os.path.basename(app_)
args = [app_]
args.extend(self.args[app_])
args.append(file_)
process = subprocess.Popen(args)
time.sleep(1)
status = {(True): Status.SUCCESS, (False): Status.FAILED}
crashed = process.poll()
result = status[crashed is None]
self.stats_.add(app_name, result)
if result is Status.SUCCESS:
process.terminate()
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app_, file_):\n app_name = os.path.basename(app_)\n args = [app_]\n args.extend(self.args[app_])\n args.append(file_)\n process = subprocess.Popen(args)\n time.sleep(1)\n status = {(True): Status.SUCCESS, (False): Status.FAILED}\n crashed = process.poll()\n result = status[crashed is None]\n self.stats_.add(app_name, result)\n if result is Status.SUCCESS:\n process.terminate()\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(app_list):
args = {}
apps = []
for app_str in app_list:
parts = app_str.split('&')
app_path = parts[0].strip()
apps.append(app_path)
if len(parts) > 1:
args[app_path] = [arg.strip() for arg in parts[1].split()]
else:
args[app_path] = []
return apps, args
| parse_app_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app_list):\n args = {}\n apps = []\n for app_str in app_list:\n parts = app_str.split('&')\n app_path = parts[0].strip()\n apps.append(app_path)\n if len(parts) > 1:\n args[app_path] = [arg.strip() for arg in parts[1].split()]\n else:\n args[app_path] = []\n return apps, args\n",
"role": "user"
},
{
"content": "parse_app_list",
"role": "assistant"
}
] |
def x():
pi = np.pi
chroma = np.arange(12)
fifth_x = r_fifth * np.sin(7 * pi / 6 * chroma)
fifth_y = r_fifth * np.cos(7 * pi / 6 * chroma)
minor_third_x = r_minor_thirds * np.sin(3 * pi / 2 * chroma)
minor_third_y = r_minor_thirds * np.cos(3 * pi / 2 * chroma)
major_third_x = r_major_thirds * np.sin(2 * pi / 3 * chroma)
major_third_y = r_major_thirds * np.cos(2 * pi / 3 * chroma)
return np.vstack((fifth_x, fifth_y, minor_third_x, minor_third_y,
major_third_x, major_third_y))
| make_tonnetz_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pi = np.pi\n chroma = np.arange(12)\n fifth_x = r_fifth * np.sin(7 * pi / 6 * chroma)\n fifth_y = r_fifth * np.cos(7 * pi / 6 * chroma)\n minor_third_x = r_minor_thirds * np.sin(3 * pi / 2 * chroma)\n minor_third_y = r_minor_thirds * np.cos(3 * pi / 2 * chroma)\n major_third_x = r_major_thirds * np.sin(2 * pi / 3 * chroma)\n major_third_y = r_major_thirds * np.cos(2 * pi / 3 * chroma)\n return np.vstack((fifth_x, fifth_y, minor_third_x, minor_third_y,\n major_third_x, major_third_y))\n",
"role": "user"
},
{
"content": "make_tonnetz_matrix",
"role": "assistant"
}
] |
def x(chromagram):
if np.sum(np.abs(chromagram)) == 0.0:
return np.zeros(6)
_tonnetz = np.dot(__TONNETZ_MATRIX, chromagram)
one_norm = np.sum(np.abs(_tonnetz))
_tonnetz = _tonnetz / float(one_norm)
return _tonnetz
| to_tonnetz | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chromagram):\n if np.sum(np.abs(chromagram)) == 0.0:\n return np.zeros(6)\n _tonnetz = np.dot(__TONNETZ_MATRIX, chromagram)\n one_norm = np.sum(np.abs(_tonnetz))\n _tonnetz = _tonnetz / float(one_norm)\n return _tonnetz\n",
"role": "user"
},
{
"content": "to_tonnetz",
"role": "assistant"
}
] |
def x(a, b):
[a_tonnetz, b_tonnetz] = [_to_tonnetz(x) for x in [a, b]]
return np.linalg.norm(b_tonnetz - a_tonnetz)
| distance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n [a_tonnetz, b_tonnetz] = [_to_tonnetz(x) for x in [a, b]]\n return np.linalg.norm(b_tonnetz - a_tonnetz)\n",
"role": "user"
},
{
"content": "distance",
"role": "assistant"
}
] |
def x(error):
print(COLORS.fail, error.message, COLORS.end)
print(COLORS.fail, error.errors, COLORS.end)
| fail_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(error):\n print(COLORS.fail, error.message, COLORS.end)\n print(COLORS.fail, error.errors, COLORS.end)\n",
"role": "user"
},
{
"content": "fail_print",
"role": "assistant"
}
] |
def x(filename=STORAGE_FILENAME):
with open(filename, 'r') as storage_file:
storage = safe_load(storage_file)
client_secret = storage.get('client_secret')
refresh_token = storage.get('refresh_token')
credentials = {'access_token': storage['access_token'], 'client_id':
storage['client_id'], 'client_secret': client_secret,
'expires_in_seconds': storage['expires_in_seconds'], 'grant_type':
storage['grant_type'], 'refresh_token': refresh_token, 'scopes':
storage['scopes']}
return credentials
| import_oauth2_credentials | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=STORAGE_FILENAME):\n with open(filename, 'r') as storage_file:\n storage = safe_load(storage_file)\n client_secret = storage.get('client_secret')\n refresh_token = storage.get('refresh_token')\n credentials = {'access_token': storage['access_token'], 'client_id':\n storage['client_id'], 'client_secret': client_secret,\n 'expires_in_seconds': storage['expires_in_seconds'], 'grant_type':\n storage['grant_type'], 'refresh_token': refresh_token, 'scopes':\n storage['scopes']}\n return credentials\n",
"role": "user"
},
{
"content": "import_oauth2_credentials",
"role": "assistant"
}
] |
def x(credentials):
oauth2credential = OAuth2Credential(client_id=credentials.get(
'client_id'), access_token=credentials.get('access_token'),
expires_in_seconds=credentials.get('expires_in_seconds'), scopes=
credentials.get('scopes'), grant_type=credentials.get('grant_type'),
client_secret=credentials.get('client_secret'), refresh_token=
credentials.get('refresh_token'))
session = Session(oauth2credential=oauth2credential)
return LyftRidesClient(session)
| create_lyft_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(credentials):\n oauth2credential = OAuth2Credential(client_id=credentials.get(\n 'client_id'), access_token=credentials.get('access_token'),\n expires_in_seconds=credentials.get('expires_in_seconds'), scopes=\n credentials.get('scopes'), grant_type=credentials.get('grant_type'),\n client_secret=credentials.get('client_secret'), refresh_token=\n credentials.get('refresh_token'))\n session = Session(oauth2credential=oauth2credential)\n return LyftRidesClient(session)\n",
"role": "user"
},
{
"content": "create_lyft_client",
"role": "assistant"
}
] |
def x(config_file, manager, connect_on_start=True):
data = manager.request_host_status(config_file)
is_running = data['started']
if is_running:
host_status = json.loads(data['host']['output'])
logfile = data['host']['logfile']
else:
data = manager.start_host(config_file)
host_status = json.loads(data['output'])
logfile = data['logfile']
host = JSHost(status=host_status, logfile=logfile, config_file=
config_file, manager=manager)
if not is_running and settings.VERBOSITY >= verbosity.PROCESS_START:
print('Started {}'.format(host.get_name()))
if connect_on_start:
host.connect()
return host
| spawn_managed_host | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_file, manager, connect_on_start=True):\n data = manager.request_host_status(config_file)\n is_running = data['started']\n if is_running:\n host_status = json.loads(data['host']['output'])\n logfile = data['host']['logfile']\n else:\n data = manager.start_host(config_file)\n host_status = json.loads(data['output'])\n logfile = data['logfile']\n host = JSHost(status=host_status, logfile=logfile, config_file=\n config_file, manager=manager)\n if not is_running and settings.VERBOSITY >= verbosity.PROCESS_START:\n print('Started {}'.format(host.get_name()))\n if connect_on_start:\n host.connect()\n return host\n",
"role": "user"
},
{
"content": "spawn_managed_host",
"role": "assistant"
}
] |
def x(s):
if isinstance(s, six.integer_types):
s = str(s)
elif not isinstance(s, six.string_types):
raise ValueError(s)
original = s
if s[-1:] == 'L':
s = s[:-1]
sign = {'-': -1, '=': 0, '+': 1}.get(s[0], None)
if sign is not None:
s = s[1:]
ts = 0
for unit in _SORTED_UNITS:
pos = s.find(unit[0])
if pos == 0:
raise ValueError(original)
elif pos > 0:
if sign is None:
sign = 1
ts += int(s[:pos]) * __timedelta_millis(unit[1])
s = s[min(len(s), pos + 1):]
if s:
ts += int(s)
return date_from_utc_ts(ts) if not sign else utc() + sign * delta(
milliseconds=ts)
| parse_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n if isinstance(s, six.integer_types):\n s = str(s)\n elif not isinstance(s, six.string_types):\n raise ValueError(s)\n original = s\n if s[-1:] == 'L':\n s = s[:-1]\n sign = {'-': -1, '=': 0, '+': 1}.get(s[0], None)\n if sign is not None:\n s = s[1:]\n ts = 0\n for unit in _SORTED_UNITS:\n pos = s.find(unit[0])\n if pos == 0:\n raise ValueError(original)\n elif pos > 0:\n if sign is None:\n sign = 1\n ts += int(s[:pos]) * __timedelta_millis(unit[1])\n s = s[min(len(s), pos + 1):]\n if s:\n ts += int(s)\n return date_from_utc_ts(ts) if not sign else utc() + sign * delta(\n milliseconds=ts)\n",
"role": "user"
},
{
"content": "parse_input",
"role": "assistant"
}
] |
def x(d):
s = '' if d >= 0 else '-'
d = abs(d)
for unit in _SORTED_UNITS:
span = __timedelta_millis(unit[1])
if d >= span:
count = int(d // span)
s += '{0}{1}'.format(count, unit[0])
d -= count * span
if d or not s:
s += str(d)
return s
| render_delta | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n s = '' if d >= 0 else '-'\n d = abs(d)\n for unit in _SORTED_UNITS:\n span = __timedelta_millis(unit[1])\n if d >= span:\n count = int(d // span)\n s += '{0}{1}'.format(count, unit[0])\n d -= count * span\n if d or not s:\n s += str(d)\n return s\n",
"role": "user"
},
{
"content": "render_delta",
"role": "assistant"
}
] |
def x(date, tz=pytz.utc, fmt=_FULL_OUTPUT_FORMAT):
local = date.astimezone(tz)
ts = __date_to_millisecond_ts(date)
return fmt.format(ts=ts, utc=date.strftime(_DATE_FORMAT), millis=ts %
1000, utc_tz=date.strftime(_TZ_FORMAT), local=local.strftime(
_DATE_FORMAT), local_tz=local.strftime(_TZ_FORMAT), delta=
render_delta_from_now(date))
| render_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, tz=pytz.utc, fmt=_FULL_OUTPUT_FORMAT):\n local = date.astimezone(tz)\n ts = __date_to_millisecond_ts(date)\n return fmt.format(ts=ts, utc=date.strftime(_DATE_FORMAT), millis=ts % \n 1000, utc_tz=date.strftime(_TZ_FORMAT), local=local.strftime(\n _DATE_FORMAT), local_tz=local.strftime(_TZ_FORMAT), delta=\n render_delta_from_now(date))\n",
"role": "user"
},
{
"content": "render_date",
"role": "assistant"
}
] |
def x(self, complete=True, args=None):
opts = dict()
positions = [argument.positional for argument in self.arguments if
argument.positional]
if args is None:
import sys
args = sys.argv[1:]
arglist = peekable(parse_tokens(args))
for is_flag, name in arglist:
if is_flag is True:
argument = self.find_argument(name)
next_is_flag, next_name = arglist.peek(default=(None, None))
if argument.boolean is False and next_is_flag is False:
opts[name] = next_name
arglist.next()
else:
opts[name] = True
elif len(positions) > 0:
position = positions.pop(0)
opts[position] = name
else:
opts.setdefault('_', []).append(name)
for argument in self.arguments:
for name in argument.names:
if name in opts:
value = opts[name]
break
else:
value = argument.default
for name in argument.names:
opts[name] = value
return opts
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, complete=True, args=None):\n opts = dict()\n positions = [argument.positional for argument in self.arguments if\n argument.positional]\n if args is None:\n import sys\n args = sys.argv[1:]\n arglist = peekable(parse_tokens(args))\n for is_flag, name in arglist:\n if is_flag is True:\n argument = self.find_argument(name)\n next_is_flag, next_name = arglist.peek(default=(None, None))\n if argument.boolean is False and next_is_flag is False:\n opts[name] = next_name\n arglist.next()\n else:\n opts[name] = True\n elif len(positions) > 0:\n position = positions.pop(0)\n opts[position] = name\n else:\n opts.setdefault('_', []).append(name)\n for argument in self.arguments:\n for name in argument.names:\n if name in opts:\n value = opts[name]\n break\n else:\n value = argument.default\n for name in argument.names:\n opts[name] = value\n return opts\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
params = sp.randn(self.getNumberParams())
self.setParams(params)
| setRandomParams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n params = sp.randn(self.getNumberParams())\n self.setParams(params)\n",
"role": "user"
},
{
"content": "setRandomParams",
"role": "assistant"
}
] |
def x(self, pertSize=0.001):
params = self.getParams()
self.setParams(params + pertSize * sp.randn(params.shape[0]))
| perturbParams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pertSize=0.001):\n params = self.getParams()\n self.setParams(params + pertSize * sp.randn(params.shape[0]))\n",
"role": "user"
},
{
"content": "perturbParams",
"role": "assistant"
}
] |
def x(self, i, h=0.0001):
params = self.getParams()
e = sp.zeros_like(params)
e[i] = 1
self.setParams(params - h * e)
C_L = self.K()
self.setParams(params + h * e)
C_R = self.K()
self.setParams(params)
RV = (C_R - C_L) / (2 * h)
return RV
| Kgrad_param_num | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, h=0.0001):\n params = self.getParams()\n e = sp.zeros_like(params)\n e[i] = 1\n self.setParams(params - h * e)\n C_L = self.K()\n self.setParams(params + h * e)\n C_R = self.K()\n self.setParams(params)\n RV = (C_R - C_L) / (2 * h)\n return RV\n",
"role": "user"
},
{
"content": "Kgrad_param_num",
"role": "assistant"
}
] |
def x(num, binary_args, phenomdwave, signal_type, noise_interpolants,
prefactor, verbose):
wave = phenomdwave(*binary_args)
out_vals = {}
for key in noise_interpolants:
hn_vals = noise_interpolants[key](wave.freqs)
snr_out = csnr(wave.freqs, wave.hc, hn_vals, wave.fmrg, wave.fpeak,
prefactor=prefactor)
if len(signal_type) == 1:
out_vals[key + '_' + signal_type[0]] = snr_out[signal_type[0]]
else:
for phase in signal_type:
out_vals[key + '_' + phase] = snr_out[phase]
if verbose > 0 and (num + 1) % verbose == 0:
print('Process ', num + 1, 'is finished.')
return out_vals
| parallel_snr_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num, binary_args, phenomdwave, signal_type, noise_interpolants,\n prefactor, verbose):\n wave = phenomdwave(*binary_args)\n out_vals = {}\n for key in noise_interpolants:\n hn_vals = noise_interpolants[key](wave.freqs)\n snr_out = csnr(wave.freqs, wave.hc, hn_vals, wave.fmrg, wave.fpeak,\n prefactor=prefactor)\n if len(signal_type) == 1:\n out_vals[key + '_' + signal_type[0]] = snr_out[signal_type[0]]\n else:\n for phase in signal_type:\n out_vals[key + '_' + phase] = snr_out[phase]\n if verbose > 0 and (num + 1) % verbose == 0:\n print('Process ', num + 1, 'is finished.')\n return out_vals\n",
"role": "user"
},
{
"content": "parallel_snr_func",
"role": "assistant"
}
] |
def x(num, binary_args, eccwave, signal_type, noise_interpolants, prefactor,
verbose):
wave = eccwave(*binary_args)
out_vals = {}
for key in noise_interpolants:
hn_vals = noise_interpolants[key](wave.freqs)
integrand = 1.0 / wave.freqs * (wave.hc ** 2 / hn_vals ** 2)
snr_squared_out = np.trapz(integrand, x=wave.freqs)
if 'modes' in signal_type:
out_vals[key + '_' + 'modes'] = prefactor * np.sqrt(snr_squared_out
)
if 'all' in signal_type:
out_vals[key + '_' + 'all'] = prefactor * np.sqrt(np.sum(
snr_squared_out, axis=-1))
if verbose > 0 and (num + 1) % verbose == 0:
print('Process ', num + 1, 'is finished.')
return out_vals
| parallel_ecc_snr_func | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num, binary_args, eccwave, signal_type, noise_interpolants, prefactor,\n verbose):\n wave = eccwave(*binary_args)\n out_vals = {}\n for key in noise_interpolants:\n hn_vals = noise_interpolants[key](wave.freqs)\n integrand = 1.0 / wave.freqs * (wave.hc ** 2 / hn_vals ** 2)\n snr_squared_out = np.trapz(integrand, x=wave.freqs)\n if 'modes' in signal_type:\n out_vals[key + '_' + 'modes'] = prefactor * np.sqrt(snr_squared_out\n )\n if 'all' in signal_type:\n out_vals[key + '_' + 'all'] = prefactor * np.sqrt(np.sum(\n snr_squared_out, axis=-1))\n if verbose > 0 and (num + 1) % verbose == 0:\n print('Process ', num + 1, 'is finished.')\n return out_vals\n",
"role": "user"
},
{
"content": "parallel_ecc_snr_func",
"role": "assistant"
}
] |
def x(*args, **kwargs):
squeeze = False
max_length = 0
for arg in args:
try:
length = len(arg)
if length > max_length:
max_length = length
except TypeError:
pass
if max_length == 0:
squeeze = True
kwargs['length'] = max_length
snr_main = SNR(**kwargs)
if squeeze:
snr_out = snr_main(*args)
return {key: np.squeeze(snr_out[key]) for key in snr_out}
return snr_main(*args)
| snr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n squeeze = False\n max_length = 0\n for arg in args:\n try:\n length = len(arg)\n if length > max_length:\n max_length = length\n except TypeError:\n pass\n if max_length == 0:\n squeeze = True\n kwargs['length'] = max_length\n snr_main = SNR(**kwargs)\n if squeeze:\n snr_out = snr_main(*args)\n return {key: np.squeeze(snr_out[key]) for key in snr_out}\n return snr_main(*args)\n",
"role": "user"
},
{
"content": "snr",
"role": "assistant"
}
] |
def x(smiles, transforms=[figueras.sssr, aromaticity.aromatize]):
builder = BuildMol()
tokenize(smiles, builder)
mol = builder.mol
for transform in transforms:
mol = transform(mol)
for atom in mol.atoms:
if not atom.has_explicit_hcount:
atom.imp_hcount = atom.hcount - atom.explicit_hcount
return mol
| smilin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(smiles, transforms=[figueras.sssr, aromaticity.aromatize]):\n builder = BuildMol()\n tokenize(smiles, builder)\n mol = builder.mol\n for transform in transforms:\n mol = transform(mol)\n for atom in mol.atoms:\n if not atom.has_explicit_hcount:\n atom.imp_hcount = atom.hcount - atom.explicit_hcount\n return mol\n",
"role": "user"
},
{
"content": "smilin",
"role": "assistant"
}
] |
def x(self, args=None):
opts = dict()
if args is None:
import sys
args = sys.argv[1:]
arglist = peekable(parse_tokens(args))
for is_flag, name in arglist:
if is_flag is True:
next_is_flag, next_name = arglist.peek(default=(None, None))
if next_is_flag is False:
opts[name] = next_name
arglist.next()
else:
opts[name] = True
else:
opts.setdefault('_', []).append(name)
return opts
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None):\n opts = dict()\n if args is None:\n import sys\n args = sys.argv[1:]\n arglist = peekable(parse_tokens(args))\n for is_flag, name in arglist:\n if is_flag is True:\n next_is_flag, next_name = arglist.peek(default=(None, None))\n if next_is_flag is False:\n opts[name] = next_name\n arglist.next()\n else:\n opts[name] = True\n else:\n opts.setdefault('_', []).append(name)\n return opts\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(X1, X2=None):
if X2 == None:
X2 = X1
assert X1.shape[1] == X2.shape[1], 'dimensions do not match'
n = X1.shape[0]
m = X2.shape[0]
d = X1.shape[1]
X1sq = sp.reshape((X1 ** 2).sum(1), n, 1)
X2sq = sp.reshape((X2 ** 2).sum(1), m, 1)
K = sp.tile((X1 * X1).sum(1), (m, 1)).T + sp.tile((X2 * X2).sum(1), (n, 1)
) - 2 * sp.dot(X1, X2.T)
return K
| sq_dist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X1, X2=None):\n if X2 == None:\n X2 = X1\n assert X1.shape[1] == X2.shape[1], 'dimensions do not match'\n n = X1.shape[0]\n m = X2.shape[0]\n d = X1.shape[1]\n X1sq = sp.reshape((X1 ** 2).sum(1), n, 1)\n X2sq = sp.reshape((X2 ** 2).sum(1), m, 1)\n K = sp.tile((X1 * X1).sum(1), (m, 1)).T + sp.tile((X2 * X2).sum(1), (n, 1)\n ) - 2 * sp.dot(X1, X2.T)\n return K\n",
"role": "user"
},
{
"content": "sq_dist",
"role": "assistant"
}
] |
def x(self, bond1, bond2, dboval):
if self.bondtype != 2:
raise FrownsError(
'To set double bond order, center bond must be double!')
assert dboval in [DX_CHI_CIS, DX_CHI_TRANS, DX_CHI_NO_DBO
], 'bad dboval value'
self.dbo.append(bond1, bond2, dboval)
| setdbo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bond1, bond2, dboval):\n if self.bondtype != 2:\n raise FrownsError(\n 'To set double bond order, center bond must be double!')\n assert dboval in [DX_CHI_CIS, DX_CHI_TRANS, DX_CHI_NO_DBO\n ], 'bad dboval value'\n self.dbo.append(bond1, bond2, dboval)\n",
"role": "user"
},
{
"content": "setdbo",
"role": "assistant"
}
] |
def x(self, symbol):
raise 'Deprecated'
self.symbol, self.bondtype, bondorder, self.equiv_class = BONDLOOKUP[symbol
]
if self.bondtype == 4:
self.aromatic = 1
else:
self.aromatic = 0
| set_symbol | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbol):\n raise 'Deprecated'\n self.symbol, self.bondtype, bondorder, self.equiv_class = BONDLOOKUP[symbol\n ]\n if self.bondtype == 4:\n self.aromatic = 1\n else:\n self.aromatic = 0\n",
"role": "user"
},
{
"content": "set_symbol",
"role": "assistant"
}
] |
def x(self, atom):
handle = atom.handle
if handle == self.atoms[0].handle:
return self.atoms[1]
elif handle == self.atoms[1].handle:
return self.atoms[0]
return None
| xatom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, atom):\n handle = atom.handle\n if handle == self.atoms[0].handle:\n return self.atoms[1]\n elif handle == self.atoms[1].handle:\n return self.atoms[0]\n return None\n",
"role": "user"
},
{
"content": "xatom",
"role": "assistant"
}
] |
def x(outfile, boundaries, beat_intervals, labels=None):
if labels is None:
labels = [('Seg#%03d' % idx) for idx in range(1, len(boundaries))]
times = [beat_intervals[beat, 0] for beat in boundaries[:-1]]
times.append(beat_intervals[-1, -1])
with open(outfile, 'w') as f:
for idx, (start, end, lab) in enumerate(zip(times[:-1], times[1:],
labels), 1):
f.write('%.3f\t%.3f\t%s\n' % (start, end, lab))
| save_segments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(outfile, boundaries, beat_intervals, labels=None):\n if labels is None:\n labels = [('Seg#%03d' % idx) for idx in range(1, len(boundaries))]\n times = [beat_intervals[beat, 0] for beat in boundaries[:-1]]\n times.append(beat_intervals[-1, -1])\n with open(outfile, 'w') as f:\n for idx, (start, end, lab) in enumerate(zip(times[:-1], times[1:],\n labels), 1):\n f.write('%.3f\\t%.3f\\t%s\\n' % (start, end, lab))\n",
"role": "user"
},
{
"content": "save_segments",
"role": "assistant"
}
] |
def x(viewname, urlconf=None, args=None, kwargs=None, prefix=None):
prefixer = get_url_prefix()
if prefixer:
prefix = prefix or '/'
url = django_reverse(viewname, urlconf, args, kwargs, prefix)
if prefixer:
url = prefixer.fix(url)
return iri_to_uri(url)
| reverse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(viewname, urlconf=None, args=None, kwargs=None, prefix=None):\n prefixer = get_url_prefix()\n if prefixer:\n prefix = prefix or '/'\n url = django_reverse(viewname, urlconf, args, kwargs, prefix)\n if prefixer:\n url = prefixer.fix(url)\n return iri_to_uri(url)\n",
"role": "user"
},
{
"content": "reverse",
"role": "assistant"
}
] |
def x(path_):
path = path_.lstrip('/')
first, _, rest = path.partition('/')
lang = first.lower()
if lang in settings.LANGUAGE_URL_MAP:
return settings.LANGUAGE_URL_MAP[lang], rest
else:
supported = find_supported(first)
if len(supported):
return supported[0], rest
else:
return '', path
| split_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_):\n path = path_.lstrip('/')\n first, _, rest = path.partition('/')\n lang = first.lower()\n if lang in settings.LANGUAGE_URL_MAP:\n return settings.LANGUAGE_URL_MAP[lang], rest\n else:\n supported = find_supported(first)\n if len(supported):\n return supported[0], rest\n else:\n return '', path\n",
"role": "user"
},
{
"content": "split_path",
"role": "assistant"
}
] |
def x(self):
if 'lang' in self.request.GET:
lang = self.request.GET['lang'].lower()
if lang in settings.LANGUAGE_URL_MAP:
return settings.LANGUAGE_URL_MAP[lang]
if self.request.META.get('HTTP_ACCEPT_LANGUAGE'):
best = self.get_best_language(self.request.META['HTTP_ACCEPT_LANGUAGE']
)
if best:
return best
return settings.LANGUAGE_CODE
| get_language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'lang' in self.request.GET:\n lang = self.request.GET['lang'].lower()\n if lang in settings.LANGUAGE_URL_MAP:\n return settings.LANGUAGE_URL_MAP[lang]\n if self.request.META.get('HTTP_ACCEPT_LANGUAGE'):\n best = self.get_best_language(self.request.META['HTTP_ACCEPT_LANGUAGE']\n )\n if best:\n return best\n return settings.LANGUAGE_CODE\n",
"role": "user"
},
{
"content": "get_language",
"role": "assistant"
}
] |
def x(self, accept_lang):
LUM = settings.LANGUAGE_URL_MAP
langs = dict(LUM.items() + settings.CANONICAL_LOCALES.items())
langs.update((k.split('-')[0], v) for k, v in LUM.items() if k.split(
'-')[0] not in langs)
try:
ranked = parse_accept_lang_header(accept_lang)
except ValueError:
return
else:
for lang, _ in ranked:
lang = lang.lower()
if lang in langs:
return langs[lang]
pre = lang.split('-')[0]
if pre in langs:
return langs[pre]
| get_best_language | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, accept_lang):\n LUM = settings.LANGUAGE_URL_MAP\n langs = dict(LUM.items() + settings.CANONICAL_LOCALES.items())\n langs.update((k.split('-')[0], v) for k, v in LUM.items() if k.split(\n '-')[0] not in langs)\n try:\n ranked = parse_accept_lang_header(accept_lang)\n except ValueError:\n return\n else:\n for lang, _ in ranked:\n lang = lang.lower()\n if lang in langs:\n return langs[lang]\n pre = lang.split('-')[0]\n if pre in langs:\n return langs[pre]\n",
"role": "user"
},
{
"content": "get_best_language",
"role": "assistant"
}
] |
def x():
import numpy
from Cython.Build import cythonize
ext = [Extension('phydmslib.numutils', ['phydmslib/numutils.pyx'],
include_dirs=[numpy.get_include()], extra_compile_args=[
'-Wno-unused-function'])]
return cythonize(ext)
| extensions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import numpy\n from Cython.Build import cythonize\n ext = [Extension('phydmslib.numutils', ['phydmslib/numutils.pyx'],\n include_dirs=[numpy.get_include()], extra_compile_args=[\n '-Wno-unused-function'])]\n return cythonize(ext)\n",
"role": "user"
},
{
"content": "extensions",
"role": "assistant"
}
] |
def x(pid, return_fig_ax=False):
global WORKING_DIRECTORY, SNR_CUT
if isinstance(pid, PlotInput):
pid = pid.return_dict()
WORKING_DIRECTORY = '.'
if 'WORKING_DIRECTORY' not in pid['general'].keys():
pid['general']['WORKING_DIRECTORY'] = '.'
SNR_CUT = 5.0
if 'SNR_CUT' not in pid['general'].keys():
pid['general']['SNR_CUT'] = SNR_CUT
if 'switch_backend' in pid['general'].keys():
plt.switch_backend(pid['general']['switch_backend'])
running_process = MakePlotProcess(**{**pid, **pid['general'], **pid[
'plot_info'], **pid['figure']})
running_process.input_data()
running_process.setup_figure()
running_process.create_plots()
if 'save_figure' in pid['figure'].keys():
if pid['figure']['save_figure'] is True:
running_process.fig.savefig(pid['general']['WORKING_DIRECTORY'] +
'/' + pid['figure']['output_path'], **pid['figure'][
'savefig_kwargs'])
if 'show_figure' in pid['figure'].keys():
if pid['figure']['show_figure'] is True:
plt.show()
if return_fig_ax is True:
return running_process.fig, running_process.ax
return
| plot_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pid, return_fig_ax=False):\n global WORKING_DIRECTORY, SNR_CUT\n if isinstance(pid, PlotInput):\n pid = pid.return_dict()\n WORKING_DIRECTORY = '.'\n if 'WORKING_DIRECTORY' not in pid['general'].keys():\n pid['general']['WORKING_DIRECTORY'] = '.'\n SNR_CUT = 5.0\n if 'SNR_CUT' not in pid['general'].keys():\n pid['general']['SNR_CUT'] = SNR_CUT\n if 'switch_backend' in pid['general'].keys():\n plt.switch_backend(pid['general']['switch_backend'])\n running_process = MakePlotProcess(**{**pid, **pid['general'], **pid[\n 'plot_info'], **pid['figure']})\n running_process.input_data()\n running_process.setup_figure()\n running_process.create_plots()\n if 'save_figure' in pid['figure'].keys():\n if pid['figure']['save_figure'] is True:\n running_process.fig.savefig(pid['general']['WORKING_DIRECTORY'] +\n '/' + pid['figure']['output_path'], **pid['figure'][\n 'savefig_kwargs'])\n if 'show_figure' in pid['figure'].keys():\n if pid['figure']['show_figure'] is True:\n plt.show()\n if return_fig_ax is True:\n return running_process.fig, running_process.ax\n return\n",
"role": "user"
},
{
"content": "plot_main",
"role": "assistant"
}
] |
def x(connection: connection, statement: str) ->Optional[List[Tuple[str, ...]]
]:
response = list()
with connection:
with connection.cursor(cursor_factory=Psycopg2Cursor) as cursor:
cursor.execute(statement)
connection.commit()
try:
response = cursor.fetchall()
if not response:
log('<No Response>', logger_name=_LOGGER_NAME)
return None
except ProgrammingError as e:
if e.args and e.args[0] == 'no results to fetch':
log('<No Response>', logger_name=_LOGGER_NAME)
return None
raise e
log('Response', logger_name=_LOGGER_NAME)
log('--------', logger_name=_LOGGER_NAME)
for line in response:
log(str(line), logger_name=_LOGGER_NAME)
return response
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: connection, statement: str) ->Optional[List[Tuple[str, ...]]\n ]:\n response = list()\n with connection:\n with connection.cursor(cursor_factory=Psycopg2Cursor) as cursor:\n cursor.execute(statement)\n connection.commit()\n try:\n response = cursor.fetchall()\n if not response:\n log('<No Response>', logger_name=_LOGGER_NAME)\n return None\n except ProgrammingError as e:\n if e.args and e.args[0] == 'no results to fetch':\n log('<No Response>', logger_name=_LOGGER_NAME)\n return None\n raise e\n log('Response', logger_name=_LOGGER_NAME)\n log('--------', logger_name=_LOGGER_NAME)\n for line in response:\n log(str(line), logger_name=_LOGGER_NAME)\n return response\n",
"role": "user"
},
{
"content": "execute",
"role": "assistant"
}
] |
def x(self, traverse):
self.data.extend(traverse.data)
self.atoms.extend(traverse.atoms)
self.bonds.extend(traverse.bonds)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, traverse):\n self.data.extend(traverse.data)\n self.atoms.extend(traverse.atoms)\n self.bonds.extend(traverse.bonds)\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(size):
if isinstance(size, string_types):
size = int(size, 10)
if size < 0:
return '-??? bytes'
if size < 1024:
return '%4d bytes' % size
for unit in ('KiB', 'MiB', 'GiB'):
size /= 1024.0
if size < 1024:
return '%6.1f %s' % (size, unit)
return '%6.1f GiB' % size
| human_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size):\n if isinstance(size, string_types):\n size = int(size, 10)\n if size < 0:\n return '-??? bytes'\n if size < 1024:\n return '%4d bytes' % size\n for unit in ('KiB', 'MiB', 'GiB'):\n size /= 1024.0\n if size < 1024:\n return '%6.1f %s' % (size, unit)\n return '%6.1f GiB' % size\n",
"role": "user"
},
{
"content": "human_size",
"role": "assistant"
}
] |
def x(timestamp=None):
if timestamp is None:
timestamp = time.time()
return datetime.datetime.fromtimestamp(timestamp).isoformat(' ')[:19]
| iso_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timestamp=None):\n if timestamp is None:\n timestamp = time.time()\n return datetime.datetime.fromtimestamp(timestamp).isoformat(' ')[:19]\n",
"role": "user"
},
{
"content": "iso_datetime",
"role": "assistant"
}
] |
def x(time1, time2=None, precision=0, short=False):
if time2 is None:
time2 = time.time()
duration = (time1 or 0) - time2
direction = ' ago' if duration < 0 else ('+now' if short else ' from now'
) if time2 else ''
duration = abs(duration)
parts = [('weeks', duration // (7 * 86400)), ('days', duration // 86400 %
7), ('hours', duration // 3600 % 24), ('mins', duration // 60 % 60),
('secs', duration % 60)]
while len(parts) > 1 and parts[0][1] == 0:
parts = parts[1:]
if precision:
parts = parts[:precision]
numfmt = ('%d', '%d'), ('%4d', '%2d')
fmt = '%1.1s' if short else ' %s'
sep = ' ' if short else ', '
result = sep.join((numfmt[bool(short)][bool(idx)] + fmt) % (val, key[:-
1] if val == 1 else key) for idx, (key, val) in enumerate(parts) if val
) + direction
if not time1:
result = 'never' if time2 else 'N/A'
if precision and short:
return result.rjust(1 + precision * 4 + (4 if time2 else 0))
else:
return result
| human_duration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(time1, time2=None, precision=0, short=False):\n if time2 is None:\n time2 = time.time()\n duration = (time1 or 0) - time2\n direction = ' ago' if duration < 0 else ('+now' if short else ' from now'\n ) if time2 else ''\n duration = abs(duration)\n parts = [('weeks', duration // (7 * 86400)), ('days', duration // 86400 %\n 7), ('hours', duration // 3600 % 24), ('mins', duration // 60 % 60),\n ('secs', duration % 60)]\n while len(parts) > 1 and parts[0][1] == 0:\n parts = parts[1:]\n if precision:\n parts = parts[:precision]\n numfmt = ('%d', '%d'), ('%4d', '%2d')\n fmt = '%1.1s' if short else ' %s'\n sep = ' ' if short else ', '\n result = sep.join((numfmt[bool(short)][bool(idx)] + fmt) % (val, key[:-\n 1] if val == 1 else key) for idx, (key, val) in enumerate(parts) if val\n ) + direction\n if not time1:\n result = 'never' if time2 else 'N/A'\n if precision and short:\n return result.rjust(1 + precision * 4 + (4 if time2 else 0))\n else:\n return result\n",
"role": "user"
},
{
"content": "human_duration",
"role": "assistant"
}
] |
def x(text):
if not text or isinstance(text, unicode if PY2 else str):
return text
try:
return text.decode('UTF-8')
except UnicodeError:
try:
return text.decode('CP1252')
except UnicodeError:
return text
| to_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 text or isinstance(text, unicode if PY2 else str):\n return text\n try:\n return text.decode('UTF-8')\n except UnicodeError:\n try:\n return text.decode('CP1252')\n except UnicodeError:\n return text\n",
"role": "user"
},
{
"content": "to_unicode",
"role": "assistant"
}
] |
def x(text):
if not text:
if isinstance(text, string_types):
text = ''
return text
try:
return text.encode('utf8')
except UnicodeDecodeError:
try:
if text.startswith(codecs.BOM_UTF8):
text = text[len(codecs.BOM_UTF8):]
return text.decode('utf8').encode('utf8')
except UnicodeDecodeError:
if text.startswith(codecs.BOM_UTF16_LE):
encoding = 'utf-16le'
text = text[len(codecs.BOM_UTF16_LE):]
elif text.startswith(codecs.BOM_UTF16_BE):
encoding = 'utf-16be'
text = text[len(codecs.BOM_UTF16_BE):]
else:
encoding = 'cp1252'
try:
return text.decode(encoding).encode('utf8')
except UnicodeDecodeError as exc:
for line in text.splitlines():
try:
line.decode(encoding).encode('utf8')
except UnicodeDecodeError:
log.warn(
'Cannot transcode the following into UTF8 cause of %s: %r'
% (exc, line))
break
return text
| to_utf8 | [
{
"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 text:\n if isinstance(text, string_types):\n text = ''\n return text\n try:\n return text.encode('utf8')\n except UnicodeDecodeError:\n try:\n if text.startswith(codecs.BOM_UTF8):\n text = text[len(codecs.BOM_UTF8):]\n return text.decode('utf8').encode('utf8')\n except UnicodeDecodeError:\n if text.startswith(codecs.BOM_UTF16_LE):\n encoding = 'utf-16le'\n text = text[len(codecs.BOM_UTF16_LE):]\n elif text.startswith(codecs.BOM_UTF16_BE):\n encoding = 'utf-16be'\n text = text[len(codecs.BOM_UTF16_BE):]\n else:\n encoding = 'cp1252'\n try:\n return text.decode(encoding).encode('utf8')\n except UnicodeDecodeError as exc:\n for line in text.splitlines():\n try:\n line.decode(encoding).encode('utf8')\n except UnicodeDecodeError:\n log.warn(\n 'Cannot transcode the following into UTF8 cause of %s: %r'\n % (exc, line))\n break\n return text\n",
"role": "user"
},
{
"content": "to_utf8",
"role": "assistant"
}
] |
def x(self, p):
p[0] = self.asttypes.ES5Program(p[1])
p[0].setpos(p)
| p_program | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, p):\n p[0] = self.asttypes.ES5Program(p[1])\n p[0].setpos(p)\n",
"role": "user"
},
{
"content": "p_program",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.