source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, bottom, top): params = eval(self.param_str) self.voc_dir = params['voc_dir'] self.split = params['split'] self.mean = np.array(params['mean']) self.random = params.get('randomize', True) self.seed = params.get('seed', None) if len(top) != 2: raise Exception('Need to define two tops: data and label.') if len(bottom) != 0: raise Exception('Do not define a bottom.') split_f = '{}/ImageSets/Segmentation/{}.txt'.format(self.voc_dir, self. split) self.indices = open(split_f, 'r').read().splitlines() self.idx = 0 if 'train' not in self.split: self.random = False if self.random: random.seed(self.seed) self.idx = random.randint(0, len(self.indices) - 1)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bottom, top):\n params = eval(self.param_str)\n self.voc_dir = params['voc_dir']\n self.split = params['split']\n self.mean = np.array(params['mean'])\n self.random = params.get('randomize', True)\n self.seed = params.get('seed', None)\n if len(top) != 2:\n raise Exception('Need to define two tops: data and label.')\n if len(bottom) != 0:\n raise Exception('Do not define a bottom.')\n split_f = '{}/ImageSets/Segmentation/{}.txt'.format(self.voc_dir, self.\n split)\n self.indices = open(split_f, 'r').read().splitlines()\n self.idx = 0\n if 'train' not in self.split:\n self.random = False\n if self.random:\n random.seed(self.seed)\n self.idx = random.randint(0, len(self.indices) - 1)\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self, bottom, top): params = eval(self.param_str) self.voc_dir = params['voc_dir'] + '/VOC2010' self.context_dir = params['context_dir'] self.split = params['split'] self.mean = np.array((104.007, 116.669, 122.679), dtype=np.float32) self.random = params.get('randomize', True) self.seed = params.get('seed', None) self.labels_400 = [label.replace(' ', '') for idx, label in np. genfromtxt(self.context_dir + '/labels.txt', delimiter=':', dtype=None) ] self.labels_59 = [label.replace(' ', '') for idx, label in np. genfromtxt(self.context_dir + '/59_labels.txt', delimiter=':', dtype=None)] for main_label, task_label in zip(('table', 'bedclothes', 'cloth'), ( 'diningtable', 'bedcloth', 'clothes')): self.labels_59[self.labels_59.index(task_label)] = main_label if len(top) != 2: raise Exception('Need to define two tops: data and label.') if len(bottom) != 0: raise Exception('Do not define a bottom.') split_f = '{}/ImageSets/Main/{}.txt'.format(self.voc_dir, self.split) self.indices = open(split_f, 'r').read().splitlines() self.idx = 0 if 'train' not in self.split: self.random = False if self.random: random.seed(self.seed) self.idx = random.randint(0, len(self.indices) - 1)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bottom, top):\n params = eval(self.param_str)\n self.voc_dir = params['voc_dir'] + '/VOC2010'\n self.context_dir = params['context_dir']\n self.split = params['split']\n self.mean = np.array((104.007, 116.669, 122.679), dtype=np.float32)\n self.random = params.get('randomize', True)\n self.seed = params.get('seed', None)\n self.labels_400 = [label.replace(' ', '') for idx, label in np.\n genfromtxt(self.context_dir + '/labels.txt', delimiter=':', dtype=None)\n ]\n self.labels_59 = [label.replace(' ', '') for idx, label in np.\n genfromtxt(self.context_dir + '/59_labels.txt', delimiter=':',\n dtype=None)]\n for main_label, task_label in zip(('table', 'bedclothes', 'cloth'), (\n 'diningtable', 'bedcloth', 'clothes')):\n self.labels_59[self.labels_59.index(task_label)] = main_label\n if len(top) != 2:\n raise Exception('Need to define two tops: data and label.')\n if len(bottom) != 0:\n raise Exception('Do not define a bottom.')\n split_f = '{}/ImageSets/Main/{}.txt'.format(self.voc_dir, self.split)\n self.indices = open(split_f, 'r').read().splitlines()\n self.idx = 0\n if 'train' not in self.split:\n self.random = False\n if self.random:\n random.seed(self.seed)\n self.idx = random.randint(0, len(self.indices) - 1)\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self, idx): label_400 = scipy.io.loadmat('{}/trainval/{}.mat'.format(self. context_dir, idx))['LabelMap'] label = np.zeros_like(label_400, dtype=np.uint8) for idx, l in enumerate(self.labels_59): idx_400 = self.labels_400.index(l) + 1 label[label_400 == idx_400] = idx + 1 label = label[np.newaxis, ...] return label
load_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n label_400 = scipy.io.loadmat('{}/trainval/{}.mat'.format(self.\n context_dir, idx))['LabelMap']\n label = np.zeros_like(label_400, dtype=np.uint8)\n for idx, l in enumerate(self.labels_59):\n idx_400 = self.labels_400.index(l) + 1\n label[label_400 == idx_400] = idx + 1\n label = label[np.newaxis, ...]\n return label\n", "role": "user" }, { "content": "load_label", "role": "assistant" } ]
def x(self, idx): label = Image.open('{}/SegmentationClass/{}.png'.format(self.dir, idx)) label = np.array(label, dtype=np.uint8) label = label[np.newaxis, ...] return label
load_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n label = Image.open('{}/SegmentationClass/{}.png'.format(self.dir, idx))\n label = np.array(label, dtype=np.uint8)\n label = label[np.newaxis, ...]\n return label\n", "role": "user" }, { "content": "load_label", "role": "assistant" } ]
def x(self, label_im): if label_im.ndim == 3: label_im = label_im[0] label = Image.fromarray(label_im, mode='P') label.palette = copy.copy(self.palette) return label
palette
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, label_im):\n if label_im.ndim == 3:\n label_im = label_im[0]\n label = Image.fromarray(label_im, mode='P')\n label.palette = copy.copy(self.palette)\n return label\n", "role": "user" }, { "content": "palette", "role": "assistant" } ]
def x(seq): fixed_random = random.Random() if six.PY2: fixed_random.seed(FIXED_RANDOM_SEED) else: fixed_random.seed(FIXED_RANDOM_SEED, version=1) seq = list(seq) random.shuffle(seq, random=fixed_random.random) return seq
shuffled
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq):\n fixed_random = random.Random()\n if six.PY2:\n fixed_random.seed(FIXED_RANDOM_SEED)\n else:\n fixed_random.seed(FIXED_RANDOM_SEED, version=1)\n seq = list(seq)\n random.shuffle(seq, random=fixed_random.random)\n return seq\n", "role": "user" }, { "content": "shuffled", "role": "assistant" } ]
def x(patch, _env=None): env = os.environ if _env is None else _env before = env.copy() for k, v in patch: if v is UNSET: env.pop(k, None) elif isinstance(v, tuple): env[k] = format_env(v, before) else: env[k] = v try: yield finally: env.clear() env.update(before)
envcontext
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(patch, _env=None):\n env = os.environ if _env is None else _env\n before = env.copy()\n for k, v in patch:\n if v is UNSET:\n env.pop(k, None)\n elif isinstance(v, tuple):\n env[k] = format_env(v, before)\n else:\n env[k] = v\n try:\n yield\n finally:\n env.clear()\n env.update(before)\n", "role": "user" }, { "content": "envcontext", "role": "assistant" } ]
def x(venv): bin_part = 'Scripts' if os.name == 'nt' else 'bin' return os.path.join(venv, bin_part)
bin_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(venv):\n bin_part = 'Scripts' if os.name == 'nt' else 'bin'\n return os.path.join(venv, bin_part)\n", "role": "user" }, { "content": "bin_dir", "role": "assistant" } ]
def x(config_file, store, overwrite=False, hooks=False, hook_type= 'pre-commit', skip_on_missing_conf=False): if cmd_output('git', 'config', 'core.hooksPath', retcode=None)[1].strip(): logger.error( """Cowardly refusing to install hooks with `core.hooksPath` set. hint: `git config --unset-all core.hooksPath`""" ) return 1 hook_path, legacy_path = _hook_paths(hook_type) mkdirp(os.path.dirname(hook_path)) if os.path.lexists(hook_path) and not is_our_script(hook_path): shutil.move(hook_path, legacy_path) if overwrite and os.path.exists(legacy_path): os.remove(legacy_path) elif os.path.exists(legacy_path): output.write_line( """Running in migration mode with existing hooks at {} Use -f to use only pre-commit.""" .format(legacy_path)) params = {'CONFIG': config_file, 'HOOK_TYPE': hook_type, 'INSTALL_PYTHON': sys.executable, 'SKIP_ON_MISSING_CONFIG': skip_on_missing_conf} with io.open(hook_path, 'w') as hook_file: contents = resource_text('hook-tmpl') before, rest = contents.split(TEMPLATE_START) to_template, after = rest.split(TEMPLATE_END) before = before.replace('#!/usr/bin/env python3', shebang()) hook_file.write(before + TEMPLATE_START) for line in to_template.splitlines(): var = line.split()[0] hook_file.write('{} = {!r}\n'.format(var, params[var])) hook_file.write(TEMPLATE_END + after) make_executable(hook_path) output.write_line('pre-commit installed at {}'.format(hook_path)) if hooks: install_hooks(config_file, store) return 0
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file, store, overwrite=False, hooks=False, hook_type=\n 'pre-commit', skip_on_missing_conf=False):\n if cmd_output('git', 'config', 'core.hooksPath', retcode=None)[1].strip():\n logger.error(\n \"\"\"Cowardly refusing to install hooks with `core.hooksPath` set.\nhint: `git config --unset-all core.hooksPath`\"\"\"\n )\n return 1\n hook_path, legacy_path = _hook_paths(hook_type)\n mkdirp(os.path.dirname(hook_path))\n if os.path.lexists(hook_path) and not is_our_script(hook_path):\n shutil.move(hook_path, legacy_path)\n if overwrite and os.path.exists(legacy_path):\n os.remove(legacy_path)\n elif os.path.exists(legacy_path):\n output.write_line(\n \"\"\"Running in migration mode with existing hooks at {}\nUse -f to use only pre-commit.\"\"\"\n .format(legacy_path))\n params = {'CONFIG': config_file, 'HOOK_TYPE': hook_type,\n 'INSTALL_PYTHON': sys.executable, 'SKIP_ON_MISSING_CONFIG':\n skip_on_missing_conf}\n with io.open(hook_path, 'w') as hook_file:\n contents = resource_text('hook-tmpl')\n before, rest = contents.split(TEMPLATE_START)\n to_template, after = rest.split(TEMPLATE_END)\n before = before.replace('#!/usr/bin/env python3', shebang())\n hook_file.write(before + TEMPLATE_START)\n for line in to_template.splitlines():\n var = line.split()[0]\n hook_file.write('{} = {!r}\\n'.format(var, params[var]))\n hook_file.write(TEMPLATE_END + after)\n make_executable(hook_path)\n output.write_line('pre-commit installed at {}'.format(hook_path))\n if hooks:\n install_hooks(config_file, store)\n return 0\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(hook_type='pre-commit'): hook_path, legacy_path = _hook_paths(hook_type) if not os.path.exists(hook_path) or not is_our_script(hook_path): return 0 os.remove(hook_path) output.write_line('{} uninstalled'.format(hook_type)) if os.path.exists(legacy_path): os.rename(legacy_path, hook_path) output.write_line('Restored previous hooks to {}'.format(hook_path)) return 0
uninstall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hook_type='pre-commit'):\n hook_path, legacy_path = _hook_paths(hook_type)\n if not os.path.exists(hook_path) or not is_our_script(hook_path):\n return 0\n os.remove(hook_path)\n output.write_line('{} uninstalled'.format(hook_type))\n if os.path.exists(legacy_path):\n os.rename(legacy_path, hook_path)\n output.write_line('Restored previous hooks to {}'.format(hook_path))\n return 0\n", "role": "user" }, { "content": "uninstall", "role": "assistant" } ]
def x(cmd): exe = normexe(cmd[0]) cmd = parse_filename(exe) + (exe,) + cmd[1:] exe = normexe(cmd[0]) return (exe,) + cmd[1:]
normalize_cmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd):\n exe = normexe(cmd[0])\n cmd = parse_filename(exe) + (exe,) + cmd[1:]\n exe = normexe(cmd[0])\n return (exe,) + cmd[1:]\n", "role": "user" }, { "content": "normalize_cmd", "role": "assistant" } ]
def x(start, postfix='', end_msg=None, end_len=0, end_color=None, use_color =None, cols=80): if bool(end_msg) == bool(end_len): raise ValueError('Expected one of (`end_msg`, `end_len`)') if end_msg is not None and (end_color is None or use_color is None): raise ValueError( '`end_color` and `use_color` are required with `end_msg`') if end_len: return start + '.' * (cols - len(start) - end_len - 1) else: return '{}{}{}{}\n'.format(start, '.' * (cols - len(start) - len( postfix) - len(end_msg) - 1), postfix, color.format_color( end_msg, end_color, use_color))
get_hook_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, postfix='', end_msg=None, end_len=0, end_color=None, use_color\n =None, cols=80):\n if bool(end_msg) == bool(end_len):\n raise ValueError('Expected one of (`end_msg`, `end_len`)')\n if end_msg is not None and (end_color is None or use_color is None):\n raise ValueError(\n '`end_color` and `use_color` are required with `end_msg`')\n if end_len:\n return start + '.' * (cols - len(start) - end_len - 1)\n else:\n return '{}{}{}{}\\n'.format(start, '.' * (cols - len(start) - len(\n postfix) - len(end_msg) - 1), postfix, color.format_color(\n end_msg, end_color, use_color))\n", "role": "user" }, { "content": "get_hook_message", "role": "assistant" } ]
def x(): if sys.platform in ('cygwin', 'win32'): is_cygwin_python = sys.platform == 'cygwin' toplevel = cmd_output('git', 'rev-parse', '--show-toplevel')[1] is_cygwin_git = toplevel.startswith('/') if is_cygwin_python ^ is_cygwin_git: exe_type = {(True): '(cygwin)', (False): '(windows)'} logger.warn( """pre-commit has detected a mix of cygwin python / git This combination is not supported, it is likely you will receive an error later in the program. Make sure to use cygwin git+python while using cygwin These can be installed through the cygwin installer. - python {} - git {} """ .format(exe_type[is_cygwin_python], exe_type[is_cygwin_git]))
check_for_cygwin_mismatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if sys.platform in ('cygwin', 'win32'):\n is_cygwin_python = sys.platform == 'cygwin'\n toplevel = cmd_output('git', 'rev-parse', '--show-toplevel')[1]\n is_cygwin_git = toplevel.startswith('/')\n if is_cygwin_python ^ is_cygwin_git:\n exe_type = {(True): '(cygwin)', (False): '(windows)'}\n logger.warn(\n \"\"\"pre-commit has detected a mix of cygwin python / git\nThis combination is not supported, it is likely you will receive an error later in the program.\nMake sure to use cygwin git+python while using cygwin\nThese can be installed through the cygwin installer.\n - python {}\n - git {}\n\"\"\"\n .format(exe_type[is_cygwin_python], exe_type[is_cygwin_git]))\n", "role": "user" }, { "content": "check_for_cygwin_mismatch", "role": "assistant" } ]
def x(cmd, varargs, **kwargs): negate = kwargs.pop('negate', False) target_concurrency = kwargs.pop('target_concurrency', 1) max_length = kwargs.pop('_max_length', _get_platform_max_length()) retcode = 0 stdout = b'' stderr = b'' try: cmd = parse_shebang.normalize_cmd(cmd) except parse_shebang.ExecutableNotFoundError as e: return e.to_output() partitions = partition(cmd, varargs, target_concurrency, max_length) def x(run_cmd): return cmd_output(*run_cmd, encoding=None, retcode=None, **kwargs) threads = min(len(partitions), target_concurrency) with _thread_mapper(threads) as thread_map: results = thread_map(run_cmd_partition, partitions) for proc_retcode, proc_out, proc_err in results: retcode |= bool(proc_retcode) ^ negate stdout += proc_out stderr += proc_err return retcode, stdout, stderr
xargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, varargs, **kwargs):\n negate = kwargs.pop('negate', False)\n target_concurrency = kwargs.pop('target_concurrency', 1)\n max_length = kwargs.pop('_max_length', _get_platform_max_length())\n retcode = 0\n stdout = b''\n stderr = b''\n try:\n cmd = parse_shebang.normalize_cmd(cmd)\n except parse_shebang.ExecutableNotFoundError as e:\n return e.to_output()\n partitions = partition(cmd, varargs, target_concurrency, max_length)\n\n def x(run_cmd):\n return cmd_output(*run_cmd, encoding=None, retcode=None, **kwargs)\n threads = min(len(partitions), target_concurrency)\n with _thread_mapper(threads) as thread_map:\n results = thread_map(run_cmd_partition, partitions)\n for proc_retcode, proc_out, proc_err in results:\n retcode |= bool(proc_retcode) ^ negate\n stdout += proc_out\n stderr += proc_err\n return retcode, stdout, stderr\n", "role": "user" }, { "content": "xargs", "role": "assistant" } ]
def x(name, repo, ref, destdir): output_path = os.path.join(destdir, name + '.tar.gz') with tmpdir() as tempdir: cmd_output('git', 'clone', repo, tempdir) cmd_output('git', 'checkout', ref, cwd=tempdir) rmtree(os.path.join(tempdir, '.git')) with tarfile.open(output_path, 'w|gz') as tf: tf.add(tempdir, name) return output_path
make_archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, repo, ref, destdir):\n output_path = os.path.join(destdir, name + '.tar.gz')\n with tmpdir() as tempdir:\n cmd_output('git', 'clone', repo, tempdir)\n cmd_output('git', 'checkout', ref, cwd=tempdir)\n rmtree(os.path.join(tempdir, '.git'))\n with tarfile.open(output_path, 'w|gz') as tf:\n tf.add(tempdir, name)\n return output_path\n", "role": "user" }, { "content": "make_archive", "role": "assistant" } ]
def x(hooks, verbose): if hooks: name_len = max(len(_hook_msg_start(hook, verbose)) for hook in hooks) else: name_len = 0 cols = name_len + 3 + len(NO_FILES) + 1 + len(SKIPPED) return max(cols, 80)
compute_cols
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hooks, verbose):\n if hooks:\n name_len = max(len(_hook_msg_start(hook, verbose)) for hook in hooks)\n else:\n name_len = 0\n cols = name_len + 3 + len(NO_FILES) + 1 + len(SKIPPED)\n return max(cols, 80)\n", "role": "user" }, { "content": "compute_cols", "role": "assistant" } ]
def x(config, hooks, args, environ): skips = _get_skips(environ) cols = _compute_cols(hooks, args.verbose) filenames = _all_filenames(args) filenames = filter_by_include_exclude(filenames, '', config['exclude']) classifier = Classifier(filenames) retval = 0 for hook in hooks: retval |= _run_single_hook(classifier, hook, args, skips, cols) if retval and config['fail_fast']: break if retval and args.show_diff_on_failure and git.has_diff(): if args.all_files: output.write_line( """pre-commit hook(s) made changes. If you are seeing this message in CI, reproduce locally with: `pre-commit run --all-files`. To run `pre-commit` as part of git workflow, use `pre-commit install`.""" ) output.write_line('All changes made by hooks:') subprocess.call(('git', '--no-pager', 'diff', '--no-ext-diff')) return retval
run_hooks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, hooks, args, environ):\n skips = _get_skips(environ)\n cols = _compute_cols(hooks, args.verbose)\n filenames = _all_filenames(args)\n filenames = filter_by_include_exclude(filenames, '', config['exclude'])\n classifier = Classifier(filenames)\n retval = 0\n for hook in hooks:\n retval |= _run_single_hook(classifier, hook, args, skips, cols)\n if retval and config['fail_fast']:\n break\n if retval and args.show_diff_on_failure and git.has_diff():\n if args.all_files:\n output.write_line(\n \"\"\"pre-commit hook(s) made changes.\nIf you are seeing this message in CI, reproduce locally with: `pre-commit run --all-files`.\nTo run `pre-commit` as part of git workflow, use `pre-commit install`.\"\"\"\n )\n output.write_line('All changes made by hooks:')\n subprocess.call(('git', '--no-pager', 'diff', '--no-ext-diff'))\n return retval\n", "role": "user" }, { "content": "run_hooks", "role": "assistant" } ]
def x(path): def x(func, path, exc): excvalue = exc[1] if func in (os.rmdir, os.remove, os.unlink ) and excvalue.errno == errno.EACCES: os.chmod(path, stat.S_IRWXU | stat.S_IRWXG | stat.S_IRWXO) func(path) else: raise shutil.rmtree(path, ignore_errors=False, onerror=handle_remove_readonly)
rmtree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n\n def x(func, path, exc):\n excvalue = exc[1]\n if func in (os.rmdir, os.remove, os.unlink\n ) and excvalue.errno == errno.EACCES:\n os.chmod(path, stat.S_IRWXU | stat.S_IRWXG | stat.S_IRWXO)\n func(path)\n else:\n raise\n shutil.rmtree(path, ignore_errors=False, onerror=handle_remove_readonly)\n", "role": "user" }, { "content": "rmtree", "role": "assistant" } ]
def x(repo_config, store, tags_only): repo_path = store.clone(repo_config['repo'], repo_config['rev']) cmd_output('git', 'fetch', cwd=repo_path) tag_cmd = 'git', 'describe', 'origin/master', '--tags' if tags_only: tag_cmd += '--abbrev=0', else: tag_cmd += '--exact', try: rev = cmd_output(*tag_cmd, cwd=repo_path)[1].strip() except CalledProcessError: tag_cmd = 'git', 'rev-parse', 'origin/master' rev = cmd_output(*tag_cmd, cwd=repo_path)[1].strip() if rev == repo_config['rev']: return repo_config try: path = store.clone(repo_config['repo'], rev) manifest = load_manifest(os.path.join(path, C.MANIFEST_FILE)) except InvalidManifestError as e: raise RepositoryCannotBeUpdatedError(six.text_type(e)) hooks = {hook['id'] for hook in repo_config['hooks']} hooks_missing = hooks - {hook['id'] for hook in manifest} if hooks_missing: raise RepositoryCannotBeUpdatedError( """Cannot update because the tip of master is missing these hooks: {}""" .format(', '.join(sorted(hooks_missing)))) new_config = repo_config.copy() new_config['rev'] = rev return new_config
update_repo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_config, store, tags_only):\n repo_path = store.clone(repo_config['repo'], repo_config['rev'])\n cmd_output('git', 'fetch', cwd=repo_path)\n tag_cmd = 'git', 'describe', 'origin/master', '--tags'\n if tags_only:\n tag_cmd += '--abbrev=0',\n else:\n tag_cmd += '--exact',\n try:\n rev = cmd_output(*tag_cmd, cwd=repo_path)[1].strip()\n except CalledProcessError:\n tag_cmd = 'git', 'rev-parse', 'origin/master'\n rev = cmd_output(*tag_cmd, cwd=repo_path)[1].strip()\n if rev == repo_config['rev']:\n return repo_config\n try:\n path = store.clone(repo_config['repo'], rev)\n manifest = load_manifest(os.path.join(path, C.MANIFEST_FILE))\n except InvalidManifestError as e:\n raise RepositoryCannotBeUpdatedError(six.text_type(e))\n hooks = {hook['id'] for hook in repo_config['hooks']}\n hooks_missing = hooks - {hook['id'] for hook in manifest}\n if hooks_missing:\n raise RepositoryCannotBeUpdatedError(\n \"\"\"Cannot update because the tip of master is missing these hooks:\n{}\"\"\"\n .format(', '.join(sorted(hooks_missing))))\n new_config = repo_config.copy()\n new_config['rev'] = rev\n return new_config\n", "role": "user" }, { "content": "update_repo", "role": "assistant" } ]
def x(config_file, store, tags_only, repos=()): migrate_config(config_file, quiet=True) retv = 0 output_repos = [] changed = False input_config = load_config(config_file) for repo_config in input_config['repos']: if repo_config['repo'] in {LOCAL, META} or repos and repo_config['repo' ] not in repos: output_repos.append(repo_config) continue output.write('Updating {}...'.format(repo_config['repo'])) try: new_repo_config = _update_repo(repo_config, store, tags_only) except RepositoryCannotBeUpdatedError as error: output.write_line(error.args[0]) output_repos.append(repo_config) retv = 1 continue if new_repo_config['rev'] != repo_config['rev']: changed = True output.write_line('updating {} -> {}.'.format(repo_config['rev' ], new_repo_config['rev'])) output_repos.append(new_repo_config) else: output.write_line('already up to date.') output_repos.append(repo_config) if changed: output_config = input_config.copy() output_config['repos'] = output_repos _write_new_config_file(config_file, output_config) return retv
autoupdate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file, store, tags_only, repos=()):\n migrate_config(config_file, quiet=True)\n retv = 0\n output_repos = []\n changed = False\n input_config = load_config(config_file)\n for repo_config in input_config['repos']:\n if repo_config['repo'] in {LOCAL, META} or repos and repo_config['repo'\n ] not in repos:\n output_repos.append(repo_config)\n continue\n output.write('Updating {}...'.format(repo_config['repo']))\n try:\n new_repo_config = _update_repo(repo_config, store, tags_only)\n except RepositoryCannotBeUpdatedError as error:\n output.write_line(error.args[0])\n output_repos.append(repo_config)\n retv = 1\n continue\n if new_repo_config['rev'] != repo_config['rev']:\n changed = True\n output.write_line('updating {} -> {}.'.format(repo_config['rev'\n ], new_repo_config['rev']))\n output_repos.append(new_repo_config)\n else:\n output.write_line('already up to date.')\n output_repos.append(repo_config)\n if changed:\n output_config = input_config.copy()\n output_config['repos'] = output_repos\n _write_new_config_file(config_file, output_config)\n return retv\n", "role": "user" }, { "content": "autoupdate", "role": "assistant" } ]
def x(exe): try: prefix_script = 'import sys; print(sys.real_prefix)' _, prefix, _ = cmd_output(exe, '-c', prefix_script) prefix = prefix.strip() except CalledProcessError: return exe if os.name == 'nt': expected = os.path.join(prefix, 'python.exe') else: expected = os.path.join(prefix, 'bin', os.path.basename(exe)) if os.path.exists(expected): return expected else: return exe
orig_py_exe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exe):\n try:\n prefix_script = 'import sys; print(sys.real_prefix)'\n _, prefix, _ = cmd_output(exe, '-c', prefix_script)\n prefix = prefix.strip()\n except CalledProcessError:\n return exe\n if os.name == 'nt':\n expected = os.path.join(prefix, 'python.exe')\n else:\n expected = os.path.join(prefix, 'bin', os.path.basename(exe))\n if os.path.exists(expected):\n return expected\n else:\n return exe\n", "role": "user" }, { "content": "orig_py_exe", "role": "assistant" } ]
def x(): stdout = GetStdHandle(STD_OUTPUT_HANDLE) flags = GetConsoleMode(stdout) SetConsoleMode(stdout, flags | ENABLE_VIRTUAL_TERMINAL_PROCESSING)
enable_virtual_terminal_processing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n stdout = GetStdHandle(STD_OUTPUT_HANDLE)\n flags = GetConsoleMode(stdout)\n SetConsoleMode(stdout, flags | ENABLE_VIRTUAL_TERMINAL_PROCESSING)\n", "role": "user" }, { "content": "enable_virtual_terminal_processing", "role": "assistant" } ]
def x(text, color, use_color_setting): if not use_color_setting: return text else: return '{}{}{}'.format(color, text, NORMAL)
format_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, color, use_color_setting):\n if not use_color_setting:\n return text\n else:\n return '{}{}{}'.format(color, text, NORMAL)\n", "role": "user" }, { "content": "format_color", "role": "assistant" } ]
def x(setting): if setting not in COLOR_CHOICES: raise InvalidColorSetting(setting) return setting == 'always' or setting == 'auto' and sys.stdout.isatty( ) and terminal_supports_color
use_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(setting):\n if setting not in COLOR_CHOICES:\n raise InvalidColorSetting(setting)\n return setting == 'always' or setting == 'auto' and sys.stdout.isatty(\n ) and terminal_supports_color\n", "role": "user" }, { "content": "use_color", "role": "assistant" } ]
def x(): return os.environ.get('PRE_COMMIT_HOME') or os.path.join(os.environ.get ('XDG_CACHE_HOME') or os.path.expanduser('~/.cache'), 'pre-commit')
get_default_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n return os.environ.get('PRE_COMMIT_HOME') or os.path.join(os.environ.get\n ('XDG_CACHE_HOME') or os.path.expanduser('~/.cache'), 'pre-commit')\n", "role": "user" }, { "content": "get_default_directory", "role": "assistant" } ]
def x(self, ref, git_cmd): git_config = 'protocol.version=2' git_cmd('-c', git_config, 'fetch', 'origin', ref, '--depth=1') git_cmd('checkout', ref) git_cmd('-c', git_config, 'submodule', 'update', '--init', '--recursive', '--depth=1')
shallow_clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ref, git_cmd):\n git_config = 'protocol.version=2'\n git_cmd('-c', git_config, 'fetch', 'origin', ref, '--depth=1')\n git_cmd('checkout', ref)\n git_cmd('-c', git_config, 'submodule', 'update', '--init',\n '--recursive', '--depth=1')\n", "role": "user" }, { "content": "shallow_clone", "role": "assistant" } ]
def x(self, repo, ref, deps=()): if os.path.isdir(repo): repo = os.path.abspath(repo) def x(directory): env = git.no_git_env() def x(*args): cmd_output('git', *args, cwd=directory, env=env) _git_cmd('init', '.') _git_cmd('remote', 'add', 'origin', repo) try: self._shallow_clone(ref, _git_cmd) except CalledProcessError: self._complete_clone(ref, _git_cmd) return self._new_repo(repo, ref, deps, clone_strategy)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, repo, ref, deps=()):\n if os.path.isdir(repo):\n repo = os.path.abspath(repo)\n\n def x(directory):\n env = git.no_git_env()\n\n def x(*args):\n cmd_output('git', *args, cwd=directory, env=env)\n _git_cmd('init', '.')\n _git_cmd('remote', 'add', 'origin', repo)\n try:\n self._shallow_clone(ref, _git_cmd)\n except CalledProcessError:\n self._complete_clone(ref, _git_cmd)\n return self._new_repo(repo, ref, deps, clone_strategy)\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(start, stop, compound, t=0.0): curr = float(start) while True: yield _clip(curr, start, stop) curr *= compound
compounding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, stop, compound, t=0.0):\n curr = float(start)\n while True:\n yield _clip(curr, start, stop)\n curr *= compound\n", "role": "user" }, { "content": "compounding", "role": "assistant" } ]
def x(max_rate, num_steps, cut_frac=0.1, ratio=32, decay=1, t=0.0): cut = int(num_steps * cut_frac) while True: t += 1 if t < cut: p = t / cut else: p = 1 - (t - cut) / (cut * (1 / cut_frac - 1)) learn_rate = max_rate * (1 + p * (ratio - 1)) * (1 / ratio) yield learn_rate
slanted_triangular
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_rate, num_steps, cut_frac=0.1, ratio=32, decay=1, t=0.0):\n cut = int(num_steps * cut_frac)\n while True:\n t += 1\n if t < cut:\n p = t / cut\n else:\n p = 1 - (t - cut) / (cut * (1 / cut_frac - 1))\n learn_rate = max_rate * (1 + p * (ratio - 1)) * (1 / ratio)\n yield learn_rate\n", "role": "user" }, { "content": "slanted_triangular", "role": "assistant" } ]
def x(*args): for i, arg in enumerate(args): if not isinstance(arg, Sized): raise ExpectedTypeError(arg, ['Sized']) if i >= 1 and len(arg) != len(args[0]): raise DifferentLengthError(args, arg)
equal_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args):\n for i, arg in enumerate(args):\n if not isinstance(arg, Sized):\n raise ExpectedTypeError(arg, ['Sized'])\n if i >= 1 and len(arg) != len(args[0]):\n raise DifferentLengthError(args, arg)\n", "role": "user" }, { "content": "equal_length", "role": "assistant" } ]
def x(*args, **axis): axis = axis.get('axis', -1) for i, arg in enumerate(args): if not isinstance(arg, ndarray): raise ExpectedTypeError(arg, ['ndarray']) if axis >= 0 and axis + 1 < arg.shape[axis]: raise ShapeMismatchError(arg.shape[axis], axis, []) if i >= 1 and arg.shape[axis] != args[0].shape[axis]: lengths = [a.shape[axis] for a in args] raise DifferentLengthError(lengths, arg)
equal_axis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **axis):\n axis = axis.get('axis', -1)\n for i, arg in enumerate(args):\n if not isinstance(arg, ndarray):\n raise ExpectedTypeError(arg, ['ndarray'])\n if axis >= 0 and axis + 1 < arg.shape[axis]:\n raise ShapeMismatchError(arg.shape[axis], axis, [])\n if i >= 1 and arg.shape[axis] != args[0].shape[axis]:\n lengths = [a.shape[axis] for a in args]\n raise DifferentLengthError(lengths, arg)\n", "role": "user" }, { "content": "equal_axis", "role": "assistant" } ]
def x(shape): def x(arg_id, args, kwargs): self = args[0] arg = args[arg_id] if not hasattr(arg, 'shape'): raise ExpectedTypeError(arg, ['array']) shape_values = [] for dim in shape: if not isinstance(dim, integer_types): dim = getattr(self, dim, None) shape_values.append(dim) if len(shape) != len(arg.shape): raise ShapeMismatchError(arg.shape, tuple(shape_values), shape) for i, dim in enumerate(shape_values): if dim is not None and arg.shape[i] != dim: raise ShapeMismatchError(arg.shape, shape_values, shape) return has_shape_inner
has_shape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(shape):\n\n def x(arg_id, args, kwargs):\n self = args[0]\n arg = args[arg_id]\n if not hasattr(arg, 'shape'):\n raise ExpectedTypeError(arg, ['array'])\n shape_values = []\n for dim in shape:\n if not isinstance(dim, integer_types):\n dim = getattr(self, dim, None)\n shape_values.append(dim)\n if len(shape) != len(arg.shape):\n raise ShapeMismatchError(arg.shape, tuple(shape_values), shape)\n for i, dim in enumerate(shape_values):\n if dim is not None and arg.shape[i] != dim:\n raise ShapeMismatchError(arg.shape, shape_values, shape)\n return has_shape_inner\n", "role": "user" }, { "content": "has_shape", "role": "assistant" } ]
def x(cls, operators): old_ops = dict(cls._operators) for op, func in operators.items(): cls._operators[op] = func yield cls._operators = old_ops
define_operators
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, operators):\n old_ops = dict(cls._operators)\n for op, func in operators.items():\n cls._operators[op] = func\n yield\n cls._operators = old_ops\n", "role": "user" }, { "content": "define_operators", "role": "assistant" } ]
def x(cls, device): if device == cls.ops.device: yield else: curr_Ops, curr_ops = cls.Ops, cls.ops cls.Ops = get_ops(device) cls.ops = cls.Ops() yield cls.Ops = curr_Ops cls.ops = curr_ops
use_device
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, device):\n if device == cls.ops.device:\n yield\n else:\n curr_Ops, curr_ops = cls.Ops, cls.ops\n cls.Ops = get_ops(device)\n cls.ops = cls.Ops()\n yield\n cls.Ops = curr_Ops\n cls.ops = curr_ops\n", "role": "user" }, { "content": "use_device", "role": "assistant" } ]
def x(self, X, y): scores = self.ops.flatten(list(self.pipe(X))) if not hasattr(y, 'shape'): y = self.ops.flatten(y) scores = scores.reshape(y.shape) if len(scores.shape) == 1: correct = ((scores >= 0.5) == (y >= 0.5)).sum() else: correct = (scores.argmax(axis=1) == y.argmax(axis=1)).sum() return correct / y.shape[0]
evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, y):\n scores = self.ops.flatten(list(self.pipe(X)))\n if not hasattr(y, 'shape'):\n y = self.ops.flatten(y)\n scores = scores.reshape(y.shape)\n if len(scores.shape) == 1:\n correct = ((scores >= 0.5) == (y >= 0.5)).sum()\n else:\n correct = (scores.argmax(axis=1) == y.argmax(axis=1)).sum()\n return correct / y.shape[0]\n", "role": "user" }, { "content": "evaluate", "role": "assistant" } ]
def x(model, sgd, X, Y, initial_hidden=None): outputs, get_dX = model.begin_update(X, initial_hidden) Yh, h_n = outputs tupleDy = Yh - Y, h_n dX = get_dX(tupleDy, sgd=sgd) prev = numpy.abs(Yh.sum()) print(prev) for i in range(1000): outputs, get_dX = model.begin_update(X) Yh, h_n = outputs current_sum = numpy.abs(Yh.sum()) tupleDy = Yh - Y, h_n dX = get_dX(tupleDy, sgd=sgd) print(current_sum)
check_learns_zero_output_rnn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, sgd, X, Y, initial_hidden=None):\n outputs, get_dX = model.begin_update(X, initial_hidden)\n Yh, h_n = outputs\n tupleDy = Yh - Y, h_n\n dX = get_dX(tupleDy, sgd=sgd)\n prev = numpy.abs(Yh.sum())\n print(prev)\n for i in range(1000):\n outputs, get_dX = model.begin_update(X)\n Yh, h_n = outputs\n current_sum = numpy.abs(Yh.sum())\n tupleDy = Yh - Y, h_n\n dX = get_dX(tupleDy, sgd=sgd)\n print(current_sum)\n", "role": "user" }, { "content": "check_learns_zero_output_rnn", "role": "assistant" } ]
def x(self, x_data, drop=0.0): x_var = torch.autograd.Variable(xp2torch(x_data), requires_grad=True) y_var = self._model(x_var) def x(dy_data, sgd=None): dy_var = xp2torch(dy_data) torch.autograd.backward((y_var,), grad_tensors=(dy_var,)) if sgd is not None: if self._optimizer is None: self._optimizer = self._create_optimizer(sgd) self._optimizer.step() self._optimizer.zero_grad() return torch2xp(x_var.grad) return torch2xp(y_var), backward_pytorch
begin_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x_data, drop=0.0):\n x_var = torch.autograd.Variable(xp2torch(x_data), requires_grad=True)\n y_var = self._model(x_var)\n\n def x(dy_data, sgd=None):\n dy_var = xp2torch(dy_data)\n torch.autograd.backward((y_var,), grad_tensors=(dy_var,))\n if sgd is not None:\n if self._optimizer is None:\n self._optimizer = self._create_optimizer(sgd)\n self._optimizer.step()\n self._optimizer.zero_grad()\n return torch2xp(x_var.grad)\n return torch2xp(y_var), backward_pytorch\n", "role": "user" }, { "content": "begin_update", "role": "assistant" } ]
def x(self, x_data, h_0=None, drop=0.0): x_var = torch.autograd.Variable(xp2torch(x_data), requires_grad=True) out, h_n = self._model(x_var, h_0) def x(d_data, sgd=None): dy_data, _ = d_data dout = xp2torch(dy_data) torch.autograd.backward((out,), grad_tensors=(dout,)) if sgd is not None: if self._optimizer is None: self._optimizer = self._create_optimizer(sgd) self._optimizer.step() self._optimizer.zero_grad() return torch2xp(x_var.grad) return (torch2xp(out), h_n), backward_pytorch_rnn
begin_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x_data, h_0=None, drop=0.0):\n x_var = torch.autograd.Variable(xp2torch(x_data), requires_grad=True)\n out, h_n = self._model(x_var, h_0)\n\n def x(d_data, sgd=None):\n dy_data, _ = d_data\n dout = xp2torch(dy_data)\n torch.autograd.backward((out,), grad_tensors=(dout,))\n if sgd is not None:\n if self._optimizer is None:\n self._optimizer = self._create_optimizer(sgd)\n self._optimizer.step()\n self._optimizer.zero_grad()\n return torch2xp(x_var.grad)\n return (torch2xp(out), h_n), backward_pytorch_rnn\n", "role": "user" }, { "content": "begin_update", "role": "assistant" } ]
def x(begin_update=None, predict=None, *args, **kwargs): if begin_update is not None: return FunctionLayer(begin_update, *args, predict=predict, **kwargs) def x(begin_update): return FunctionLayer(begin_update, *args, **kwargs) return wrapper
layerize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(begin_update=None, predict=None, *args, **kwargs):\n if begin_update is not None:\n return FunctionLayer(begin_update, *args, predict=predict, **kwargs)\n\n def x(begin_update):\n return FunctionLayer(begin_update, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "layerize", "role": "assistant" } ]
def x(user_func): def x(layers, *args, **kwargs): def x(X, *args, **kwargs): return user_func(layers, X, *args, **kwargs) return FunctionLayer(begin_update, *args, **kwargs) return returned
metalayerize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user_func):\n\n def x(layers, *args, **kwargs):\n\n def x(X, *args, **kwargs):\n return user_func(layers, X, *args, **kwargs)\n return FunctionLayer(begin_update, *args, **kwargs)\n return returned\n", "role": "user" }, { "content": "metalayerize", "role": "assistant" } ]
def x(*layers): def x(X, drop=0.0): return X, lambda D, *a, **k: D return begin_update
noop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*layers):\n\n def x(X, drop=0.0):\n return X, lambda D, *a, **k: D\n return begin_update\n", "role": "user" }, { "content": "noop", "role": "assistant" } ]
def x(*layers): if len(layers) == 0: return FeedForward([]) elif len(layers) == 1: return layers[0] else: return FeedForward(layers)
chain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*layers):\n if len(layers) == 0:\n return FeedForward([])\n elif len(layers) == 1:\n return layers[0]\n else:\n return FeedForward(layers)\n", "role": "user" }, { "content": "chain", "role": "assistant" } ]
def x(orig, n): if n == 0: return layerize(noop()) layers = [orig] for i in range(n - 1): layers.append(copy.deepcopy(orig)) layers[-1].set_id() return FeedForward(layers)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(orig, n):\n if n == 0:\n return layerize(noop())\n layers = [orig]\n for i in range(n - 1):\n layers.append(copy.deepcopy(orig))\n layers[-1].set_id()\n return FeedForward(layers)\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(*layers): if not layers: return noop() ops = layers[0].ops def x(X, *a, **k): forward, backward = split_backward(layers) values = [fwd(X, *a, **k) for fwd in forward] output = ops.xp.hstack(values) shapes = [val.shape for val in values] def x(gradient, *args, **kwargs): layer_grads = [] start = 0 for bwd, shape in zip(backward, shapes): end = start + shape[1] if bwd is not None: d = bwd(ops.xp.ascontiguousarray(gradient[:, start:end] ), *args, **kwargs) if d is not None and hasattr(X, 'shape'): if not layer_grads: layer_grads.append(d) else: layer_grads[-1] += d start = end if layer_grads: return ops.asarray(layer_grads[-1]) else: return None return output, finish_update layer = FunctionLayer(begin_update) layer._layers = list(layers) def x(self, X, y=None): for layer in self._layers: for hook in layer.on_data_hooks: hook(layer, X, y) layer.on_data_hooks.append(on_data) return layer
concatenate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*layers):\n if not layers:\n return noop()\n ops = layers[0].ops\n\n def x(X, *a, **k):\n forward, backward = split_backward(layers)\n values = [fwd(X, *a, **k) for fwd in forward]\n output = ops.xp.hstack(values)\n shapes = [val.shape for val in values]\n\n def x(gradient, *args, **kwargs):\n layer_grads = []\n start = 0\n for bwd, shape in zip(backward, shapes):\n end = start + shape[1]\n if bwd is not None:\n d = bwd(ops.xp.ascontiguousarray(gradient[:, start:end]\n ), *args, **kwargs)\n if d is not None and hasattr(X, 'shape'):\n if not layer_grads:\n layer_grads.append(d)\n else:\n layer_grads[-1] += d\n start = end\n if layer_grads:\n return ops.asarray(layer_grads[-1])\n else:\n return None\n return output, finish_update\n layer = FunctionLayer(begin_update)\n layer._layers = list(layers)\n\n def x(self, X, y=None):\n for layer in self._layers:\n for hook in layer.on_data_hooks:\n hook(layer, X, y)\n layer.on_data_hooks.append(on_data)\n return layer\n", "role": "user" }, { "content": "concatenate", "role": "assistant" } ]
def x(layers): backward = [] forward = [sink_return(op.begin_update, backward.append) for op in layers] return forward, backward
split_backward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layers):\n backward = []\n forward = [sink_return(op.begin_update, backward.append) for op in layers]\n return forward, backward\n", "role": "user" }, { "content": "split_backward", "role": "assistant" } ]
def x(func, sink, splitter=None): def x(*args, **kwargs): output = func(*args, **kwargs) if splitter is None: to_keep, to_sink = output else: to_keep, to_sink = splitter(*output) sink(to_sink) return to_keep return wrap
sink_return
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, sink, splitter=None):\n\n def x(*args, **kwargs):\n output = func(*args, **kwargs)\n if splitter is None:\n to_keep, to_sink = output\n else:\n to_keep, to_sink = splitter(*output)\n sink(to_sink)\n return to_keep\n return wrap\n", "role": "user" }, { "content": "sink_return", "role": "assistant" } ]
def x(layer, column=0): def x(X, drop=0.0): keys = X[:, column] keys = layer.ops.xp.ascontiguousarray(keys) if not isinstance(keys, numpy.ndarray): keys = keys.get() uniq_keys, ind, inv, counts = numpy.unique(keys, return_index=True, return_inverse=True, return_counts=True) X_uniq = layer.ops.xp.ascontiguousarray(X[ind]) Y_uniq, bp_Y_uniq = layer.begin_update(X_uniq, drop=drop) Y = Y_uniq[inv].reshape((X.shape[0],) + Y_uniq.shape[1:]) def x(dY, sgd=None): dY_uniq = layer.ops.allocate(Y_uniq.shape, dtype='f') layer.ops.scatter_add(dY_uniq, layer.ops.asarray(inv, dtype='i' ), dY) d_uniques = bp_Y_uniq(dY_uniq, sgd=sgd) if d_uniques is not None: dX = (d_uniques / counts)[inv] return dX else: return None return Y, uniqued_bwd model = wrap(uniqued_fwd, layer) return model
uniqued
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layer, column=0):\n\n def x(X, drop=0.0):\n keys = X[:, column]\n keys = layer.ops.xp.ascontiguousarray(keys)\n if not isinstance(keys, numpy.ndarray):\n keys = keys.get()\n uniq_keys, ind, inv, counts = numpy.unique(keys, return_index=True,\n return_inverse=True, return_counts=True)\n X_uniq = layer.ops.xp.ascontiguousarray(X[ind])\n Y_uniq, bp_Y_uniq = layer.begin_update(X_uniq, drop=drop)\n Y = Y_uniq[inv].reshape((X.shape[0],) + Y_uniq.shape[1:])\n\n def x(dY, sgd=None):\n dY_uniq = layer.ops.allocate(Y_uniq.shape, dtype='f')\n layer.ops.scatter_add(dY_uniq, layer.ops.asarray(inv, dtype='i'\n ), dY)\n d_uniques = bp_Y_uniq(dY_uniq, sgd=sgd)\n if d_uniques is not None:\n dX = (d_uniques / counts)[inv]\n return dX\n else:\n return None\n return Y, uniqued_bwd\n model = wrap(uniqued_fwd, layer)\n return model\n", "role": "user" }, { "content": "uniqued", "role": "assistant" } ]
def x(layer, drop_factor=1.0): def x(docs, drop=0.0): sents = [] lengths = [] for doc in docs: doc_sents = [sent for sent in doc if len(sent)] subset = [s for s in doc_sents if numpy.random.random() >= drop * drop_factor] if subset: sents.extend(subset) lengths.append(len(subset)) else: numpy.random.shuffle(doc_sents) sents.append(doc_sents[0]) lengths.append(1) flat, bp_flat = layer.begin_update(sents, drop=0.0) output = layer.ops.unflatten(flat, lengths) def x(d_output, sgd=None): d_flat = layer.ops.flatten(d_output) d_sents = bp_flat(d_flat, sgd=sgd) if d_sents is None: return d_sents else: return layer.ops.unflatten(d_sents, lengths) return output, foreach_bwd model = wrap(foreach_fwd, layer) def x(model, X, y): for layer in model._layers: for hook in layer.on_data_hooks: hook(layer, X[0], y[0]) model.on_data_hooks = [_run_foreach_child_hooks] return model
foreach
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layer, drop_factor=1.0):\n\n def x(docs, drop=0.0):\n sents = []\n lengths = []\n for doc in docs:\n doc_sents = [sent for sent in doc if len(sent)]\n subset = [s for s in doc_sents if numpy.random.random() >= drop *\n drop_factor]\n if subset:\n sents.extend(subset)\n lengths.append(len(subset))\n else:\n numpy.random.shuffle(doc_sents)\n sents.append(doc_sents[0])\n lengths.append(1)\n flat, bp_flat = layer.begin_update(sents, drop=0.0)\n output = layer.ops.unflatten(flat, lengths)\n\n def x(d_output, sgd=None):\n d_flat = layer.ops.flatten(d_output)\n d_sents = bp_flat(d_flat, sgd=sgd)\n if d_sents is None:\n return d_sents\n else:\n return layer.ops.unflatten(d_sents, lengths)\n return output, foreach_bwd\n model = wrap(foreach_fwd, layer)\n\n def x(model, X, y):\n for layer in model._layers:\n for hook in layer.on_data_hooks:\n hook(layer, X[0], y[0])\n model.on_data_hooks = [_run_foreach_child_hooks]\n return model\n", "role": "user" }, { "content": "foreach", "role": "assistant" } ]
def x(layer, drop_factor=1.0): def x(docs, drop=0.0): sents = [] lengths = [] for doc in docs: doc_sents = [sent for sent in doc.sents if len(sent)] subset = [s for s in doc_sents if numpy.random.random() >= drop * drop_factor] if subset: sents.extend(subset) lengths.append(len(subset)) else: numpy.random.shuffle(doc_sents) sents.append(doc_sents[0]) lengths.append(1) flat, bp_flat = layer.begin_update(sents, drop=0.0) output = layer.ops.unflatten(flat, lengths) def x(d_output, sgd=None): d_flat = layer.ops.flatten(d_output) d_sents = bp_flat(d_flat, sgd=sgd) if d_sents is None: return d_sents else: return layer.ops.unflatten(d_sents, lengths) return output, sentence_bwd model = wrap(sentence_fwd, layer) return model
foreach_sentence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layer, drop_factor=1.0):\n\n def x(docs, drop=0.0):\n sents = []\n lengths = []\n for doc in docs:\n doc_sents = [sent for sent in doc.sents if len(sent)]\n subset = [s for s in doc_sents if numpy.random.random() >= drop *\n drop_factor]\n if subset:\n sents.extend(subset)\n lengths.append(len(subset))\n else:\n numpy.random.shuffle(doc_sents)\n sents.append(doc_sents[0])\n lengths.append(1)\n flat, bp_flat = layer.begin_update(sents, drop=0.0)\n output = layer.ops.unflatten(flat, lengths)\n\n def x(d_output, sgd=None):\n d_flat = layer.ops.flatten(d_output)\n d_sents = bp_flat(d_flat, sgd=sgd)\n if d_sents is None:\n return d_sents\n else:\n return layer.ops.unflatten(d_sents, lengths)\n return output, sentence_bwd\n model = wrap(sentence_fwd, layer)\n return model\n", "role": "user" }, { "content": "foreach_sentence", "role": "assistant" } ]
def x(func): code = marshal.dumps(func.__code__).decode('raw_unicode_escape') defaults = func.__defaults__ if func.__closure__: closure = tuple(c.cell_contents for c in func.__closure__) else: closure = None return code, defaults, closure
func_dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n code = marshal.dumps(func.__code__).decode('raw_unicode_escape')\n defaults = func.__defaults__\n if func.__closure__:\n closure = tuple(c.cell_contents for c in func.__closure__)\n else:\n closure = None\n return code, defaults, closure\n", "role": "user" }, { "content": "func_dump", "role": "assistant" } ]
def x(code, defaults=None, closure=None, globs=None): if isinstance(code, (tuple, list)): code, defaults, closure = code code = marshal.loads(code.encode('raw_unicode_escape')) if globs is None: globs = globals() return python_types.FunctionType(code, globs, name=code.co_name, argdefs=defaults, closure=closure)
func_load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code, defaults=None, closure=None, globs=None):\n if isinstance(code, (tuple, list)):\n code, defaults, closure = code\n code = marshal.loads(code.encode('raw_unicode_escape'))\n if globs is None:\n globs = globals()\n return python_types.FunctionType(code, globs, name=code.co_name,\n argdefs=defaults, closure=closure)\n", "role": "user" }, { "content": "func_load", "role": "assistant" } ]
def x(ops, nlp, rows, get_ids): Xs = [] ys = [] for (text1, text2), label in rows: Xs.append((get_ids([nlp(text1)])[0], get_ids([nlp(text2)])[0])) ys.append(label) return Xs, to_categorical(ys, nb_classes=2)
preprocess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ops, nlp, rows, get_ids):\n Xs = []\n ys = []\n for (text1, text2), label in rows:\n Xs.append((get_ids([nlp(text1)])[0], get_ids([nlp(text2)])[0]))\n ys.append(label)\n return Xs, to_categorical(ys, nb_classes=2)\n", "role": "user" }, { "content": "preprocess", "role": "assistant" } ]
def x(nO, nI): return Bidirectional(LSTM(nO // 2, nI), LSTM(nO // 2, nI))
BiLSTM
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nO, nI):\n return Bidirectional(LSTM(nO // 2, nI), LSTM(nO // 2, nI))\n", "role": "user" }, { "content": "BiLSTM", "role": "assistant" } ]
def x(nO, nI): weights = LSTM_weights(nO, nI) gates = LSTM_gates(weights.ops) return Recurrent(RNN_step(weights, gates))
LSTM
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nO, nI):\n weights = LSTM_weights(nO, nI)\n gates = LSTM_gates(weights.ops)\n return Recurrent(RNN_step(weights, gates))\n", "role": "user" }, { "content": "LSTM", "role": "assistant" } ]
def x(l2r, r2l): nO = l2r.nO def x(Xs, drop=0.0): l2r_Zs, bp_l2r_Zs = l2r.begin_update(Xs, drop=drop) r2l_Zs, bp_r2l_Zs = r2l.begin_update([l2r.ops.xp.ascontiguousarray( X[::-1]) for X in Xs]) def x(dZs, sgd=None): d_l2r_Zs = [] d_r2l_Zs = [] for dZ in dZs: l2r_fwd = dZ[:, :nO] r2l_fwd = dZ[:, nO:] d_l2r_Zs.append(l2r.ops.xp.ascontiguousarray(l2r_fwd)) d_r2l_Zs.append(l2r.ops.xp.ascontiguousarray(r2l_fwd[::-1])) dXs_l2r = bp_l2r_Zs(d_l2r_Zs, sgd=sgd) dXs_r2l = bp_r2l_Zs(d_r2l_Zs, sgd=sgd) dXs = [(dXf + dXb[::-1]) for dXf, dXb in zip(dXs_l2r, dXs_r2l)] return dXs Zs = [l2r.ops.xp.hstack((Zf, Zb[::-1])) for Zf, Zb in zip(l2r_Zs, r2l_Zs)] return Zs, birnn_bwd return wrap(birnn_fwd, l2r, r2l)
Bidirectional
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l2r, r2l):\n nO = l2r.nO\n\n def x(Xs, drop=0.0):\n l2r_Zs, bp_l2r_Zs = l2r.begin_update(Xs, drop=drop)\n r2l_Zs, bp_r2l_Zs = r2l.begin_update([l2r.ops.xp.ascontiguousarray(\n X[::-1]) for X in Xs])\n\n def x(dZs, sgd=None):\n d_l2r_Zs = []\n d_r2l_Zs = []\n for dZ in dZs:\n l2r_fwd = dZ[:, :nO]\n r2l_fwd = dZ[:, nO:]\n d_l2r_Zs.append(l2r.ops.xp.ascontiguousarray(l2r_fwd))\n d_r2l_Zs.append(l2r.ops.xp.ascontiguousarray(r2l_fwd[::-1]))\n dXs_l2r = bp_l2r_Zs(d_l2r_Zs, sgd=sgd)\n dXs_r2l = bp_r2l_Zs(d_r2l_Zs, sgd=sgd)\n dXs = [(dXf + dXb[::-1]) for dXf, dXb in zip(dXs_l2r, dXs_r2l)]\n return dXs\n Zs = [l2r.ops.xp.hstack((Zf, Zb[::-1])) for Zf, Zb in zip(l2r_Zs,\n r2l_Zs)]\n return Zs, birnn_bwd\n return wrap(birnn_fwd, l2r, r2l)\n", "role": "user" }, { "content": "Bidirectional", "role": "assistant" } ]
def x(step_model): ops = step_model.ops def x(seqs, drop=0.0): lengths = [len(X) for X in seqs] X, size_at_t, unpad = ops.square_sequences(seqs) Y = ops.allocate((X.shape[0], X.shape[1], step_model.nO)) cell_drop = ops.get_dropout_mask((len(seqs), step_model.nO), 0.0) hidden_drop = ops.get_dropout_mask((len(seqs), step_model.nO), 0.0) out_drop = ops.get_dropout_mask((len(seqs), step_model.nO), 0.0) backprops = [None] * max(lengths) state = step_model.weights.get_initial_state(len(seqs)) for t in range(max(lengths)): state = list(state) size = size_at_t[t] Xt = X[t, :size] state[0] = state[0][:size] state[1] = state[1][:size] if cell_drop is not None: state[0] *= cell_drop if hidden_drop is not None: state[1] *= hidden_drop inputs = state, Xt (state, Y[t, :size]), backprops[t] = step_model.begin_update(inputs ) if out_drop is not None: Y[t, :size] *= out_drop outputs = unpad(Y) def x(d_outputs, sgd=None): dY, size_at_t, unpad = step_model.ops.square_sequences(d_outputs) d_state = [step_model.ops.allocate((dY.shape[1], step_model.nO) ), step_model.ops.allocate((dY.shape[1], step_model.nO))] updates = {} def x(weights, gradient, key=None): updates[key] = weights, gradient dX = step_model.ops.allocate((dY.shape[0], dY.shape[1], step_model.weights.nI)) for t in range(max(lengths) - 1, -1, -1): if out_drop is not None: dY[t] *= out_drop d_state_t, dXt = backprops[t]((d_state, dY[t]), sgd= gather_updates) d_state[0][:d_state_t[0].shape[0]] = d_state_t[0] d_state[1][:d_state_t[1].shape[0]] = d_state_t[1] dX[t, :dXt.shape[0]] = dXt if cell_drop is not None: d_state[0] *= cell_drop if hidden_drop is not None: d_state[1] *= hidden_drop d_cell, d_hidden = d_state step_model.weights.d_initial_cells += d_cell.sum(axis=0) step_model.weights.d_initial_hiddens += d_hidden.sum(axis=0) if sgd is not None: for key, (weights, gradient) in updates.items(): sgd(weights, gradient, key=key) return unpad(dX) return outputs, recurrent_bwd model = wrap(recurrent_fwd, step_model) model.nO = step_model.nO return model
Recurrent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(step_model):\n ops = step_model.ops\n\n def x(seqs, drop=0.0):\n lengths = [len(X) for X in seqs]\n X, size_at_t, unpad = ops.square_sequences(seqs)\n Y = ops.allocate((X.shape[0], X.shape[1], step_model.nO))\n cell_drop = ops.get_dropout_mask((len(seqs), step_model.nO), 0.0)\n hidden_drop = ops.get_dropout_mask((len(seqs), step_model.nO), 0.0)\n out_drop = ops.get_dropout_mask((len(seqs), step_model.nO), 0.0)\n backprops = [None] * max(lengths)\n state = step_model.weights.get_initial_state(len(seqs))\n for t in range(max(lengths)):\n state = list(state)\n size = size_at_t[t]\n Xt = X[t, :size]\n state[0] = state[0][:size]\n state[1] = state[1][:size]\n if cell_drop is not None:\n state[0] *= cell_drop\n if hidden_drop is not None:\n state[1] *= hidden_drop\n inputs = state, Xt\n (state, Y[t, :size]), backprops[t] = step_model.begin_update(inputs\n )\n if out_drop is not None:\n Y[t, :size] *= out_drop\n outputs = unpad(Y)\n\n def x(d_outputs, sgd=None):\n dY, size_at_t, unpad = step_model.ops.square_sequences(d_outputs)\n d_state = [step_model.ops.allocate((dY.shape[1], step_model.nO)\n ), step_model.ops.allocate((dY.shape[1], step_model.nO))]\n updates = {}\n\n def x(weights, gradient, key=None):\n updates[key] = weights, gradient\n dX = step_model.ops.allocate((dY.shape[0], dY.shape[1],\n step_model.weights.nI))\n for t in range(max(lengths) - 1, -1, -1):\n if out_drop is not None:\n dY[t] *= out_drop\n d_state_t, dXt = backprops[t]((d_state, dY[t]), sgd=\n gather_updates)\n d_state[0][:d_state_t[0].shape[0]] = d_state_t[0]\n d_state[1][:d_state_t[1].shape[0]] = d_state_t[1]\n dX[t, :dXt.shape[0]] = dXt\n if cell_drop is not None:\n d_state[0] *= cell_drop\n if hidden_drop is not None:\n d_state[1] *= hidden_drop\n d_cell, d_hidden = d_state\n step_model.weights.d_initial_cells += d_cell.sum(axis=0)\n step_model.weights.d_initial_hiddens += d_hidden.sum(axis=0)\n if sgd is not None:\n for key, (weights, gradient) in updates.items():\n sgd(weights, gradient, key=key)\n return unpad(dX)\n return outputs, recurrent_bwd\n model = wrap(recurrent_fwd, step_model)\n model.nO = step_model.nO\n return model\n", "role": "user" }, { "content": "Recurrent", "role": "assistant" } ]
def x(weights, gates): def x(prevstate_inputs, drop=0.0): prevstate, inputs = prevstate_inputs cell_tm1, hidden_tm1 = prevstate acts, bp_acts = weights.begin_update((inputs, hidden_tm1), drop=drop) (cells, hiddens), bp_gates = gates.begin_update((acts, cell_tm1), drop=drop) def x(d_state_d_hiddens, sgd=None): (d_cells, d_hiddens), d_hiddens = d_state_d_hiddens d_acts, d_cell_tm1 = bp_gates((d_cells, d_hiddens), sgd=sgd) d_inputs, d_hidden_tm1 = bp_acts(d_acts, sgd=sgd) return (d_cell_tm1, d_hidden_tm1), d_inputs return ((cells, hiddens), hiddens), rnn_step_bwd model = wrap(rnn_step_fwd, weights, gates) model.nO = weights.nO model.nI = weights.nI model.weights = weights model.gates = gates return model
RNN_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(weights, gates):\n\n def x(prevstate_inputs, drop=0.0):\n prevstate, inputs = prevstate_inputs\n cell_tm1, hidden_tm1 = prevstate\n acts, bp_acts = weights.begin_update((inputs, hidden_tm1), drop=drop)\n (cells, hiddens), bp_gates = gates.begin_update((acts, cell_tm1),\n drop=drop)\n\n def x(d_state_d_hiddens, sgd=None):\n (d_cells, d_hiddens), d_hiddens = d_state_d_hiddens\n d_acts, d_cell_tm1 = bp_gates((d_cells, d_hiddens), sgd=sgd)\n d_inputs, d_hidden_tm1 = bp_acts(d_acts, sgd=sgd)\n return (d_cell_tm1, d_hidden_tm1), d_inputs\n return ((cells, hiddens), hiddens), rnn_step_bwd\n model = wrap(rnn_step_fwd, weights, gates)\n model.nO = weights.nO\n model.nI = weights.nI\n model.weights = weights\n model.gates = gates\n return model\n", "role": "user" }, { "content": "RNN_step", "role": "assistant" } ]
def x(fname, origin, untar=False, unzip=False, md5_hash=None, cache_subdir= 'datasets'): datadir_base = os.path.expanduser(os.path.join('~', '.keras')) if not os.access(datadir_base, os.W_OK): datadir_base = os.path.join('/tmp', '.keras') datadir = os.path.join(datadir_base, cache_subdir) if not os.path.exists(datadir): os.makedirs(datadir) if untar or unzip: untar_fpath = os.path.join(datadir, fname) if unzip: fpath = untar_fpath + '.zip' else: fpath = untar_fpath + '.tar.gz' else: fpath = os.path.join(datadir, fname) download = False if os.path.exists(fpath): if md5_hash is not None: if not validate_file(fpath, md5_hash): print( 'A local file was found, but it seems to be incomplete or outdated.' ) download = True else: download = True if download: print('Downloading data from', origin) global progbar progbar = None def x(count, block_size, total_size): global progbar if progbar is None: progbar = Progbar(total_size) else: progbar.update(count * block_size) error_msg = 'URL fetch failure on {}: {} -- {}' try: try: urlretrieve(origin, fpath, dl_progress) except URLError as e: raise Exception(error_msg.format(origin, e.errno, e.reason)) except HTTPError as e: raise Exception(error_msg.format(origin, e.code, e.msg)) except (Exception, KeyboardInterrupt) as e: if os.path.exists(fpath): os.remove(fpath) raise progbar = None if untar: if not os.path.exists(untar_fpath): print('Untaring file...') tfile = tarfile.open(fpath, 'r:gz') try: tfile.extractall(path=datadir) except (Exception, KeyboardInterrupt) as e: if os.path.exists(untar_fpath): if os.path.isfile(untar_fpath): os.remove(untar_fpath) else: shutil.rmtree(untar_fpath) raise tfile.close() return untar_fpath elif unzip: if not os.path.exists(untar_fpath): print('Unzipping file...') with zipfile.ZipFile(fpath) as file_: try: file_.extractall(path=datadir) except (Exception, KeyboardInterrupt) as e: if os.path.exists(untar_fpath): if os.path.isfile(untar_fpath): os.remove(untar_fpath) else: shutil.rmtree(untar_fpath) raise return untar_fpath return fpath
get_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fname, origin, untar=False, unzip=False, md5_hash=None, cache_subdir=\n 'datasets'):\n datadir_base = os.path.expanduser(os.path.join('~', '.keras'))\n if not os.access(datadir_base, os.W_OK):\n datadir_base = os.path.join('/tmp', '.keras')\n datadir = os.path.join(datadir_base, cache_subdir)\n if not os.path.exists(datadir):\n os.makedirs(datadir)\n if untar or unzip:\n untar_fpath = os.path.join(datadir, fname)\n if unzip:\n fpath = untar_fpath + '.zip'\n else:\n fpath = untar_fpath + '.tar.gz'\n else:\n fpath = os.path.join(datadir, fname)\n download = False\n if os.path.exists(fpath):\n if md5_hash is not None:\n if not validate_file(fpath, md5_hash):\n print(\n 'A local file was found, but it seems to be incomplete or outdated.'\n )\n download = True\n else:\n download = True\n if download:\n print('Downloading data from', origin)\n global progbar\n progbar = None\n\n def x(count, block_size, total_size):\n global progbar\n if progbar is None:\n progbar = Progbar(total_size)\n else:\n progbar.update(count * block_size)\n error_msg = 'URL fetch failure on {}: {} -- {}'\n try:\n try:\n urlretrieve(origin, fpath, dl_progress)\n except URLError as e:\n raise Exception(error_msg.format(origin, e.errno, e.reason))\n except HTTPError as e:\n raise Exception(error_msg.format(origin, e.code, e.msg))\n except (Exception, KeyboardInterrupt) as e:\n if os.path.exists(fpath):\n os.remove(fpath)\n raise\n progbar = None\n if untar:\n if not os.path.exists(untar_fpath):\n print('Untaring file...')\n tfile = tarfile.open(fpath, 'r:gz')\n try:\n tfile.extractall(path=datadir)\n except (Exception, KeyboardInterrupt) as e:\n if os.path.exists(untar_fpath):\n if os.path.isfile(untar_fpath):\n os.remove(untar_fpath)\n else:\n shutil.rmtree(untar_fpath)\n raise\n tfile.close()\n return untar_fpath\n elif unzip:\n if not os.path.exists(untar_fpath):\n print('Unzipping file...')\n with zipfile.ZipFile(fpath) as file_:\n try:\n file_.extractall(path=datadir)\n except (Exception, KeyboardInterrupt) as e:\n if os.path.exists(untar_fpath):\n if os.path.isfile(untar_fpath):\n os.remove(untar_fpath)\n else:\n shutil.rmtree(untar_fpath)\n raise\n return untar_fpath\n return fpath\n", "role": "user" }, { "content": "get_file", "role": "assistant" } ]
def x(fpath, md5_hash): hasher = hashlib.md5() with open(fpath, 'rb') as f: buf = f.read() hasher.update(buf) if str(hasher.hexdigest()) == str(md5_hash): return True else: return False
validate_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fpath, md5_hash):\n hasher = hashlib.md5()\n with open(fpath, 'rb') as f:\n buf = f.read()\n hasher.update(buf)\n if str(hasher.hexdigest()) == str(md5_hash):\n return True\n else:\n return False\n", "role": "user" }, { "content": "validate_file", "role": "assistant" } ]
def x(docs, drop=0.0): ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i') i = 0 for doc in docs: for token in doc: ids[i] = token.orth i += 1 return ids, None
Orth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(docs, drop=0.0):\n ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i')\n i = 0\n for doc in docs:\n for token in doc:\n ids[i] = token.orth\n i += 1\n return ids, None\n", "role": "user" }, { "content": "Orth", "role": "assistant" } ]
def x(docs, drop=0.0): ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i') i = 0 for doc in docs: for token in doc: ids[i] = token.shape i += 1 return ids, None
Shape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(docs, drop=0.0):\n ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i')\n i = 0\n for doc in docs:\n for token in doc:\n ids[i] = token.shape\n i += 1\n return ids, None\n", "role": "user" }, { "content": "Shape", "role": "assistant" } ]
def x(docs, drop=0.0): ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i') i = 0 for doc in docs: for token in doc: ids[i] = token.prefix i += 1 return ids, None
Prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(docs, drop=0.0):\n ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i')\n i = 0\n for doc in docs:\n for token in doc:\n ids[i] = token.prefix\n i += 1\n return ids, None\n", "role": "user" }, { "content": "Prefix", "role": "assistant" } ]
def x(docs, drop=0.0): ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i') i = 0 for doc in docs: for token in doc: ids[i] = token.suffix i += 1 return ids, None
Suffix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(docs, drop=0.0):\n ids = numpy.zeros((sum(len(doc) for doc in docs),), dtype='i')\n i = 0\n for doc in docs:\n for token in doc:\n ids[i] = token.suffix\n i += 1\n return ids, None\n", "role": "user" }, { "content": "Suffix", "role": "assistant" } ]
def x(**context): model = context['model'] train_X = context['train_X'] dev_X = context['dev_X'] dev_y = context['dev_y'] n_train = len(train_X) trainer = context['trainer'] def x(): global epoch_train_acc, epoch with model.use_params(trainer.optimizer.averages): avg_acc = model.evaluate_logloss(dev_X, dev_y) stats = avg_acc, float(epoch_train_acc) / n_train, trainer.dropout print('%.3f dev acc, %.3f train acc, %.4f drop' % stats) epoch_train_acc = 0.0 epoch += 1 return each_epoch
track_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**context):\n model = context['model']\n train_X = context['train_X']\n dev_X = context['dev_X']\n dev_y = context['dev_y']\n n_train = len(train_X)\n trainer = context['trainer']\n\n def x():\n global epoch_train_acc, epoch\n with model.use_params(trainer.optimizer.averages):\n avg_acc = model.evaluate_logloss(dev_X, dev_y)\n stats = avg_acc, float(epoch_train_acc) / n_train, trainer.dropout\n print('%.3f dev acc, %.3f train acc, %.4f drop' % stats)\n epoch_train_acc = 0.0\n epoch += 1\n return each_epoch\n", "role": "user" }, { "content": "track_progress", "role": "assistant" } ]
def x(ops, nlp, rows, get_ids): Xs = [] ys = [] for (text1, text2), label in rows: Xs.append((get_ids([nlp(text1)])[0], get_ids([nlp(text2)])[0])) ys.append(label) return Xs, ops.asarray(ys, dtype='float32')
preprocess
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ops, nlp, rows, get_ids):\n Xs = []\n ys = []\n for (text1, text2), label in rows:\n Xs.append((get_ids([nlp(text1)])[0], get_ids([nlp(text2)])[0]))\n ys.append(label)\n return Xs, ops.asarray(ys, dtype='float32')\n", "role": "user" }, { "content": "preprocess", "role": "assistant" } ]
def x(arr): if cupy is None: return False elif isinstance(arr, cupy.ndarray): return True else: return False
is_cupy_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr):\n if cupy is None:\n return False\n elif isinstance(arr, cupy.ndarray):\n return True\n else:\n return False\n", "role": "user" }, { "content": "is_cupy_array", "role": "assistant" } ]
def x(): from ._classes.model import Model from .ops import CupyOps if CupyOps.xp is not None: Model.Ops = CupyOps Model.ops = CupyOps() return True else: return False
prefer_gpu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from ._classes.model import Model\n from .ops import CupyOps\n if CupyOps.xp is not None:\n Model.Ops = CupyOps\n Model.ops = CupyOps()\n return True\n else:\n return False\n", "role": "user" }, { "content": "prefer_gpu", "role": "assistant" } ]
def x(sequences, drop=0.0): for sequence in sequences: sequence.insert(0, '-EOL-') sequence.insert(0, '-EOL-') sequence.append('-EOL-') sequence.append('-EOL-') return sequences, None
mark_sentence_boundaries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequences, drop=0.0):\n for sequence in sequences:\n sequence.insert(0, '-EOL-')\n sequence.insert(0, '-EOL-')\n sequence.append('-EOL-')\n sequence.append('-EOL-')\n return sequences, None\n", "role": "user" }, { "content": "mark_sentence_boundaries", "role": "assistant" } ]
def x(self, message, opcode=OPCODE_TEXT): if isinstance(message, bytes): message = try_decode_UTF8(message) if not message: logger.warning("Can't send message, message is not valid UTF-8") return False elif sys.version_info < (3, 0) and (isinstance(message, str) or isinstance(message, unicode)): pass elif isinstance(message, str): pass else: logger.warning( "Can't send message, message has to be a string or bytes. Given type is %s" % type(message)) return False header = bytearray() payload = encode_to_UTF8(message) payload_length = len(payload) if payload_length <= 125: header.append(FIN | opcode) header.append(payload_length) elif payload_length >= 126 and payload_length <= 65535: header.append(FIN | opcode) header.append(PAYLOAD_LEN_EXT16) header.extend(struct.pack('>H', payload_length)) elif payload_length < 18446744073709551616: header.append(FIN | opcode) header.append(PAYLOAD_LEN_EXT64) header.extend(struct.pack('>Q', payload_length)) else: raise Exception('Message is too big. Consider breaking it into chunks.' ) return self.request.send(header + payload)
send_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, opcode=OPCODE_TEXT):\n if isinstance(message, bytes):\n message = try_decode_UTF8(message)\n if not message:\n logger.warning(\"Can't send message, message is not valid UTF-8\")\n return False\n elif sys.version_info < (3, 0) and (isinstance(message, str) or\n isinstance(message, unicode)):\n pass\n elif isinstance(message, str):\n pass\n else:\n logger.warning(\n \"Can't send message, message has to be a string or bytes. Given type is %s\"\n % type(message))\n return False\n header = bytearray()\n payload = encode_to_UTF8(message)\n payload_length = len(payload)\n if payload_length <= 125:\n header.append(FIN | opcode)\n header.append(payload_length)\n elif payload_length >= 126 and payload_length <= 65535:\n header.append(FIN | opcode)\n header.append(PAYLOAD_LEN_EXT16)\n header.extend(struct.pack('>H', payload_length))\n elif payload_length < 18446744073709551616:\n header.append(FIN | opcode)\n header.append(PAYLOAD_LEN_EXT64)\n header.extend(struct.pack('>Q', payload_length))\n else:\n raise Exception('Message is too big. Consider breaking it into chunks.'\n )\n return\n self.request.send(header + payload)\n", "role": "user" }, { "content": "send_text", "role": "assistant" } ]
def x(): args = docopt(__doc__, version='Mackup {}'.format(VERSION)) mckp = Mackup() app_db = ApplicationsDatabase() def x(app_name): if verbose: print('\n{0} {1} {0}'.format(header('---'), bold(app_name))) if args['--force']: utils.FORCE_YES = True dry_run = args['--dry-run'] verbose = args['--verbose'] if args['backup']: mckp.check_for_usable_backup_env() for app_name in sorted(mckp.get_apps_to_backup()): app = ApplicationProfile(mckp, app_db.get_files(app_name), dry_run, verbose) printAppHeader(app_name) app.backup() elif args['restore']: mckp.check_for_usable_restore_env() mackup_app = ApplicationProfile(mckp, app_db.get_files( MACKUP_APP_NAME), dry_run, verbose) printAppHeader(MACKUP_APP_NAME) mackup_app.restore() mckp = Mackup() app_db = ApplicationsDatabase() app_names = mckp.get_apps_to_backup() app_names.discard(MACKUP_APP_NAME) for app_name in sorted(app_names): app = ApplicationProfile(mckp, app_db.get_files(app_name), dry_run, verbose) printAppHeader(app_name) app.restore() elif args['uninstall']: mckp.check_for_usable_restore_env() if dry_run or utils.confirm( """You are going to uninstall Mackup. Every configuration file, setting and dotfile managed by Mackup will be unlinked and moved back to their original place, in your home folder. Are you sure ?""" ): app_names = mckp.get_apps_to_backup() app_names.discard(MACKUP_APP_NAME) for app_name in sorted(app_names): app = ApplicationProfile(mckp, app_db.get_files(app_name), dry_run, verbose) printAppHeader(app_name) app.uninstall() mackup_app = ApplicationProfile(mckp, app_db.get_files( MACKUP_APP_NAME), dry_run, verbose) mackup_app.uninstall() print( """ All your files have been put back into place. You can now safely uninstall Mackup. Thanks for using Mackup !""" ) elif args['list']: mckp.check_for_usable_environment() output = 'Supported applications:\n' for app_name in sorted(app_db.get_app_names()): output += ' - {}\n'.format(app_name) output += '\n' output += '{} applications supported in Mackup v{}'.format(len( app_db.get_app_names()), VERSION) print(output) mckp.clean_temp_folder()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n args = docopt(__doc__, version='Mackup {}'.format(VERSION))\n mckp = Mackup()\n app_db = ApplicationsDatabase()\n\n def x(app_name):\n if verbose:\n print('\\n{0} {1} {0}'.format(header('---'), bold(app_name)))\n if args['--force']:\n utils.FORCE_YES = True\n dry_run = args['--dry-run']\n verbose = args['--verbose']\n if args['backup']:\n mckp.check_for_usable_backup_env()\n for app_name in sorted(mckp.get_apps_to_backup()):\n app = ApplicationProfile(mckp, app_db.get_files(app_name),\n dry_run, verbose)\n printAppHeader(app_name)\n app.backup()\n elif args['restore']:\n mckp.check_for_usable_restore_env()\n mackup_app = ApplicationProfile(mckp, app_db.get_files(\n MACKUP_APP_NAME), dry_run, verbose)\n printAppHeader(MACKUP_APP_NAME)\n mackup_app.restore()\n mckp = Mackup()\n app_db = ApplicationsDatabase()\n app_names = mckp.get_apps_to_backup()\n app_names.discard(MACKUP_APP_NAME)\n for app_name in sorted(app_names):\n app = ApplicationProfile(mckp, app_db.get_files(app_name),\n dry_run, verbose)\n printAppHeader(app_name)\n app.restore()\n elif args['uninstall']:\n mckp.check_for_usable_restore_env()\n if dry_run or utils.confirm(\n \"\"\"You are going to uninstall Mackup.\nEvery configuration file, setting and dotfile managed by Mackup will be unlinked and moved back to their original place, in your home folder.\nAre you sure ?\"\"\"\n ):\n app_names = mckp.get_apps_to_backup()\n app_names.discard(MACKUP_APP_NAME)\n for app_name in sorted(app_names):\n app = ApplicationProfile(mckp, app_db.get_files(app_name),\n dry_run, verbose)\n printAppHeader(app_name)\n app.uninstall()\n mackup_app = ApplicationProfile(mckp, app_db.get_files(\n MACKUP_APP_NAME), dry_run, verbose)\n mackup_app.uninstall()\n print(\n \"\"\"\nAll your files have been put back into place. You can now safely uninstall Mackup.\n\nThanks for using Mackup !\"\"\"\n )\n elif args['list']:\n mckp.check_for_usable_environment()\n output = 'Supported applications:\\n'\n for app_name in sorted(app_db.get_app_names()):\n output += ' - {}\\n'.format(app_name)\n output += '\\n'\n output += '{} applications supported in Mackup v{}'.format(len(\n app_db.get_app_names()), VERSION)\n print(output)\n mckp.clean_temp_folder()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, filename): return os.path.join(os.environ['HOME'], filename), os.path.join(self. mackup.mackup_folder, filename)
getFilepaths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n return os.path.join(os.environ['HOME'], filename), os.path.join(self.\n mackup.mackup_folder, filename)\n", "role": "user" }, { "content": "getFilepaths", "role": "assistant" } ]
def x(self): for filename in self.files: home_filepath, mackup_filepath = self.getFilepaths(filename) if (os.path.isfile(home_filepath) or os.path.isdir(home_filepath) ) and not (os.path.islink(home_filepath) and (os.path.isfile( mackup_filepath) or os.path.isdir(mackup_filepath)) and os.path .samefile(home_filepath, mackup_filepath)): if self.verbose: print('Backing up\n {}\n to\n {} ...'.format( home_filepath, mackup_filepath)) else: print('Backing up {} ...'.format(filename)) if self.dry_run: continue if os.path.exists(mackup_filepath): if os.path.isfile(mackup_filepath): file_type = 'file' elif os.path.isdir(mackup_filepath): file_type = 'folder' elif os.path.islink(mackup_filepath): file_type = 'link' else: raise ValueError('Unsupported file: {}'.format( mackup_filepath)) if utils.confirm( """A {} named {} already exists in the backup. Are you sure that you want to replace it ?""" .format(file_type, mackup_filepath)): utils.delete(mackup_filepath) utils.copy(home_filepath, mackup_filepath) utils.delete(home_filepath) utils.link(mackup_filepath, home_filepath) else: utils.copy(home_filepath, mackup_filepath) utils.delete(home_filepath) utils.link(mackup_filepath, home_filepath) elif self.verbose: if os.path.exists(home_filepath): print('Doing nothing\n {}\n is already backed up to\n {}' .format(home_filepath, mackup_filepath)) elif os.path.islink(home_filepath): print( 'Doing nothing\n {}\n is a broken link, you might want to fix it.' .format(home_filepath)) else: print('Doing nothing\n {}\n does not exist'.format( home_filepath))
backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for filename in self.files:\n home_filepath, mackup_filepath = self.getFilepaths(filename)\n if (os.path.isfile(home_filepath) or os.path.isdir(home_filepath)\n ) and not (os.path.islink(home_filepath) and (os.path.isfile(\n mackup_filepath) or os.path.isdir(mackup_filepath)) and os.path\n .samefile(home_filepath, mackup_filepath)):\n if self.verbose:\n print('Backing up\\n {}\\n to\\n {} ...'.format(\n home_filepath, mackup_filepath))\n else:\n print('Backing up {} ...'.format(filename))\n if self.dry_run:\n continue\n if os.path.exists(mackup_filepath):\n if os.path.isfile(mackup_filepath):\n file_type = 'file'\n elif os.path.isdir(mackup_filepath):\n file_type = 'folder'\n elif os.path.islink(mackup_filepath):\n file_type = 'link'\n else:\n raise ValueError('Unsupported file: {}'.format(\n mackup_filepath))\n if utils.confirm(\n \"\"\"A {} named {} already exists in the backup.\nAre you sure that you want to replace it ?\"\"\"\n .format(file_type, mackup_filepath)):\n utils.delete(mackup_filepath)\n utils.copy(home_filepath, mackup_filepath)\n utils.delete(home_filepath)\n utils.link(mackup_filepath, home_filepath)\n else:\n utils.copy(home_filepath, mackup_filepath)\n utils.delete(home_filepath)\n utils.link(mackup_filepath, home_filepath)\n elif self.verbose:\n if os.path.exists(home_filepath):\n print('Doing nothing\\n {}\\n is already backed up to\\n {}'\n .format(home_filepath, mackup_filepath))\n elif os.path.islink(home_filepath):\n print(\n 'Doing nothing\\n {}\\n is a broken link, you might want to fix it.'\n .format(home_filepath))\n else:\n print('Doing nothing\\n {}\\n does not exist'.format(\n home_filepath))\n", "role": "user" }, { "content": "backup", "role": "assistant" } ]
def x(self): for filename in self.files: home_filepath, mackup_filepath = self.getFilepaths(filename) file_or_dir_exists = os.path.isfile(mackup_filepath) or os.path.isdir( mackup_filepath) pointing_to_mackup = os.path.islink(home_filepath) and os.path.exists( mackup_filepath) and os.path.samefile(mackup_filepath, home_filepath) supported = utils.can_file_be_synced_on_current_platform(filename) if file_or_dir_exists and not pointing_to_mackup and supported: if self.verbose: print('Restoring\n linking {}\n to {} ...'.format( home_filepath, mackup_filepath)) else: print('Restoring {} ...'.format(filename)) if self.dry_run: continue if os.path.exists(home_filepath): if os.path.isfile(home_filepath): file_type = 'file' elif os.path.isdir(home_filepath): file_type = 'folder' elif os.path.islink(home_filepath): file_type = 'link' else: raise ValueError('Unsupported file: {}'.format( mackup_filepath)) if utils.confirm( """You already have a {} named {} in your home. Do you want to replace it with your backup ?""" .format(file_type, filename)): utils.delete(home_filepath) utils.link(mackup_filepath, home_filepath) else: utils.link(mackup_filepath, home_filepath) elif self.verbose: if os.path.exists(home_filepath): print('Doing nothing\n {}\n already linked by\n {}'. format(mackup_filepath, home_filepath)) elif os.path.islink(home_filepath): print( 'Doing nothing\n {}\n is a broken link, you might want to fix it.' .format(home_filepath)) else: print('Doing nothing\n {}\n does not exist'.format( mackup_filepath))
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for filename in self.files:\n home_filepath, mackup_filepath = self.getFilepaths(filename)\n file_or_dir_exists = os.path.isfile(mackup_filepath) or os.path.isdir(\n mackup_filepath)\n pointing_to_mackup = os.path.islink(home_filepath) and os.path.exists(\n mackup_filepath) and os.path.samefile(mackup_filepath,\n home_filepath)\n supported = utils.can_file_be_synced_on_current_platform(filename)\n if file_or_dir_exists and not pointing_to_mackup and supported:\n if self.verbose:\n print('Restoring\\n linking {}\\n to {} ...'.format(\n home_filepath, mackup_filepath))\n else:\n print('Restoring {} ...'.format(filename))\n if self.dry_run:\n continue\n if os.path.exists(home_filepath):\n if os.path.isfile(home_filepath):\n file_type = 'file'\n elif os.path.isdir(home_filepath):\n file_type = 'folder'\n elif os.path.islink(home_filepath):\n file_type = 'link'\n else:\n raise ValueError('Unsupported file: {}'.format(\n mackup_filepath))\n if utils.confirm(\n \"\"\"You already have a {} named {} in your home.\nDo you want to replace it with your backup ?\"\"\"\n .format(file_type, filename)):\n utils.delete(home_filepath)\n utils.link(mackup_filepath, home_filepath)\n else:\n utils.link(mackup_filepath, home_filepath)\n elif self.verbose:\n if os.path.exists(home_filepath):\n print('Doing nothing\\n {}\\n already linked by\\n {}'.\n format(mackup_filepath, home_filepath))\n elif os.path.islink(home_filepath):\n print(\n 'Doing nothing\\n {}\\n is a broken link, you might want to fix it.'\n .format(home_filepath))\n else:\n print('Doing nothing\\n {}\\n does not exist'.format(\n mackup_filepath))\n", "role": "user" }, { "content": "restore", "role": "assistant" } ]
def x(self): for filename in self.files: home_filepath, mackup_filepath = self.getFilepaths(filename) if os.path.isfile(mackup_filepath) or os.path.isdir(mackup_filepath): if os.path.exists(home_filepath): if self.verbose: print('Reverting {}\n at {} ...'.format( mackup_filepath, home_filepath)) else: print('Reverting {} ...'.format(filename)) if self.dry_run: continue utils.delete(home_filepath) utils.copy(mackup_filepath, home_filepath) elif self.verbose: print('Doing nothing, {} does not exist'.format(mackup_filepath))
uninstall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for filename in self.files:\n home_filepath, mackup_filepath = self.getFilepaths(filename)\n if os.path.isfile(mackup_filepath) or os.path.isdir(mackup_filepath):\n if os.path.exists(home_filepath):\n if self.verbose:\n print('Reverting {}\\n at {} ...'.format(\n mackup_filepath, home_filepath))\n else:\n print('Reverting {} ...'.format(filename))\n if self.dry_run:\n continue\n utils.delete(home_filepath)\n utils.copy(mackup_filepath, home_filepath)\n elif self.verbose:\n print('Doing nothing, {} does not exist'.format(mackup_filepath))\n", "role": "user" }, { "content": "uninstall", "role": "assistant" } ]
def x(self): if os.geteuid() == 0: utils.error( "Running Mackup as a superuser is useless and dangerous. Don't do it!" ) if not os.path.isdir(self._config.path): utils.error('Unable to find the storage folder: {}'.format(self. _config.path))
check_for_usable_environment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.geteuid() == 0:\n utils.error(\n \"Running Mackup as a superuser is useless and dangerous. Don't do it!\"\n )\n if not os.path.isdir(self._config.path):\n utils.error('Unable to find the storage folder: {}'.format(self.\n _config.path))\n", "role": "user" }, { "content": "check_for_usable_environment", "role": "assistant" } ]
def x(self): self.check_for_usable_environment() if not os.path.isdir(self.mackup_folder): utils.error( """Unable to find the Mackup folder: {} You might want to back up some files or get your storage directory synced first.""" .format(self.mackup_folder))
check_for_usable_restore_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.check_for_usable_environment()\n if not os.path.isdir(self.mackup_folder):\n utils.error(\n \"\"\"Unable to find the Mackup folder: {}\nYou might want to back up some files or get your storage directory synced first.\"\"\"\n .format(self.mackup_folder))\n", "role": "user" }, { "content": "check_for_usable_restore_env", "role": "assistant" } ]
def x(self): if not os.path.isdir(self.mackup_folder): if utils.confirm( """Mackup needs a directory to store your configuration files Do you want to create it now? <{}>""" .format(self.mackup_folder)): os.makedirs(self.mackup_folder) else: utils.error("Mackup can't do anything without a home =(")
create_mackup_home
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not os.path.isdir(self.mackup_folder):\n if utils.confirm(\n \"\"\"Mackup needs a directory to store your configuration files\nDo you want to create it now? <{}>\"\"\"\n .format(self.mackup_folder)):\n os.makedirs(self.mackup_folder)\n else:\n utils.error(\"Mackup can't do anything without a home =(\")\n", "role": "user" }, { "content": "create_mackup_home", "role": "assistant" } ]
def x(self): app_db = appsdb.ApplicationsDatabase() apps_to_backup = self._config.apps_to_sync or app_db.get_app_names() for app_name in self._config.apps_to_ignore: apps_to_backup.discard(app_name) return apps_to_backup
get_apps_to_backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n app_db = appsdb.ApplicationsDatabase()\n apps_to_backup = self._config.apps_to_sync or app_db.get_app_names()\n for app_name in self._config.apps_to_ignore:\n apps_to_backup.discard(app_name)\n return apps_to_backup\n", "role": "user" }, { "content": "get_apps_to_backup", "role": "assistant" } ]
def x(): apps_dir = os.path.join(os.path.dirname(os.path.realpath(__file__)), APPS_DIR) custom_apps_dir = os.path.join(os.environ['HOME'], CUSTOM_APPS_DIR) config_files = set() custom_files = set() if os.path.isdir(custom_apps_dir): for filename in os.listdir(custom_apps_dir): if filename.endswith('.cfg'): config_files.add(os.path.join(custom_apps_dir, filename)) custom_files.add(filename) for filename in os.listdir(apps_dir): if filename.endswith('.cfg') and filename not in custom_files: config_files.add(os.path.join(apps_dir, filename)) return config_files
get_config_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n apps_dir = os.path.join(os.path.dirname(os.path.realpath(__file__)),\n APPS_DIR)\n custom_apps_dir = os.path.join(os.environ['HOME'], CUSTOM_APPS_DIR)\n config_files = set()\n custom_files = set()\n if os.path.isdir(custom_apps_dir):\n for filename in os.listdir(custom_apps_dir):\n if filename.endswith('.cfg'):\n config_files.add(os.path.join(custom_apps_dir, filename))\n custom_files.add(filename)\n for filename in os.listdir(apps_dir):\n if filename.endswith('.cfg') and filename not in custom_files:\n config_files.add(os.path.join(apps_dir, filename))\n return config_files\n", "role": "user" }, { "content": "get_config_files", "role": "assistant" } ]
def x(self): app_names = set() for name in self.apps: app_names.add(name) return app_names
get_app_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n app_names = set()\n for name in self.apps:\n app_names.add(name)\n return app_names\n", "role": "user" }, { "content": "get_app_names", "role": "assistant" } ]
def x(self): pretty_app_names = set() for app_name in self.get_app_names(): pretty_app_names.add(self.get_name(app_name)) return pretty_app_names
get_pretty_app_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pretty_app_names = set()\n for app_name in self.get_app_names():\n pretty_app_names.add(self.get_name(app_name))\n return pretty_app_names\n", "role": "user" }, { "content": "get_pretty_app_names", "role": "assistant" } ]
def x(question): if FORCE_YES: return True while True: answer = input(question + ' <Yes|No>').lower() if answer == 'yes' or answer == 'y': confirmed = True break if answer == 'no' or answer == 'n': confirmed = False break return confirmed
confirm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question):\n if FORCE_YES:\n return True\n while True:\n answer = input(question + ' <Yes|No>').lower()\n if answer == 'yes' or answer == 'y':\n confirmed = True\n break\n if answer == 'no' or answer == 'n':\n confirmed = False\n break\n return confirmed\n", "role": "user" }, { "content": "confirm", "role": "assistant" } ]
def x(filepath): remove_acl(filepath) remove_immutable_attribute(filepath) if os.path.isfile(filepath) or os.path.islink(filepath): os.remove(filepath) elif os.path.isdir(filepath): shutil.rmtree(filepath)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath):\n remove_acl(filepath)\n remove_immutable_attribute(filepath)\n if os.path.isfile(filepath) or os.path.islink(filepath):\n os.remove(filepath)\n elif os.path.isdir(filepath):\n shutil.rmtree(filepath)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(src, dst): assert isinstance(src, str) assert os.path.exists(src) assert isinstance(dst, str) abs_path = os.path.dirname(os.path.abspath(dst)) if not os.path.isdir(abs_path): os.makedirs(abs_path) if os.path.isfile(src): shutil.copy(src, dst) elif os.path.isdir(src): shutil.copytree(src, dst) else: raise ValueError('Unsupported file: {}'.format(src)) chmod(dst)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst):\n assert isinstance(src, str)\n assert os.path.exists(src)\n assert isinstance(dst, str)\n abs_path = os.path.dirname(os.path.abspath(dst))\n if not os.path.isdir(abs_path):\n os.makedirs(abs_path)\n if os.path.isfile(src):\n shutil.copy(src, dst)\n elif os.path.isdir(src):\n shutil.copytree(src, dst)\n else:\n raise ValueError('Unsupported file: {}'.format(src))\n chmod(dst)\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(target, link_to): assert isinstance(target, str) assert os.path.exists(target) assert isinstance(link_to, str) abs_path = os.path.dirname(os.path.abspath(link_to)) if not os.path.isdir(abs_path): os.makedirs(abs_path) chmod(target) os.symlink(target, link_to)
link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target, link_to):\n assert isinstance(target, str)\n assert os.path.exists(target)\n assert isinstance(link_to, str)\n abs_path = os.path.dirname(os.path.abspath(link_to))\n if not os.path.isdir(abs_path):\n os.makedirs(abs_path)\n chmod(target)\n os.symlink(target, link_to)\n", "role": "user" }, { "content": "link", "role": "assistant" } ]
def x(target): assert isinstance(target, str) assert os.path.exists(target) file_mode = stat.S_IRUSR | stat.S_IWUSR folder_mode = stat.S_IRUSR | stat.S_IWUSR | stat.S_IXUSR remove_immutable_attribute(target) if os.path.isfile(target): os.chmod(target, file_mode) elif os.path.isdir(target): os.chmod(target, folder_mode) for root, dirs, files in os.walk(target): for cur_dir in dirs: os.chmod(os.path.join(root, cur_dir), folder_mode) for cur_file in files: os.chmod(os.path.join(root, cur_file), file_mode) else: raise ValueError('Unsupported file type: {}'.format(target))
chmod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(target):\n assert isinstance(target, str)\n assert os.path.exists(target)\n file_mode = stat.S_IRUSR | stat.S_IWUSR\n folder_mode = stat.S_IRUSR | stat.S_IWUSR | stat.S_IXUSR\n remove_immutable_attribute(target)\n if os.path.isfile(target):\n os.chmod(target, file_mode)\n elif os.path.isdir(target):\n os.chmod(target, folder_mode)\n for root, dirs, files in os.walk(target):\n for cur_dir in dirs:\n os.chmod(os.path.join(root, cur_dir), folder_mode)\n for cur_file in files:\n os.chmod(os.path.join(root, cur_file), file_mode)\n else:\n raise ValueError('Unsupported file type: {}'.format(target))\n", "role": "user" }, { "content": "chmod", "role": "assistant" } ]
def x(message): fail = '\x1b[91m' end = '\x1b[0m' sys.exit(fail + 'Error: {}'.format(message) + end)
error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message):\n fail = '\\x1b[91m'\n end = '\\x1b[0m'\n sys.exit(fail + 'Error: {}'.format(message) + end)\n", "role": "user" }, { "content": "error", "role": "assistant" } ]
def x(): host_db_path = os.path.join(os.environ['HOME'], '.dropbox/host.db') try: with open(host_db_path, 'r') as f_hostdb: data = f_hostdb.read().split() except IOError: error('Unable to find your Dropbox install =(') dropbox_home = base64.b64decode(data[1]).decode() return dropbox_home
get_dropbox_folder_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n host_db_path = os.path.join(os.environ['HOME'], '.dropbox/host.db')\n try:\n with open(host_db_path, 'r') as f_hostdb:\n data = f_hostdb.read().split()\n except IOError:\n error('Unable to find your Dropbox install =(')\n dropbox_home = base64.b64decode(data[1]).decode()\n return dropbox_home\n", "role": "user" }, { "content": "get_dropbox_folder_location", "role": "assistant" } ]
def x(): gdrive_db_path = 'Library/Application Support/Google/Drive/sync_config.db' yosemite_gdrive_db_path = ( 'Library/Application Support/Google/Drive/user_default/sync_config.db') yosemite_gdrive_db = os.path.join(os.environ['HOME'], yosemite_gdrive_db_path) if os.path.isfile(yosemite_gdrive_db): gdrive_db_path = yosemite_gdrive_db googledrive_home = None gdrive_db = os.path.join(os.environ['HOME'], gdrive_db_path) if os.path.isfile(gdrive_db): con = sqlite3.connect(gdrive_db) if con: cur = con.cursor() query = ( "SELECT data_value FROM data WHERE entry_key = 'local_sync_root_path';" ) cur.execute(query) data = cur.fetchone() googledrive_home = str(data[0]) con.close() if not googledrive_home: error('Unable to find your Google Drive install =(') return googledrive_home
get_google_drive_folder_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n gdrive_db_path = 'Library/Application Support/Google/Drive/sync_config.db'\n yosemite_gdrive_db_path = (\n 'Library/Application Support/Google/Drive/user_default/sync_config.db')\n yosemite_gdrive_db = os.path.join(os.environ['HOME'],\n yosemite_gdrive_db_path)\n if os.path.isfile(yosemite_gdrive_db):\n gdrive_db_path = yosemite_gdrive_db\n googledrive_home = None\n gdrive_db = os.path.join(os.environ['HOME'], gdrive_db_path)\n if os.path.isfile(gdrive_db):\n con = sqlite3.connect(gdrive_db)\n if con:\n cur = con.cursor()\n query = (\n \"SELECT data_value FROM data WHERE entry_key = 'local_sync_root_path';\"\n )\n cur.execute(query)\n data = cur.fetchone()\n googledrive_home = str(data[0])\n con.close()\n if not googledrive_home:\n error('Unable to find your Google Drive install =(')\n return googledrive_home\n", "role": "user" }, { "content": "get_google_drive_folder_location", "role": "assistant" } ]
def x(): box_prefs_path = ( 'Library/Application Support/Box/Box Sync/sync_root_folder.txt') box_home = None box_prefs = os.path.join(os.environ['HOME'], box_prefs_path) try: with open(box_prefs, 'r') as sync_path: data = sync_path.read() box_home = data except IOError: error('Unable to find your Box prefs =(') return box_home
get_box_folder_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n box_prefs_path = (\n 'Library/Application Support/Box/Box Sync/sync_root_folder.txt')\n box_home = None\n box_prefs = os.path.join(os.environ['HOME'], box_prefs_path)\n try:\n with open(box_prefs, 'r') as sync_path:\n data = sync_path.read()\n box_home = data\n except IOError:\n error('Unable to find your Box prefs =(')\n return box_home\n", "role": "user" }, { "content": "get_box_folder_location", "role": "assistant" } ]
def x(): copy_settings_path = 'Library/Application Support/Copy Agent/config.db' copy_home = None copy_settings = os.path.join(os.environ['HOME'], copy_settings_path) if os.path.isfile(copy_settings): database = sqlite3.connect(copy_settings) if database: cur = database.cursor() query = "SELECT value FROM config2 WHERE option = 'csmRootPath';" cur.execute(query) data = cur.fetchone() copy_home = str(data[0]) cur.close() if not copy_home: error('Unable to find your Copy install =(') return copy_home
get_copy_folder_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n copy_settings_path = 'Library/Application Support/Copy Agent/config.db'\n copy_home = None\n copy_settings = os.path.join(os.environ['HOME'], copy_settings_path)\n if os.path.isfile(copy_settings):\n database = sqlite3.connect(copy_settings)\n if database:\n cur = database.cursor()\n query = \"SELECT value FROM config2 WHERE option = 'csmRootPath';\"\n cur.execute(query)\n data = cur.fetchone()\n copy_home = str(data[0])\n cur.close()\n if not copy_home:\n error('Unable to find your Copy install =(')\n return copy_home\n", "role": "user" }, { "content": "get_copy_folder_location", "role": "assistant" } ]
def x(): yosemite_icloud_path = '~/Library/Mobile Documents/com~apple~CloudDocs/' icloud_home = os.path.expanduser(yosemite_icloud_path) if not os.path.isdir(icloud_home): error('Unable to find your iCloud Drive =(') return str(icloud_home)
get_icloud_folder_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n yosemite_icloud_path = '~/Library/Mobile Documents/com~apple~CloudDocs/'\n icloud_home = os.path.expanduser(yosemite_icloud_path)\n if not os.path.isdir(icloud_home):\n error('Unable to find your iCloud Drive =(')\n return str(icloud_home)\n", "role": "user" }, { "content": "get_icloud_folder_location", "role": "assistant" } ]
def x(process_name): is_running = False if os.path.isfile('/usr/bin/pgrep'): dev_null = open(os.devnull, 'wb') returncode = subprocess.call(['/usr/bin/pgrep', process_name], stdout=dev_null) is_running = bool(returncode == 0) return is_running
is_process_running
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(process_name):\n is_running = False\n if os.path.isfile('/usr/bin/pgrep'):\n dev_null = open(os.devnull, 'wb')\n returncode = subprocess.call(['/usr/bin/pgrep', process_name],\n stdout=dev_null)\n is_running = bool(returncode == 0)\n return is_running\n", "role": "user" }, { "content": "is_process_running", "role": "assistant" } ]
def x(path): if platform.system() == constants.PLATFORM_DARWIN and os.path.isfile( '/bin/chmod'): subprocess.call(['/bin/chmod', '-R', '-N', path]) elif platform.system() == constants.PLATFORM_LINUX and os.path.isfile( '/bin/setfacl'): subprocess.call(['/bin/setfacl', '-R', '-b', path])
remove_acl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if platform.system() == constants.PLATFORM_DARWIN and os.path.isfile(\n '/bin/chmod'):\n subprocess.call(['/bin/chmod', '-R', '-N', path])\n elif platform.system() == constants.PLATFORM_LINUX and os.path.isfile(\n '/bin/setfacl'):\n subprocess.call(['/bin/setfacl', '-R', '-b', path])\n", "role": "user" }, { "content": "remove_acl", "role": "assistant" } ]
def x(path): can_be_synced = True fullpath = os.path.join(os.environ['HOME'], path) library_path = os.path.join(os.environ['HOME'], 'Library/') if platform.system() == constants.PLATFORM_LINUX: if fullpath.startswith(library_path): can_be_synced = False return can_be_synced
can_file_be_synced_on_current_platform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n can_be_synced = True\n fullpath = os.path.join(os.environ['HOME'], path)\n library_path = os.path.join(os.environ['HOME'], 'Library/')\n if platform.system() == constants.PLATFORM_LINUX:\n if fullpath.startswith(library_path):\n can_be_synced = False\n return can_be_synced\n", "role": "user" }, { "content": "can_file_be_synced_on_current_platform", "role": "assistant" } ]
def x(self): return str(os.path.join(self.path, self.directory))
fullpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return str(os.path.join(self.path, self.directory))\n", "role": "user" }, { "content": "fullpath", "role": "assistant" } ]
def x(self, filename=None): assert isinstance(filename, str) or filename is None if not filename: filename = MACKUP_CONFIG_FILE parser = configparser.SafeConfigParser(allow_no_value=True) parser.read(os.path.join(os.path.join(os.environ['HOME'], filename))) return parser
setup_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename=None):\n assert isinstance(filename, str) or filename is None\n if not filename:\n filename = MACKUP_CONFIG_FILE\n parser = configparser.SafeConfigParser(allow_no_value=True)\n parser.read(os.path.join(os.path.join(os.environ['HOME'], filename)))\n return parser\n", "role": "user" }, { "content": "setup_parser", "role": "assistant" } ]
def x(self): old_sections = ['Allowed Applications', 'Ignored Applications'] for old_section in old_sections: if self._parser.has_section(old_section): error( """Old config file detected. Aborting. An old section (e.g. [Allowed Applications] or [Ignored Applications] has been detected in your {} file. I'd rather do nothing than do something you do not want me to do. Please read the up to date documentation on <https://github.com/lra/mackup> and migrate your configuration file.""" .format(MACKUP_CONFIG_FILE))
warn_on_old_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n old_sections = ['Allowed Applications', 'Ignored Applications']\n for old_section in old_sections:\n if self._parser.has_section(old_section):\n error(\n \"\"\"Old config file detected. Aborting.\n\nAn old section (e.g. [Allowed Applications] or [Ignored Applications] has been detected in your {} file.\nI'd rather do nothing than do something you do not want me to do.\n\nPlease read the up to date documentation on <https://github.com/lra/mackup> and migrate your configuration file.\"\"\"\n .format(MACKUP_CONFIG_FILE))\n", "role": "user" }, { "content": "warn_on_old_config", "role": "assistant" } ]
def x(self): if self._parser.has_option('storage', 'engine'): engine = str(self._parser.get('storage', 'engine')) else: engine = ENGINE_DROPBOX assert isinstance(engine, str) if engine not in [ENGINE_DROPBOX, ENGINE_GDRIVE, ENGINE_COPY, ENGINE_ICLOUD, ENGINE_BOX, ENGINE_FS]: raise ConfigError('Unknown storage engine: {}'.format(engine)) return str(engine)
parse_engine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._parser.has_option('storage', 'engine'):\n engine = str(self._parser.get('storage', 'engine'))\n else:\n engine = ENGINE_DROPBOX\n assert isinstance(engine, str)\n if engine not in [ENGINE_DROPBOX, ENGINE_GDRIVE, ENGINE_COPY,\n ENGINE_ICLOUD, ENGINE_BOX, ENGINE_FS]:\n raise ConfigError('Unknown storage engine: {}'.format(engine))\n return str(engine)\n", "role": "user" }, { "content": "parse_engine", "role": "assistant" } ]
def x(self): if self.engine == ENGINE_DROPBOX: path = get_dropbox_folder_location() elif self.engine == ENGINE_GDRIVE: path = get_google_drive_folder_location() elif self.engine == ENGINE_COPY: path = get_copy_folder_location() elif self.engine == ENGINE_ICLOUD: path = get_icloud_folder_location() elif self.engine == ENGINE_BOX: path = get_box_folder_location() elif self.engine == ENGINE_FS: if self._parser.has_option('storage', 'path'): cfg_path = self._parser.get('storage', 'path') path = os.path.join(os.environ['HOME'], cfg_path) else: raise ConfigError( "The required 'path' can't be found while the 'file_system' engine is used." ) return str(path)
parse_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.engine == ENGINE_DROPBOX:\n path = get_dropbox_folder_location()\n elif self.engine == ENGINE_GDRIVE:\n path = get_google_drive_folder_location()\n elif self.engine == ENGINE_COPY:\n path = get_copy_folder_location()\n elif self.engine == ENGINE_ICLOUD:\n path = get_icloud_folder_location()\n elif self.engine == ENGINE_BOX:\n path = get_box_folder_location()\n elif self.engine == ENGINE_FS:\n if self._parser.has_option('storage', 'path'):\n cfg_path = self._parser.get('storage', 'path')\n path = os.path.join(os.environ['HOME'], cfg_path)\n else:\n raise ConfigError(\n \"The required 'path' can't be found while the 'file_system' engine is used.\"\n )\n return str(path)\n", "role": "user" }, { "content": "parse_path", "role": "assistant" } ]