source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(url, **kwargs): response = open_url(url, **kwargs) try: return response.read() finally: response.close()
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, **kwargs):\n response = open_url(url, **kwargs)\n try:\n return response.read()\n finally:\n response.close()\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(url, filename=None, print_progress=0, delete_fail=True, **kwargs): blocksize = 1024 * 1024 downloaded = 0 progress = None log.info('Downloading %s', url) response = open_url(url, **kwargs) if not filename: filename = os.path.basename(url) output = None try: total = int(response.headers['Content-Length']) if print_progress: progress = ProgressBar(print_progress, total) with tempfile.NamedTemporaryFile(prefix=filename + '.', dir='.', delete=False) as output: while downloaded < total: block = response.read(blocksize) output.write(block) downloaded += len(block) if progress: progress.update(downloaded) os.rename(output.name, filename) output = None return filename finally: response.close() if delete_fail and output: os.unlink(output.name)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, filename=None, print_progress=0, delete_fail=True, **kwargs):\n blocksize = 1024 * 1024\n downloaded = 0\n progress = None\n log.info('Downloading %s', url)\n response = open_url(url, **kwargs)\n if not filename:\n filename = os.path.basename(url)\n output = None\n try:\n total = int(response.headers['Content-Length'])\n if print_progress:\n progress = ProgressBar(print_progress, total)\n with tempfile.NamedTemporaryFile(prefix=filename + '.', dir='.',\n delete=False) as output:\n while downloaded < total:\n block = response.read(blocksize)\n output.write(block)\n downloaded += len(block)\n if progress:\n progress.update(downloaded)\n os.rename(output.name, filename)\n output = None\n return filename\n finally:\n response.close()\n if delete_fail and output:\n os.unlink(output.name)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(name, suffix='.bak'): newname = '%s%s' % (name, suffix) n = 0 while os.path.exists(newname): n += 1 newname = '%s%s.%d' % (name, suffix, n) log.info('Renaming %s to %s', name, newname) os.rename(name, newname) return newname
rename_backup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, suffix='.bak'):\n newname = '%s%s' % (name, suffix)\n n = 0\n while os.path.exists(newname):\n n += 1\n newname = '%s%s.%d' % (name, suffix, n)\n log.info('Renaming %s to %s', name, newname)\n os.rename(name, newname)\n return newname\n", "role": "user" }, { "content": "rename_backup", "role": "assistant" } ]
def x(basename, ext=None): dt = datetime.now().strftime('%Y%m%d-%H%M%S-%f') if ext: return '%s-%s.%s' % (basename, dt, ext) return '%s-%s' % (basename, dt)
timestamp_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(basename, ext=None):\n dt = datetime.now().strftime('%Y%m%d-%H%M%S-%f')\n if ext:\n return '%s-%s.%s' % (basename, dt, ext)\n return '%s-%s' % (basename, dt)\n", "role": "user" }, { "content": "timestamp_filename", "role": "assistant" } ]
def x(namelist, subdir=None): def x(p): q = os.path.relpath(p) if p.endswith(os.path.sep) or p.endswith('/'): q += os.path.sep return q parent = os.path.abspath('.') if subdir: if os.path.isabs(subdir): raise FileException('subdir must be a relative path', subdir) subdir = relpath(subdir + os.path.sep) for name in namelist: if os.path.commonprefix([parent, os.path.abspath(name)]) != parent: raise FileException('Insecure path in zipfile', name) if subdir and os.path.commonprefix([subdir, relpath(name)]) != subdir: raise FileException('Path in zipfile is not in required subdir', name)
check_extracted_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(namelist, subdir=None):\n\n def x(p):\n q = os.path.relpath(p)\n if p.endswith(os.path.sep) or p.endswith('/'):\n q += os.path.sep\n return q\n parent = os.path.abspath('.')\n if subdir:\n if os.path.isabs(subdir):\n raise FileException('subdir must be a relative path', subdir)\n subdir = relpath(subdir + os.path.sep)\n for name in namelist:\n if os.path.commonprefix([parent, os.path.abspath(name)]) != parent:\n raise FileException('Insecure path in zipfile', name)\n if subdir and os.path.commonprefix([subdir, relpath(name)]) != subdir:\n raise FileException('Path in zipfile is not in required subdir',\n name)\n", "role": "user" }, { "content": "check_extracted_paths", "role": "assistant" } ]
def x(filename, match_dir=False, destdir=None): if not destdir: destdir = '.' z = zipfile.ZipFile(filename) unzipped = '.' if match_dir: if not filename.endswith('.zip'): raise FileException('Expected .zip file extension', filename) unzipped = os.path.basename(filename)[:-4] check_extracted_paths(z.namelist(), unzipped) else: check_extracted_paths(z.namelist()) for info in z.infolist(): log.debug('Extracting %s to %s', info.filename, destdir) z.extract(info, destdir) perms = info.external_attr >> 16 & 4095 if perms > 0: os.chmod(os.path.join(destdir, info.filename), perms) return os.path.join(destdir, unzipped)
unzip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, match_dir=False, destdir=None):\n if not destdir:\n destdir = '.'\n z = zipfile.ZipFile(filename)\n unzipped = '.'\n if match_dir:\n if not filename.endswith('.zip'):\n raise FileException('Expected .zip file extension', filename)\n unzipped = os.path.basename(filename)[:-4]\n check_extracted_paths(z.namelist(), unzipped)\n else:\n check_extracted_paths(z.namelist())\n for info in z.infolist():\n log.debug('Extracting %s to %s', info.filename, destdir)\n z.extract(info, destdir)\n perms = info.external_attr >> 16 & 4095\n if perms > 0:\n os.chmod(os.path.join(destdir, info.filename), perms)\n return os.path.join(destdir, unzipped)\n", "role": "user" }, { "content": "unzip", "role": "assistant" } ]
def x(filename, paths, strip_prefix=''): if isinstance(paths, basestring): paths = [paths] filelist = set() for p in paths: if os.path.isfile(p): filelist.add(p) else: for root, dirs, files in os.walk(p): for f in files: filelist.add(os.path.join(root, f)) z = zipfile.ZipFile(filename, 'w', zipfile.ZIP_DEFLATED) for f in sorted(filelist): arcname = f if arcname.startswith(strip_prefix): arcname = arcname[len(strip_prefix):] if arcname.startswith(os.path.sep): arcname = arcname[1:] log.debug('Adding %s to %s[%s]', f, filename, arcname) z.write(f, arcname) z.close()
zip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, paths, strip_prefix=''):\n if isinstance(paths, basestring):\n paths = [paths]\n filelist = set()\n for p in paths:\n if os.path.isfile(p):\n filelist.add(p)\n else:\n for root, dirs, files in os.walk(p):\n for f in files:\n filelist.add(os.path.join(root, f))\n z = zipfile.ZipFile(filename, 'w', zipfile.ZIP_DEFLATED)\n for f in sorted(filelist):\n arcname = f\n if arcname.startswith(strip_prefix):\n arcname = arcname[len(strip_prefix):]\n if arcname.startswith(os.path.sep):\n arcname = arcname[1:]\n log.debug('Adding %s to %s[%s]', f, filename, arcname)\n z.write(f, arcname)\n z.close()\n", "role": "user" }, { "content": "zip", "role": "assistant" } ]
def x(path, overwrite, progress=0, httpuser=None, httppassword=None): m = re.match('([A-Za-z]+)://', path) if m: log.debug('Detected URL protocol: %s', m.group(1)) localpath = path.split('/')[-1] if not localpath: raise FileException('Remote path appears to be a directory', path) if os.path.exists(localpath): if overwrite == 'error': raise FileException('File already exists', localpath) elif overwrite == 'keep': log.info('Keeping existing %s', localpath) elif overwrite == 'backup': rename_backup(localpath) download(path, localpath, progress, httpuser=httpuser, httppassword=httppassword) else: raise Exception('Invalid overwrite flag: %s' % overwrite) else: download(path, localpath, progress, httpuser=httpuser, httppassword=httppassword) else: localpath = path log.debug('Local path: %s', localpath) if os.path.isdir(localpath): return 'directory', localpath if os.path.exists(localpath): return 'file', localpath raise Exception('Local path does not exist: %s' % localpath)
get_as_local_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, overwrite, progress=0, httpuser=None, httppassword=None):\n m = re.match('([A-Za-z]+)://', path)\n if m:\n log.debug('Detected URL protocol: %s', m.group(1))\n localpath = path.split('/')[-1]\n if not localpath:\n raise FileException('Remote path appears to be a directory', path)\n if os.path.exists(localpath):\n if overwrite == 'error':\n raise FileException('File already exists', localpath)\n elif overwrite == 'keep':\n log.info('Keeping existing %s', localpath)\n elif overwrite == 'backup':\n rename_backup(localpath)\n download(path, localpath, progress, httpuser=httpuser,\n httppassword=httppassword)\n else:\n raise Exception('Invalid overwrite flag: %s' % overwrite)\n else:\n download(path, localpath, progress, httpuser=httpuser,\n httppassword=httppassword)\n else:\n localpath = path\n log.debug('Local path: %s', localpath)\n if os.path.isdir(localpath):\n return 'directory', localpath\n if os.path.exists(localpath):\n return 'file', localpath\n raise Exception('Local path does not exist: %s' % localpath)\n", "role": "user" }, { "content": "get_as_local_path", "role": "assistant" } ]
def x(fs, channels, application): result_code = ctypes.c_int() result = _create(fs, channels, application, ctypes.byref(result_code)) if result_code.value is not constants.OK: raise OpusError(result_code.value) return result
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs, channels, application):\n result_code = ctypes.c_int()\n result = _create(fs, channels, application, ctypes.byref(result_code))\n if result_code.value is not constants.OK:\n raise OpusError(result_code.value)\n return result\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(encoder, pcm, frame_size, max_data_bytes): pcm = ctypes.cast(pcm, c_int16_pointer) data = (ctypes.c_char * max_data_bytes)() result = _encode(encoder, pcm, frame_size, data, max_data_bytes) if result < 0: raise OpusError(result) return array.array('c', data[:result]).tostring()
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(encoder, pcm, frame_size, max_data_bytes):\n pcm = ctypes.cast(pcm, c_int16_pointer)\n data = (ctypes.c_char * max_data_bytes)()\n result = _encode(encoder, pcm, frame_size, data, max_data_bytes)\n if result < 0:\n raise OpusError(result)\n return array.array('c', data[:result]).tostring()\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(encoder, pcm, frame_size, max_data_bytes): pcm = ctypes.cast(pcm, c_float_pointer) data = (ctypes.c_char * max_data_bytes)() result = _encode_float(encoder, pcm, frame_size, data, max_data_bytes) if result < 0: raise OpusError(result) return array.array('c', data[:result]).tostring()
encode_float
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(encoder, pcm, frame_size, max_data_bytes):\n pcm = ctypes.cast(pcm, c_float_pointer)\n data = (ctypes.c_char * max_data_bytes)()\n result = _encode_float(encoder, pcm, frame_size, data, max_data_bytes)\n if result < 0:\n raise OpusError(result)\n return array.array('c', data[:result]).tostring()\n", "role": "user" }, { "content": "encode_float", "role": "assistant" } ]
def x(self, text, **kwargs): n = self.options.get('nbest', 1) if self._KW_BOUNDARY in kwargs: patt = kwargs.get(self._KW_BOUNDARY, '.') tokens = list(self.__split_pattern(text, patt)) text = ''.join([t[0] for t in tokens]) btext = self.__str2bytes(text) self.__mecab.mecab_lattice_set_sentence(self.lattice, btext) bpos = 0 self.__mecab.mecab_lattice_set_boundary_constraint(self.lattice, bpos, self.MECAB_TOKEN_BOUNDARY) for token, match in tokens: bpos += 1 if match: mark = self.MECAB_INSIDE_TOKEN else: mark = self.MECAB_ANY_BOUNDARY for _ in range(1, len(self.__str2bytes(token))): self.__mecab.mecab_lattice_set_boundary_constraint(self. lattice, bpos, mark) bpos += 1 self.__mecab.mecab_lattice_set_boundary_constraint(self.lattice, bpos, self.MECAB_TOKEN_BOUNDARY) elif self._KW_FEATURE in kwargs: features = kwargs.get(self._KW_FEATURE, ()) fd = {morph: self.__str2bytes(feat) for morph, feat in features} tokens = self.__split_features(text, [e[0] for e in features]) text = ''.join([t[0] for t in tokens]) btext = self.__str2bytes(text) self.__mecab.mecab_lattice_set_sentence(self.lattice, btext) bpos = 0 for chunk, match in tokens: c = len(self.__str2bytes(chunk)) if match == True: self.__mecab.mecab_lattice_set_feature_constraint(self. lattice, bpos, bpos + c, fd[chunk]) bpos += c else: btext = self.__str2bytes(text) self.__mecab.mecab_lattice_set_sentence(self.lattice, btext) self.__mecab.mecab_parse_lattice(self.tagger, self.lattice) if n > 1: res = self.__mecab.mecab_lattice_nbest_tostr(self.lattice, n) else: res = self.__mecab.mecab_lattice_tostr(self.lattice) if res != self.__ffi.NULL: raw = self.__ffi.string(res) return self.__bytes2str(raw).strip() else: err = self.__mecab.mecab_lattice_strerror(self.lattice) logger.error(self.__bytes2str(self.__ffi.string(err))) raise MeCabError(self.__bytes2str(self.__ffi.string(err)))
parse_tostr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, **kwargs):\n n = self.options.get('nbest', 1)\n if self._KW_BOUNDARY in kwargs:\n patt = kwargs.get(self._KW_BOUNDARY, '.')\n tokens = list(self.__split_pattern(text, patt))\n text = ''.join([t[0] for t in tokens])\n btext = self.__str2bytes(text)\n self.__mecab.mecab_lattice_set_sentence(self.lattice, btext)\n bpos = 0\n self.__mecab.mecab_lattice_set_boundary_constraint(self.lattice,\n bpos, self.MECAB_TOKEN_BOUNDARY)\n for token, match in tokens:\n bpos += 1\n if match:\n mark = self.MECAB_INSIDE_TOKEN\n else:\n mark = self.MECAB_ANY_BOUNDARY\n for _ in range(1, len(self.__str2bytes(token))):\n self.__mecab.mecab_lattice_set_boundary_constraint(self.\n lattice, bpos, mark)\n bpos += 1\n self.__mecab.mecab_lattice_set_boundary_constraint(self.lattice,\n bpos, self.MECAB_TOKEN_BOUNDARY)\n elif self._KW_FEATURE in kwargs:\n features = kwargs.get(self._KW_FEATURE, ())\n fd = {morph: self.__str2bytes(feat) for morph, feat in features}\n tokens = self.__split_features(text, [e[0] for e in features])\n text = ''.join([t[0] for t in tokens])\n btext = self.__str2bytes(text)\n self.__mecab.mecab_lattice_set_sentence(self.lattice, btext)\n bpos = 0\n for chunk, match in tokens:\n c = len(self.__str2bytes(chunk))\n if match == True:\n self.__mecab.mecab_lattice_set_feature_constraint(self.\n lattice, bpos, bpos + c, fd[chunk])\n bpos += c\n else:\n btext = self.__str2bytes(text)\n self.__mecab.mecab_lattice_set_sentence(self.lattice, btext)\n self.__mecab.mecab_parse_lattice(self.tagger, self.lattice)\n if n > 1:\n res = self.__mecab.mecab_lattice_nbest_tostr(self.lattice, n)\n else:\n res = self.__mecab.mecab_lattice_tostr(self.lattice)\n if res != self.__ffi.NULL:\n raw = self.__ffi.string(res)\n return self.__bytes2str(raw).strip()\n else:\n err = self.__mecab.mecab_lattice_strerror(self.lattice)\n logger.error(self.__bytes2str(self.__ffi.string(err)))\n raise MeCabError(self.__bytes2str(self.__ffi.string(err)))\n", "role": "user" }, { "content": "parse_tostr", "role": "assistant" } ]
def x(self, text, **kwargs): n = self.options.get('nbest', 1) try: if self._KW_BOUNDARY in kwargs: patt = kwargs.get(self._KW_BOUNDARY, '.') tokens = list(self.__split_pattern(text, patt)) text = ''.join([t[0] for t in tokens]) btext = self.__str2bytes(text) self.__mecab.mecab_lattice_set_sentence(self.lattice, btext) bpos = 0 self.__mecab.mecab_lattice_set_boundary_constraint(self.lattice, bpos, self.MECAB_TOKEN_BOUNDARY) for token, match in tokens: bpos += 1 if match: mark = self.MECAB_INSIDE_TOKEN else: mark = self.MECAB_ANY_BOUNDARY for _ in range(1, len(self.__str2bytes(token))): self.__mecab.mecab_lattice_set_boundary_constraint(self .lattice, bpos, mark) bpos += 1 self.__mecab.mecab_lattice_set_boundary_constraint(self. lattice, bpos, self.MECAB_TOKEN_BOUNDARY) elif self._KW_FEATURE in kwargs: features = kwargs.get(self._KW_FEATURE, ()) fd = {morph: self.__str2bytes(feat) for morph, feat in features} tokens = self.__split_features(text, [e[0] for e in features]) text = ''.join([t[0] for t in tokens]) btext = self.__str2bytes(text) self.__mecab.mecab_lattice_set_sentence(self.lattice, btext) bpos = 0 for chunk, match in tokens: c = len(self.__str2bytes(chunk)) if match: self.__mecab.mecab_lattice_set_feature_constraint(self. lattice, bpos, bpos + c, fd[chunk]) bpos += c else: btext = self.__str2bytes(text) self.__mecab.mecab_lattice_set_sentence(self.lattice, btext) self.__mecab.mecab_parse_lattice(self.tagger, self.lattice) for _ in range(n): check = self.__mecab.mecab_lattice_next(self.lattice) if n == 1 or check: nptr = self.__mecab.mecab_lattice_get_bos_node(self.lattice) while nptr != self.__ffi.NULL: if nptr.stat != MeCabNode.BOS_NODE: raws = self.__ffi.string(nptr.surface[0:nptr.length]) surf = self.__bytes2str(raws).strip() if ('output_format_type' in self.options or 'node_format' in self.options): sp = self.__mecab.mecab_format_node(self.tagger, nptr) if sp != self.__ffi.NULL: rawf = self.__ffi.string(sp) else: err = self.__mecab.mecab_strerror(self.tagger) err = self.__bytes2str(self.__ffi.string(err)) msg = self._ERROR_NODEFORMAT.format(surf, err) raise MeCabError(msg) else: rawf = self.__ffi.string(nptr.feature) feat = self.__bytes2str(rawf).strip() mnode = MeCabNode(nptr, surf, feat) yield mnode nptr = getattr(nptr, 'next') except GeneratorExit: logger.debug('close invoked on generator') except MeCabError: raise except: err = self.__mecab.mecab_lattice_strerror(self.lattice) logger.error(self.__bytes2str(self.__ffi.string(err))) raise MeCabError(self.__bytes2str(self.__ffi.string(err)))
parse_tonodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, **kwargs):\n n = self.options.get('nbest', 1)\n try:\n if self._KW_BOUNDARY in kwargs:\n patt = kwargs.get(self._KW_BOUNDARY, '.')\n tokens = list(self.__split_pattern(text, patt))\n text = ''.join([t[0] for t in tokens])\n btext = self.__str2bytes(text)\n self.__mecab.mecab_lattice_set_sentence(self.lattice, btext)\n bpos = 0\n self.__mecab.mecab_lattice_set_boundary_constraint(self.lattice,\n bpos, self.MECAB_TOKEN_BOUNDARY)\n for token, match in tokens:\n bpos += 1\n if match:\n mark = self.MECAB_INSIDE_TOKEN\n else:\n mark = self.MECAB_ANY_BOUNDARY\n for _ in range(1, len(self.__str2bytes(token))):\n self.__mecab.mecab_lattice_set_boundary_constraint(self\n .lattice, bpos, mark)\n bpos += 1\n self.__mecab.mecab_lattice_set_boundary_constraint(self.\n lattice, bpos, self.MECAB_TOKEN_BOUNDARY)\n elif self._KW_FEATURE in kwargs:\n features = kwargs.get(self._KW_FEATURE, ())\n fd = {morph: self.__str2bytes(feat) for morph, feat in features}\n tokens = self.__split_features(text, [e[0] for e in features])\n text = ''.join([t[0] for t in tokens])\n btext = self.__str2bytes(text)\n self.__mecab.mecab_lattice_set_sentence(self.lattice, btext)\n bpos = 0\n for chunk, match in tokens:\n c = len(self.__str2bytes(chunk))\n if match:\n self.__mecab.mecab_lattice_set_feature_constraint(self.\n lattice, bpos, bpos + c, fd[chunk])\n bpos += c\n else:\n btext = self.__str2bytes(text)\n self.__mecab.mecab_lattice_set_sentence(self.lattice, btext)\n self.__mecab.mecab_parse_lattice(self.tagger, self.lattice)\n for _ in range(n):\n check = self.__mecab.mecab_lattice_next(self.lattice)\n if n == 1 or check:\n nptr = self.__mecab.mecab_lattice_get_bos_node(self.lattice)\n while nptr != self.__ffi.NULL:\n if nptr.stat != MeCabNode.BOS_NODE:\n raws = self.__ffi.string(nptr.surface[0:nptr.length])\n surf = self.__bytes2str(raws).strip()\n if ('output_format_type' in self.options or \n 'node_format' in self.options):\n sp = self.__mecab.mecab_format_node(self.tagger,\n nptr)\n if sp != self.__ffi.NULL:\n rawf = self.__ffi.string(sp)\n else:\n err = self.__mecab.mecab_strerror(self.tagger)\n err = self.__bytes2str(self.__ffi.string(err))\n msg = self._ERROR_NODEFORMAT.format(surf, err)\n raise MeCabError(msg)\n else:\n rawf = self.__ffi.string(nptr.feature)\n feat = self.__bytes2str(rawf).strip()\n mnode = MeCabNode(nptr, surf, feat)\n yield mnode\n nptr = getattr(nptr, 'next')\n except GeneratorExit:\n logger.debug('close invoked on generator')\n except MeCabError:\n raise\n except:\n err = self.__mecab.mecab_lattice_strerror(self.lattice)\n logger.error(self.__bytes2str(self.__ffi.string(err)))\n raise MeCabError(self.__bytes2str(self.__ffi.string(err)))\n", "role": "user" }, { "content": "parse_tonodes", "role": "assistant" } ]
def x(self, text, **kwargs): if text is None: logger.error(self._ERROR_EMPTY_STR) raise MeCabError(self._ERROR_EMPTY_STR) elif not isinstance(text, str): logger.error(self._ERROR_NOTSTR) raise MeCabError(self._ERROR_NOTSTR) elif 'partial' in self.options and not text.endswith('\n'): logger.error(self._ERROR_MISSING_NL) raise MeCabError(self._ERROR_MISSING_NL) if self._KW_BOUNDARY in kwargs: val = kwargs[self._KW_BOUNDARY] if not isinstance(val, self._REGEXTYPE) and not isinstance(val, str): logger.error(self._ERROR_BOUNDARY) raise MeCabError(self._ERROR_BOUNDARY) elif self._KW_FEATURE in kwargs: val = kwargs[self._KW_FEATURE] if not isinstance(val, tuple): logger.error(self._ERROR_FEATURE) raise MeCabError(self._ERROR_FEATURE) as_nodes = kwargs.get(self._KW_ASNODES, False) if as_nodes: return self.__parse_tonodes(text, **kwargs) else: return self.__parse_tostr(text, **kwargs)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, **kwargs):\n if text is None:\n logger.error(self._ERROR_EMPTY_STR)\n raise MeCabError(self._ERROR_EMPTY_STR)\n elif not isinstance(text, str):\n logger.error(self._ERROR_NOTSTR)\n raise MeCabError(self._ERROR_NOTSTR)\n elif 'partial' in self.options and not text.endswith('\\n'):\n logger.error(self._ERROR_MISSING_NL)\n raise MeCabError(self._ERROR_MISSING_NL)\n if self._KW_BOUNDARY in kwargs:\n val = kwargs[self._KW_BOUNDARY]\n if not isinstance(val, self._REGEXTYPE) and not isinstance(val, str):\n logger.error(self._ERROR_BOUNDARY)\n raise MeCabError(self._ERROR_BOUNDARY)\n elif self._KW_FEATURE in kwargs:\n val = kwargs[self._KW_FEATURE]\n if not isinstance(val, tuple):\n logger.error(self._ERROR_FEATURE)\n raise MeCabError(self._ERROR_FEATURE)\n as_nodes = kwargs.get(self._KW_ASNODES, False)\n if as_nodes:\n return self.__parse_tonodes(text, **kwargs)\n else:\n return self.__parse_tostr(text, **kwargs)\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(filename, MAX_TERM_COUNT=1000): with open(filename, 'r') as f: termId = None name = None desc = None parents = [] termCount = 0 for l in f.readlines(): if l.startswith('id:'): termId = l.strip()[4:] if l.startswith('name:'): name = l.strip()[6:] elif l.startswith('def:'): desc = l.strip()[5:] elif l.startswith('is_a:'): pid = l.strip()[6:].split(' ', 1)[0] parents.append(pid) if len(l) == 1: if termId is not None and name is not None: terms[termId] = {'name': name, 'desc': desc, 'parents': parents[:], 'children': []} termId = None name = None parents = [] termCount += 1 if (MAX_TERM_COUNT is not None and termCount > MAX_TERM_COUNT): break count = 0 for tid, tdict in terms.items(): count += 1 for p in tdict['parents']: if p in terms.keys(): terms[p]['children'].append(tid) tagGroups = set() for tid, tdict in terms.items(): if len(tdict['children']) == 0: for p in tdict['parents']: tagGroups.add(p) return tagGroups, terms
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, MAX_TERM_COUNT=1000):\n with open(filename, 'r') as f:\n termId = None\n name = None\n desc = None\n parents = []\n termCount = 0\n for l in f.readlines():\n if l.startswith('id:'):\n termId = l.strip()[4:]\n if l.startswith('name:'):\n name = l.strip()[6:]\n elif l.startswith('def:'):\n desc = l.strip()[5:]\n elif l.startswith('is_a:'):\n pid = l.strip()[6:].split(' ', 1)[0]\n parents.append(pid)\n if len(l) == 1:\n if termId is not None and name is not None:\n terms[termId] = {'name': name, 'desc': desc, 'parents':\n parents[:], 'children': []}\n termId = None\n name = None\n parents = []\n termCount += 1\n if (MAX_TERM_COUNT is not None and termCount >\n MAX_TERM_COUNT):\n break\n count = 0\n for tid, tdict in terms.items():\n count += 1\n for p in tdict['parents']:\n if p in terms.keys():\n terms[p]['children'].append(tid)\n tagGroups = set()\n for tid, tdict in terms.items():\n if len(tdict['children']) == 0:\n for p in tdict['parents']:\n tagGroups.add(p)\n return tagGroups, terms\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(tagGroups, terms): rv = [] for pid in tagGroups: if pid not in terms.keys(): continue groupData = terms[pid] groupName = '[%s] %s' % (pid, groupData['name']) groupDesc = groupData['desc'] children = [] group = dict(name=groupName, desc=groupDesc, set=children) rv.append(group) for cid in groupData['children']: cData = terms[cid] cName = '[%s] %s' % (cid, cData['name']) cDesc = cData['desc'] child = dict(name=cName, desc=cDesc) children.append(child) return json.dumps(rv, indent=2)
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tagGroups, terms):\n rv = []\n for pid in tagGroups:\n if pid not in terms.keys():\n continue\n groupData = terms[pid]\n groupName = '[%s] %s' % (pid, groupData['name'])\n groupDesc = groupData['desc']\n children = []\n group = dict(name=groupName, desc=groupDesc, set=children)\n rv.append(group)\n for cid in groupData['children']:\n cData = terms[cid]\n cName = '[%s] %s' % (cid, cData['name'])\n cDesc = cData['desc']\n child = dict(name=cName, desc=cDesc)\n children.append(child)\n return json.dumps(rv, indent=2)\n", "role": "user" }, { "content": "generate", "role": "assistant" } ]
def x(self, cmd, args): if cmd == 'install': if args.upgrade: if args.initdb or args.upgradedb: raise Stop(10, 'Deprecated --initdb --upgradedb flags are incompatible with --upgrade' ) newinstall = None else: newinstall = True if args.managedb: if args.initdb or args.upgradedb: raise Stop(10, 'Deprecated --initdb --upgradedb flags are incompatible with --managedb' ) args.initdb = True args.upgradedb = True elif args.initdb or args.upgradedb: log.warn('--initdb and --upgradedb are deprecated, use --managedb') elif cmd == 'upgrade': log.warn('"omero upgrade" is deprecated, use "omego install --upgrade"' ) cmd = 'install' args.upgrade = True newinstall = False else: raise Exception('Unexpected command: %s' % cmd) return args, newinstall
handle_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, args):\n if cmd == 'install':\n if args.upgrade:\n if args.initdb or args.upgradedb:\n raise Stop(10,\n 'Deprecated --initdb --upgradedb flags are incompatible with --upgrade'\n )\n newinstall = None\n else:\n newinstall = True\n if args.managedb:\n if args.initdb or args.upgradedb:\n raise Stop(10,\n 'Deprecated --initdb --upgradedb flags are incompatible with --managedb'\n )\n args.initdb = True\n args.upgradedb = True\n elif args.initdb or args.upgradedb:\n log.warn('--initdb and --upgradedb are deprecated, use --managedb')\n elif cmd == 'upgrade':\n log.warn('\"omero upgrade\" is deprecated, use \"omego install --upgrade\"'\n )\n cmd = 'install'\n args.upgrade = True\n newinstall = False\n else:\n raise Exception('Unexpected command: %s' % cmd)\n return args, newinstall\n", "role": "user" }, { "content": "handle_args", "role": "assistant" } ]
def x(self): if not self.args.server: if self.args.skipunzip: raise Stop(0, 'Unzip disabled, exiting') log.info('Downloading server') artifact_args = copy.copy(self.args) artifact_args.sym = '' artifacts = Artifacts(artifact_args) server = artifacts.download('server') else: progress = 0 if self.args.verbose: progress = 20 ptype, server = fileutils.get_as_local_path(self.args.server, self. args.overwrite, progress=progress, httpuser=self.args.httpuser, httppassword=self.args.httppassword) if ptype == 'file': if self.args.skipunzip: raise Stop(0, 'Unzip disabled, exiting') log.info('Unzipping %s', server) server = fileutils.unzip(server, match_dir=True, destdir=self. args.unzipdir) log.debug('Server directory: %s', server) return server
get_server_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.args.server:\n if self.args.skipunzip:\n raise Stop(0, 'Unzip disabled, exiting')\n log.info('Downloading server')\n artifact_args = copy.copy(self.args)\n artifact_args.sym = ''\n artifacts = Artifacts(artifact_args)\n server = artifacts.download('server')\n else:\n progress = 0\n if self.args.verbose:\n progress = 20\n ptype, server = fileutils.get_as_local_path(self.args.server, self.\n args.overwrite, progress=progress, httpuser=self.args.httpuser,\n httppassword=self.args.httppassword)\n if ptype == 'file':\n if self.args.skipunzip:\n raise Stop(0, 'Unzip disabled, exiting')\n log.info('Unzipping %s', server)\n server = fileutils.unzip(server, match_dir=True, destdir=self.\n args.unzipdir)\n log.debug('Server directory: %s', server)\n return server\n", "role": "user" }, { "content": "get_server_dir", "role": "assistant" } ]
def x(self): if self.args.initdb or self.args.upgradedb: db = DbAdmin(self.dir, None, self.args, self.external) status = db.check() log.debug('OMERO database upgrade status: %s', status) else: log.warn('OMERO database check disabled') return DB_INIT_NEEDED if status == DB_INIT_NEEDED: if self.args.initdb: log.debug('Initialising OMERO database') db.init() else: log.error('OMERO database not found') raise Stop(DB_INIT_NEEDED, 'Install/Upgrade failed: OMERO database not found') elif status == DB_UPGRADE_NEEDED: log.warn('OMERO database exists but is out of date') if self.args.upgradedb: log.debug('Upgrading OMERO database') db.upgrade() else: raise Stop(DB_UPGRADE_NEEDED, 'Pass --managedb or upgrade your OMERO database manually') else: assert status == DB_UPTODATE return status
handle_database
[ { "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.args.initdb or self.args.upgradedb:\n db = DbAdmin(self.dir, None, self.args, self.external)\n status = db.check()\n log.debug('OMERO database upgrade status: %s', status)\n else:\n log.warn('OMERO database check disabled')\n return DB_INIT_NEEDED\n if status == DB_INIT_NEEDED:\n if self.args.initdb:\n log.debug('Initialising OMERO database')\n db.init()\n else:\n log.error('OMERO database not found')\n raise Stop(DB_INIT_NEEDED,\n 'Install/Upgrade failed: OMERO database not found')\n elif status == DB_UPGRADE_NEEDED:\n log.warn('OMERO database exists but is out of date')\n if self.args.upgradedb:\n log.debug('Upgrading OMERO database')\n db.upgrade()\n else:\n raise Stop(DB_UPGRADE_NEEDED,\n 'Pass --managedb or upgrade your OMERO database manually')\n else:\n assert status == DB_UPTODATE\n return status\n", "role": "user" }, { "content": "handle_database", "role": "assistant" } ]
def x(self, command): if isinstance(command, basestring): command = command.split() else: command = list(command) self.external.omero_cli(command)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n if isinstance(command, basestring):\n command = command.split()\n else:\n command = list(command)\n self.external.omero_cli(command)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, command): if isinstance(command, basestring): command = command.split() self.external.omero_bin(command)
bin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n if isinstance(command, basestring):\n command = command.split()\n self.external.omero_bin(command)\n", "role": "user" }, { "content": "bin", "role": "assistant" } ]
def x(self): if self.args.sym == '': if os.path.exists('OMERO-CURRENT'): log.error('Deprecated OMERO-CURRENT found but --sym not set') raise Stop(30, 'The default for --sym has changed to OMERO.server but the current directory contains OMERO-CURRENT. Either remove OMERO-CURRENT or explicity pass --sym.' ) if self.args.sym in ('', 'auto'): self.args.sym = 'OMERO.server'
symlink_check_and_set
[ { "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.args.sym == '':\n if os.path.exists('OMERO-CURRENT'):\n log.error('Deprecated OMERO-CURRENT found but --sym not set')\n raise Stop(30,\n 'The default for --sym has changed to OMERO.server but the current directory contains OMERO-CURRENT. Either remove OMERO-CURRENT or explicity pass --sym.'\n )\n if self.args.sym in ('', 'auto'):\n self.args.sym = 'OMERO.server'\n", "role": "user" }, { "content": "symlink_check_and_set", "role": "assistant" } ]
def x(request): def x(func, obj): result_code = func(obj, request) if result_code is not constants.OK: raise OpusError(result_code) return result_code return inner
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n\n def x(func, obj):\n result_code = func(obj, request)\n if result_code is not constants.OK:\n raise OpusError(result_code)\n return result_code\n return inner\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(request, result_type): def x(func, obj): result = result_type() result_code = func(obj, request, ctypes.byref(result)) if result_code is not constants.OK: raise OpusError(result_code) return result.value return inner
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, result_type):\n\n def x(func, obj):\n result = result_type()\n result_code = func(obj, request, ctypes.byref(result))\n if result_code is not constants.OK:\n raise OpusError(result_code)\n return result.value\n return inner\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(request): def x(func, obj, value): result_code = func(obj, request, value) if result_code is not constants.OK: raise OpusError(result_code) return inner
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n\n def x(func, obj, value):\n result_code = func(obj, request, value)\n if result_code is not constants.OK:\n raise OpusError(result_code)\n return inner\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(schemas): def x(v): x = SQL_SCHEMA_REGEXP.match(v).groups() return int(x[0]), x[1], int(x[2]) if x[2] else None, x[3] if x[3 ] else 'zzz', int(x[4]) return sorted(schemas, key=keyfun)
sort_schemas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schemas):\n\n def x(v):\n x = SQL_SCHEMA_REGEXP.match(v).groups()\n return int(x[0]), x[1], int(x[2]) if x[2] else None, x[3] if x[3\n ] else 'zzz', int(x[4])\n return sorted(schemas, key=keyfun)\n", "role": "user" }, { "content": "sort_schemas", "role": "assistant" } ]
def x(files): f_dict = {} for f in files: root, ext = os.path.splitext(f) if ext != '.sql': continue vto, vfrom = os.path.split(root) vto = os.path.split(vto)[1] if is_schema(vto) and is_schema(vfrom): f_dict[f] = vfrom, vto return f_dict
parse_schema_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files):\n f_dict = {}\n for f in files:\n root, ext = os.path.splitext(f)\n if ext != '.sql':\n continue\n vto, vfrom = os.path.split(root)\n vto = os.path.split(vto)[1]\n if is_schema(vto) and is_schema(vfrom):\n f_dict[f] = vfrom, vto\n return f_dict\n", "role": "user" }, { "content": "parse_schema_files", "role": "assistant" } ]
def x(self): dumpfile = self.args.dumpfile if not dumpfile: db, env = self.get_db_args_env() dumpfile = fileutils.timestamp_filename('omero-database-%s' % db[ 'name'], 'pgdump') log.info('Dumping database to %s', dumpfile) if not self.args.dry_run: self.pgdump('-Fc', '-f', dumpfile)
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dumpfile = self.args.dumpfile\n if not dumpfile:\n db, env = self.get_db_args_env()\n dumpfile = fileutils.timestamp_filename('omero-database-%s' % db[\n 'name'], 'pgdump')\n log.info('Dumping database to %s', dumpfile)\n if not self.args.dry_run:\n self.pgdump('-Fc', '-f', dumpfile)\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(self): db = {'name': self.args.dbname, 'host': self.args.dbhost, 'user': self. args.dbuser, 'pass': self.args.dbpass} if not self.args.no_db_config: try: c = self.external.get_config(force=True) except Exception as e: log.warn('config.xml not found: %s', e) c = {} for k in db: try: db[k] = c['omero.db.%s' % k] except KeyError: log.info('Failed to lookup parameter omero.db.%s, using %s', k, db[k]) if not db['name']: raise Exception('Database name required') env = os.environ.copy() env['PGPASSWORD'] = db['pass'] return db, env
get_db_args_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n db = {'name': self.args.dbname, 'host': self.args.dbhost, 'user': self.\n args.dbuser, 'pass': self.args.dbpass}\n if not self.args.no_db_config:\n try:\n c = self.external.get_config(force=True)\n except Exception as e:\n log.warn('config.xml not found: %s', e)\n c = {}\n for k in db:\n try:\n db[k] = c['omero.db.%s' % k]\n except KeyError:\n log.info('Failed to lookup parameter omero.db.%s, using %s',\n k, db[k])\n if not db['name']:\n raise Exception('Database name required')\n env = os.environ.copy()\n env['PGPASSWORD'] = db['pass']\n return db, env\n", "role": "user" }, { "content": "get_db_args_env", "role": "assistant" } ]
def x(self, *psqlargs): db, env = self.get_db_args_env() args = ['-v', 'ON_ERROR_STOP=on', '-d', db['name'], '-h', db['host'], '-U', db['user'], '-w', '-A', '-t'] + list(psqlargs) stdout, stderr = External.run('psql', args, capturestd=True, env=env) if stderr: log.warn('stderr: %s', stderr) log.debug('stdout: %s', stdout) return stdout
psql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *psqlargs):\n db, env = self.get_db_args_env()\n args = ['-v', 'ON_ERROR_STOP=on', '-d', db['name'], '-h', db['host'],\n '-U', db['user'], '-w', '-A', '-t'] + list(psqlargs)\n stdout, stderr = External.run('psql', args, capturestd=True, env=env)\n if stderr:\n log.warn('stderr: %s', stderr)\n log.debug('stdout: %s', stdout)\n return stdout\n", "role": "user" }, { "content": "psql", "role": "assistant" } ]
def x(self, *pgdumpargs): db, env = self.get_db_args_env() args = ['-d', db['name'], '-h', db['host'], '-U', db['user'], '-w'] + list( pgdumpargs) stdout, stderr = External.run('pg_dump', args, capturestd=True, env=env) if stderr: log.warn('stderr: %s', stderr) log.debug('stdout: %s', stdout) return stdout
pgdump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *pgdumpargs):\n db, env = self.get_db_args_env()\n args = ['-d', db['name'], '-h', db['host'], '-U', db['user'], '-w'] + list(\n pgdumpargs)\n stdout, stderr = External.run('pg_dump', args, capturestd=True, env=env)\n if stderr:\n log.warn('stderr: %s', stderr)\n log.debug('stdout: %s', stdout)\n return stdout\n", "role": "user" }, { "content": "pgdump", "role": "assistant" } ]
def x(self, dir): self.dir = os.path.abspath(dir) config = os.path.join(self.dir, 'etc', 'grid', 'config.xml') self.configured = os.path.exists(config)
set_server_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dir):\n self.dir = os.path.abspath(dir)\n config = os.path.join(self.dir, 'etc', 'grid', 'config.xml')\n self.configured = os.path.exists(config)\n", "role": "user" }, { "content": "set_server_dir", "role": "assistant" } ]
def x(self, force=False): if not force and not self.has_config(): raise Exception('No config file') configxml = os.path.join(self.dir, 'etc', 'grid', 'config.xml') if not os.path.exists(configxml): raise Exception('No config file') try: c = self._omero.config.ConfigXml(configxml, exclusive=False, read_only=True) except TypeError: c = self._omero.config.ConfigXml(configxml, exclusive=False) try: return c.as_map() finally: c.close()
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force=False):\n if not force and not self.has_config():\n raise Exception('No config file')\n configxml = os.path.join(self.dir, 'etc', 'grid', 'config.xml')\n if not os.path.exists(configxml):\n raise Exception('No config file')\n try:\n c = self._omero.config.ConfigXml(configxml, exclusive=False,\n read_only=True)\n except TypeError:\n c = self._omero.config.ConfigXml(configxml, exclusive=False)\n try:\n return c.as_map()\n finally:\n c.close()\n", "role": "user" }, { "content": "get_config", "role": "assistant" } ]
def x(self): if not self.dir: raise Exception('No server directory set') if 'omero.cli' in sys.modules: raise Exception('omero.cli can only be imported once') log.debug('Setting up omero CLI') lib = os.path.join(self.dir, 'lib', 'python') if not os.path.exists(lib): raise Exception('%s does not exist!' % lib) sys.path.insert(0, lib) import omero import omero.cli log.debug('Using omero CLI from %s', omero.cli.__file__) self.cli = omero.cli.CLI() self.cli.loadplugins() self._omero = omero
setup_omero_cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.dir:\n raise Exception('No server directory set')\n if 'omero.cli' in sys.modules:\n raise Exception('omero.cli can only be imported once')\n log.debug('Setting up omero CLI')\n lib = os.path.join(self.dir, 'lib', 'python')\n if not os.path.exists(lib):\n raise Exception('%s does not exist!' % lib)\n sys.path.insert(0, lib)\n import omero\n import omero.cli\n log.debug('Using omero CLI from %s', omero.cli.__file__)\n self.cli = omero.cli.CLI()\n self.cli.loadplugins()\n self._omero = omero\n", "role": "user" }, { "content": "setup_omero_cli", "role": "assistant" } ]
def x(self, olddir, savevarsfile): env = self.get_environment(savevarsfile) def x(varname, p): if not os.path.exists(p): raise Exception('%s does not exist!' % p) current = env.get(varname) if current: env[varname] = p + os.pathsep + current else: env[varname] = p olddir = os.path.abspath(olddir) lib = os.path.join(olddir, 'lib', 'python') addpath('PYTHONPATH', lib) bin = os.path.join(olddir, 'bin') addpath('PATH', bin) self.old_env = env
setup_previous_omero_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, olddir, savevarsfile):\n env = self.get_environment(savevarsfile)\n\n def x(varname, p):\n if not os.path.exists(p):\n raise Exception('%s does not exist!' % p)\n current = env.get(varname)\n if current:\n env[varname] = p + os.pathsep + current\n else:\n env[varname] = p\n olddir = os.path.abspath(olddir)\n lib = os.path.join(olddir, 'lib', 'python')\n addpath('PYTHONPATH', lib)\n bin = os.path.join(olddir, 'bin')\n addpath('PATH', bin)\n self.old_env = env\n", "role": "user" }, { "content": "setup_previous_omero_env", "role": "assistant" } ]
def x(self, command): assert isinstance(command, list) if not self.cli: raise Exception('omero.cli not initialised') log.info('Invoking CLI [current environment]: %s', ' '.join(command)) self.cli.invoke(command, strict=True)
omero_cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n assert isinstance(command, list)\n if not self.cli:\n raise Exception('omero.cli not initialised')\n log.info('Invoking CLI [current environment]: %s', ' '.join(command))\n self.cli.invoke(command, strict=True)\n", "role": "user" }, { "content": "omero_cli", "role": "assistant" } ]
def x(self, command): assert isinstance(command, list) if not self.old_env: raise Exception('Old environment not initialised') log.info('Running [old environment]: %s', ' '.join(command)) self.run('omero', command, capturestd=True, env=self.old_env)
omero_bin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n assert isinstance(command, list)\n if not self.old_env:\n raise Exception('Old environment not initialised')\n log.info('Running [old environment]: %s', ' '.join(command))\n self.run('omero', command, capturestd=True, env=self.old_env)\n", "role": "user" }, { "content": "omero_bin", "role": "assistant" } ]
def x(exe, args, capturestd=False, env=None): command = [exe] + args if env: log.info('Executing [custom environment]: %s', ' '.join(command)) else: log.info('Executing : %s', ' '.join(command)) start = time.time() outfile = None errfile = None if capturestd: outfile = tempfile.TemporaryFile() errfile = tempfile.TemporaryFile() r = subprocess.call(command, env=env, stdout=outfile, stderr=errfile, shell=WINDOWS) stdout = None stderr = None if capturestd: outfile.seek(0) stdout = outfile.read() outfile.close() errfile.seek(0) stderr = errfile.read() errfile.close() end = time.time() if r != 0: log.error('Failed [%.3f s]', end - start) raise RunException('Non-zero return code', exe, args, r, stdout, stderr ) log.info('Completed [%.3f s]', end - start) return stdout, stderr
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exe, args, capturestd=False, env=None):\n command = [exe] + args\n if env:\n log.info('Executing [custom environment]: %s', ' '.join(command))\n else:\n log.info('Executing : %s', ' '.join(command))\n start = time.time()\n outfile = None\n errfile = None\n if capturestd:\n outfile = tempfile.TemporaryFile()\n errfile = tempfile.TemporaryFile()\n r = subprocess.call(command, env=env, stdout=outfile, stderr=errfile,\n shell=WINDOWS)\n stdout = None\n stderr = None\n if capturestd:\n outfile.seek(0)\n stdout = outfile.read()\n outfile.close()\n errfile.seek(0)\n stderr = errfile.read()\n errfile.close()\n end = time.time()\n if r != 0:\n log.error('Failed [%.3f s]', end - start)\n raise RunException('Non-zero return code', exe, args, r, stdout, stderr\n )\n log.info('Completed [%.3f s]', end - start)\n return stdout, stderr\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(py3enc): if sys.version < '3': def x(b): return b def x(s): return s else: def x(b): return b.decode(py3enc) def x(u): return u.encode(py3enc) return bytes2str, str2bytes
string_support
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(py3enc):\n if sys.version < '3':\n\n def x(b):\n return b\n\n def x(s):\n return s\n else:\n\n def x(b):\n return b.decode(py3enc)\n\n def x(u):\n return u.encode(py3enc)\n return bytes2str, str2bytes\n", "role": "user" }, { "content": "string_support", "role": "assistant" } ]
def x(py2enc): if sys.version < '3': def x(pattern, sentence): if REGEXTYPE == type(pattern): if pattern.flags & re.UNICODE: return sentence.decode(py2enc) else: return sentence else: return sentence def x(pattern): if REGEXTYPE == type(pattern): if pattern.flags & re.UNICODE: def x(token): return token.encode(py2enc) else: def x(token): return token else: def x(token): return token return _fn else: def x(pattern, sentence): return sentence def x(pattern): def x(token): return token return _fn def x(text, pattern): pos = 0 sentence = _fn_sentence(pattern, text) postprocess = _fn_token2str(pattern) for m in re.finditer(pattern, sentence): if pos < m.start(): token = postprocess(sentence[pos:m.start()]) yield token.strip(), False pos = m.start() token = postprocess(sentence[pos:m.end()]) yield token.strip(), True pos = m.end() if pos < len(sentence): token = postprocess(sentence[pos:]) yield token.strip(), False def x(text, features): acc = [] acc.append((text.strip(), False)) for feat in features: for i, e in enumerate(acc): if e[1] == False: tmp = list(_fn_tokenize_pattern(e[0], feat)) if len(tmp) > 0: acc.pop(i) acc[i:i] = tmp return acc return _fn_tokenize_pattern, _fn_tokenize_features
splitter_support
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(py2enc):\n if sys.version < '3':\n\n def x(pattern, sentence):\n if REGEXTYPE == type(pattern):\n if pattern.flags & re.UNICODE:\n return sentence.decode(py2enc)\n else:\n return sentence\n else:\n return sentence\n\n def x(pattern):\n if REGEXTYPE == type(pattern):\n if pattern.flags & re.UNICODE:\n\n def x(token):\n return token.encode(py2enc)\n else:\n\n def x(token):\n return token\n else:\n\n def x(token):\n return token\n return _fn\n else:\n\n def x(pattern, sentence):\n return sentence\n\n def x(pattern):\n\n def x(token):\n return token\n return _fn\n\n def x(text, pattern):\n pos = 0\n sentence = _fn_sentence(pattern, text)\n postprocess = _fn_token2str(pattern)\n for m in re.finditer(pattern, sentence):\n if pos < m.start():\n token = postprocess(sentence[pos:m.start()])\n yield token.strip(), False\n pos = m.start()\n token = postprocess(sentence[pos:m.end()])\n yield token.strip(), True\n pos = m.end()\n if pos < len(sentence):\n token = postprocess(sentence[pos:])\n yield token.strip(), False\n\n def x(text, features):\n acc = []\n acc.append((text.strip(), False))\n for feat in features:\n for i, e in enumerate(acc):\n if e[1] == False:\n tmp = list(_fn_tokenize_pattern(e[0], feat))\n if len(tmp) > 0:\n acc.pop(i)\n acc[i:i] = tmp\n return acc\n return _fn_tokenize_pattern, _fn_tokenize_features\n", "role": "user" }, { "content": "splitter_support", "role": "assistant" } ]
def x(self, document_id, update_spec, namespace, timestamp): index, doc_type = self._index_and_mapping(namespace) with self.lock: document = self.BulkBuffer.get_from_sources(index, doc_type, u( document_id)) if document: updated = self.apply_update(document, update_spec) updated['_id'] = document_id self.upsert(updated, namespace, timestamp) else: updated = {'_id': document_id} self.upsert(updated, namespace, timestamp, update_spec) return updated
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document_id, update_spec, namespace, timestamp):\n index, doc_type = self._index_and_mapping(namespace)\n with self.lock:\n document = self.BulkBuffer.get_from_sources(index, doc_type, u(\n document_id))\n if document:\n updated = self.apply_update(document, update_spec)\n updated['_id'] = document_id\n self.upsert(updated, namespace, timestamp)\n else:\n updated = {'_id': document_id}\n self.upsert(updated, namespace, timestamp, update_spec)\n return updated\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, doc, namespace, timestamp, update_spec=None): index, doc_type = self._index_and_mapping(namespace) doc_id = u(doc.pop('_id')) metadata = {'ns': namespace, '_ts': timestamp} action = {'_op_type': 'index', '_index': index, '_type': doc_type, '_id': doc_id, '_source': self._formatter.format_document(doc)} meta_action = {'_op_type': 'index', '_index': self.meta_index_name, '_type': self.meta_type, '_id': doc_id, '_source': bson.json_util. dumps(metadata)} self.index(action, meta_action, doc, update_spec) doc['_id'] = doc_id
upsert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc, namespace, timestamp, update_spec=None):\n index, doc_type = self._index_and_mapping(namespace)\n doc_id = u(doc.pop('_id'))\n metadata = {'ns': namespace, '_ts': timestamp}\n action = {'_op_type': 'index', '_index': index, '_type': doc_type,\n '_id': doc_id, '_source': self._formatter.format_document(doc)}\n meta_action = {'_op_type': 'index', '_index': self.meta_index_name,\n '_type': self.meta_type, '_id': doc_id, '_source': bson.json_util.\n dumps(metadata)}\n self.index(action, meta_action, doc, update_spec)\n doc['_id'] = doc_id\n", "role": "user" }, { "content": "upsert", "role": "assistant" } ]
def x(self, docs, namespace, timestamp): def x(): doc = None for doc in docs: index, doc_type = self._index_and_mapping(namespace) doc_id = u(doc.pop('_id')) document_action = {'_index': index, '_type': doc_type, '_id': doc_id, '_source': self._formatter.format_document(doc)} document_meta = {'_index': self.meta_index_name, '_type': self. meta_type, '_id': doc_id, '_source': {'ns': namespace, '_ts': timestamp}} yield document_action yield document_meta if doc is None: raise errors.EmptyDocsError( 'Cannot upsert an empty sequence of documents into Elastic Search' ) try: kw = {} if self.chunk_size > 0: kw['chunk_size'] = self.chunk_size responses = streaming_bulk(client=self.elastic, actions= docs_to_upsert(), **kw) for ok, resp in responses: if not ok: LOG.error( 'Could not bulk-upsert document into ElasticSearch: %r' % resp) if self.auto_commit_interval == 0: self.commit() except errors.EmptyDocsError: pass
bulk_upsert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, docs, namespace, timestamp):\n\n def x():\n doc = None\n for doc in docs:\n index, doc_type = self._index_and_mapping(namespace)\n doc_id = u(doc.pop('_id'))\n document_action = {'_index': index, '_type': doc_type, '_id':\n doc_id, '_source': self._formatter.format_document(doc)}\n document_meta = {'_index': self.meta_index_name, '_type': self.\n meta_type, '_id': doc_id, '_source': {'ns': namespace,\n '_ts': timestamp}}\n yield document_action\n yield document_meta\n if doc is None:\n raise errors.EmptyDocsError(\n 'Cannot upsert an empty sequence of documents into Elastic Search'\n )\n try:\n kw = {}\n if self.chunk_size > 0:\n kw['chunk_size'] = self.chunk_size\n responses = streaming_bulk(client=self.elastic, actions=\n docs_to_upsert(), **kw)\n for ok, resp in responses:\n if not ok:\n LOG.error(\n 'Could not bulk-upsert document into ElasticSearch: %r' %\n resp)\n if self.auto_commit_interval == 0:\n self.commit()\n except errors.EmptyDocsError:\n pass\n", "role": "user" }, { "content": "bulk_upsert", "role": "assistant" } ]
def x(self, document_id, namespace, timestamp): index, doc_type = self._index_and_mapping(namespace) action = {'_op_type': 'delete', '_index': index, '_type': doc_type, '_id': u(document_id)} meta_action = {'_op_type': 'delete', '_index': self.meta_index_name, '_type': self.meta_type, '_id': u(document_id)} self.index(action, meta_action)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, document_id, namespace, timestamp):\n index, doc_type = self._index_and_mapping(namespace)\n action = {'_op_type': 'delete', '_index': index, '_type': doc_type,\n '_id': u(document_id)}\n meta_action = {'_op_type': 'delete', '_index': self.meta_index_name,\n '_type': self.meta_type, '_id': u(document_id)}\n self.index(action, meta_action)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self): with self.lock: try: action_buffer = self.BulkBuffer.get_buffer() if action_buffer: successes, errors = bulk(self.elastic, action_buffer) LOG.debug( 'Bulk request finished, successfully sent %d operations', successes) if errors: LOG.error('Bulk request finished with errors: %r', errors) except es_exceptions.ElasticsearchException: LOG.exception('Bulk request failed with exception')
send_buffered_operations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self.lock:\n try:\n action_buffer = self.BulkBuffer.get_buffer()\n if action_buffer:\n successes, errors = bulk(self.elastic, action_buffer)\n LOG.debug(\n 'Bulk request finished, successfully sent %d operations',\n successes)\n if errors:\n LOG.error('Bulk request finished with errors: %r', errors)\n except es_exceptions.ElasticsearchException:\n LOG.exception('Bulk request failed with exception')\n", "role": "user" }, { "content": "send_buffered_operations", "role": "assistant" } ]
def x(self): try: result = self.elastic.search(index=self.meta_index_name, body={ 'query': {'match_all': {}}, 'sort': [{'_ts': 'desc'}]}, size=1)[ 'hits']['hits'] for r in result: r['_source']['_id'] = r['_id'] return r['_source'] except es_exceptions.RequestError: return None
get_last_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n result = self.elastic.search(index=self.meta_index_name, body={\n 'query': {'match_all': {}}, 'sort': [{'_ts': 'desc'}]}, size=1)[\n 'hits']['hits']\n for r in result:\n r['_source']['_id'] = r['_id']\n return r['_source']\n except es_exceptions.RequestError:\n return None\n", "role": "user" }, { "content": "get_last_doc", "role": "assistant" } ]
def x(params): result = [] current = '' level = 0 for char in params: if char in ('<', '{', '['): level += 1 elif char in ('>', '}', ']'): level -= 1 if char != ',' or level > 0: current += char elif char == ',' and level == 0: result.append(current) current = '' if current.strip() != '': result.append(current) return result
split_sig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(params):\n result = []\n current = ''\n level = 0\n for char in params:\n if char in ('<', '{', '['):\n level += 1\n elif char in ('>', '}', ']'):\n level -= 1\n if char != ',' or level > 0:\n current += char\n elif char == ',' and level == 0:\n result.append(current)\n current = ''\n if current.strip() != '':\n result.append(current)\n return result\n", "role": "user" }, { "content": "split_sig", "role": "assistant" } ]
def x(sig): match = METH_SIG_RE.match(sig.strip()) if not match: raise RuntimeError('Method signature invalid: ' + sig) modifiers, return_type, name, generic_types, params = match.groups() if params.strip() != '': params = split_sig(params) params = [parse_param_signature(x) for x in params] else: params = [] return modifiers.split(), return_type, name, generic_types, params
parse_method_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig):\n match = METH_SIG_RE.match(sig.strip())\n if not match:\n raise RuntimeError('Method signature invalid: ' + sig)\n modifiers, return_type, name, generic_types, params = match.groups()\n if params.strip() != '':\n params = split_sig(params)\n params = [parse_param_signature(x) for x in params]\n else:\n params = []\n return modifiers.split(), return_type, name, generic_types, params\n", "role": "user" }, { "content": "parse_method_signature", "role": "assistant" } ]
def x(sig): match = PROP_SIG_RE.match(sig.strip()) if not match: raise RuntimeError('Property signature invalid: ' + sig) groups = match.groups() if groups[0] is not None: modifiers = [x.strip() for x in groups[:-4]] groups = groups[-4:] else: modifiers = [] groups = groups[1:] typ, name, getter, setter = groups return modifiers, typ, name, getter is not None, setter is not None
parse_property_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig):\n match = PROP_SIG_RE.match(sig.strip())\n if not match:\n raise RuntimeError('Property signature invalid: ' + sig)\n groups = match.groups()\n if groups[0] is not None:\n modifiers = [x.strip() for x in groups[:-4]]\n groups = groups[-4:]\n else:\n modifiers = []\n groups = groups[1:]\n typ, name, getter, setter = groups\n return modifiers, typ, name, getter is not None, setter is not None\n", "role": "user" }, { "content": "parse_property_signature", "role": "assistant" } ]
def x(sig): match = IDXR_SIG_RE.match(sig.strip()) if not match: raise RuntimeError('Indexer signature invalid: ' + sig) modifiers, return_type, params, getter, setter = match.groups() params = split_sig(params) params = [parse_param_signature(x) for x in params] return modifiers.split( ), return_type, params, getter is not None, setter is not None
parse_indexer_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig):\n match = IDXR_SIG_RE.match(sig.strip())\n if not match:\n raise RuntimeError('Indexer signature invalid: ' + sig)\n modifiers, return_type, params, getter, setter = match.groups()\n params = split_sig(params)\n params = [parse_param_signature(x) for x in params]\n return modifiers.split(\n ), return_type, params, getter is not None, setter is not None\n", "role": "user" }, { "content": "parse_indexer_signature", "role": "assistant" } ]
def x(sig): match = PARAM_SIG_RE.match(sig.strip()) if not match: raise RuntimeError('Parameter signature invalid, got ' + sig) groups = match.groups() modifiers = groups[0].split() typ, name, _, default = groups[-4:] return ParamTuple(name=name, typ=typ, default=default, modifiers=modifiers)
parse_param_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig):\n match = PARAM_SIG_RE.match(sig.strip())\n if not match:\n raise RuntimeError('Parameter signature invalid, got ' + sig)\n groups = match.groups()\n modifiers = groups[0].split()\n typ, name, _, default = groups[-4:]\n return ParamTuple(name=name, typ=typ, default=default, modifiers=modifiers)\n", "role": "user" }, { "content": "parse_param_signature", "role": "assistant" } ]
def x(sig): match = TYPE_SIG_RE.match(sig.strip()) if not match: raise RuntimeError('Type signature invalid, got ' + sig) groups = match.groups() typ = groups[0] generic_types = groups[1] if not generic_types: generic_types = [] else: generic_types = split_sig(generic_types[1:-1]) is_array = groups[2] is not None return typ, generic_types, is_array
parse_type_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig):\n match = TYPE_SIG_RE.match(sig.strip())\n if not match:\n raise RuntimeError('Type signature invalid, got ' + sig)\n groups = match.groups()\n typ = groups[0]\n generic_types = groups[1]\n if not generic_types:\n generic_types = []\n else:\n generic_types = split_sig(generic_types[1:-1])\n is_array = groups[2] is not None\n return typ, generic_types, is_array\n", "role": "user" }, { "content": "parse_type_signature", "role": "assistant" } ]
def x(sig): match = ATTR_SIG_RE.match(sig.strip()) if not match: raise RuntimeError('Attribute signature invalid, got ' + sig) name, _, params = match.groups() if params is not None and params.strip() != '': params = split_sig(params) params = [parse_param_signature(x) for x in params] else: params = [] return name, params
parse_attr_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sig):\n match = ATTR_SIG_RE.match(sig.strip())\n if not match:\n raise RuntimeError('Attribute signature invalid, got ' + sig)\n name, _, params = match.groups()\n if params is not None and params.strip() != '':\n params = split_sig(params)\n params = [parse_param_signature(x) for x in params]\n else:\n params = []\n return name, params\n", "role": "user" }, { "content": "parse_attr_signature", "role": "assistant" } ]
def x(name): in_msdn = False if name in MSDN_VALUE_TYPES: name = MSDN_VALUE_TYPES[name] in_msdn = True if name.startswith('System.'): in_msdn = True if in_msdn: link = name.split('<')[0] if link in MSDN_LINK_MAP: link = MSDN_LINK_MAP[link] else: link = link.lower() url = 'https://msdn.microsoft.com/en-us/library/' + link + '.aspx' node = nodes.reference(name, shorten_type(name)) node['refuri'] = url node['reftitle'] = name return node else: return None
get_msdn_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n in_msdn = False\n if name in MSDN_VALUE_TYPES:\n name = MSDN_VALUE_TYPES[name]\n in_msdn = True\n if name.startswith('System.'):\n in_msdn = True\n if in_msdn:\n link = name.split('<')[0]\n if link in MSDN_LINK_MAP:\n link = MSDN_LINK_MAP[link]\n else:\n link = link.lower()\n url = 'https://msdn.microsoft.com/en-us/library/' + link + '.aspx'\n node = nodes.reference(name, shorten_type(name))\n node['refuri'] = url\n node['reftitle'] = name\n return node\n else:\n return None\n", "role": "user" }, { "content": "get_msdn_ref", "role": "assistant" } ]
def x(typ): offset = 0 for prefix in SHORTEN_TYPE_PREFIXES: if typ.startswith(prefix): if len(prefix) > offset: offset = len(prefix) return typ[offset:]
shorten_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(typ):\n offset = 0\n for prefix in SHORTEN_TYPE_PREFIXES:\n if typ.startswith(prefix):\n if len(prefix) > offset:\n offset = len(prefix)\n return typ[offset:]\n", "role": "user" }, { "content": "shorten_type", "role": "assistant" } ]
def x(self, options): class MeCabArgumentParser(argparse.ArgumentParser): """MeCab option parser for natto-py.""" def x(self, message): raise ValueError(message) options = options or {} dopts = {} if type(options) is dict: for name in iter(list(self._SUPPORTED_OPTS.values())): if name in options: if options[name] or options[name] is '': val = options[name] if isinstance(val, bytes): val = self.__bytes2str(options[name]) dopts[name] = val else: p = MeCabArgumentParser() p.add_argument('-r', '--rcfile', help='use FILE as a resource file', action='store', dest='rcfile') p.add_argument('-d', '--dicdir', help='set DIR as a system dicdir', action='store', dest='dicdir') p.add_argument('-u', '--userdic', help= 'use FILE as a user dictionary', action='store', dest='userdic') p.add_argument('-l', '--lattice-level', help= 'lattice information level (DEPRECATED)', action='store', dest= 'lattice_level', type=int) p.add_argument('-O', '--output-format-type', help= 'set output format type (wakati, none,...)', action='store', dest='output_format_type') p.add_argument('-a', '--all-morphs', help= 'output all morphs (default false)', action='store_true', default=False) p.add_argument('-N', '--nbest', help= 'output N best results (default 1)', action='store', dest= 'nbest', type=int) p.add_argument('-p', '--partial', help= 'partial parsing mode (default false)', action='store_true', default=False) p.add_argument('-m', '--marginal', help= 'output marginal probability (default false)', action= 'store_true', default=False) p.add_argument('-M', '--max-grouping-size', help= 'maximum grouping size for unknown words (default 24)', action= 'store', dest='max_grouping_size', type=int) p.add_argument('-F', '--node-format', help= 'use STR as the user-defined node format', action='store', dest ='node_format') p.add_argument('-U', '--unk-format', help= 'use STR as the user-defined unknown node format', action= 'store', dest='unk_format') p.add_argument('-B', '--bos-format', help= 'use STR as the user-defined beginning-of-sentence format', action='store', dest='bos_format') p.add_argument('-E', '--eos-format', help= 'use STR as the user-defined end-of-sentence format', action= 'store', dest='eos_format') p.add_argument('-S', '--eon-format', help= 'use STR as the user-defined end-of-NBest format', action= 'store', dest='eon_format') p.add_argument('-x', '--unk-feature', help= 'use STR as the feature for unknown word', action='store', dest ='unk_feature') p.add_argument('-b', '--input-buffer-size', help= 'set input buffer size (default 8192)', action='store', dest= 'input_buffer_size', type=int) p.add_argument('-C', '--allocate-sentence', help= 'allocate new memory for input sentence', action='store_true', dest='allocate_sentence', default=False) p.add_argument('-t', '--theta', help= 'set temperature parameter theta (default 0.75)', action= 'store', dest='theta', type=float) p.add_argument('-c', '--cost-factor', help= 'set cost factor (default 700)', action='store', dest= 'cost_factor', type=int) opts = p.parse_args([o.replace('"', '').replace("'", '') for o in options.split()]) for name in iter(list(self._SUPPORTED_OPTS.values())): if hasattr(opts, name): v = getattr(opts, name) if v or v is '': dopts[name] = v if 'nbest' in dopts and (dopts['nbest'] < 1 or dopts['nbest'] > self. _NBEST_MAX): logger.error(self._ERROR_NVALUE) raise ValueError(self._ERROR_NVALUE) if 'lattice_level' in dopts: logger.warn('WARNING: {}\n'.format(self._WARN_LATTICE_LEVEL)) return dopts
parse_mecab_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, options):\n\n\n class MeCabArgumentParser(argparse.ArgumentParser):\n \"\"\"MeCab option parser for natto-py.\"\"\"\n\n def x(self, message):\n raise ValueError(message)\n options = options or {}\n dopts = {}\n if type(options) is dict:\n for name in iter(list(self._SUPPORTED_OPTS.values())):\n if name in options:\n if options[name] or options[name] is '':\n val = options[name]\n if isinstance(val, bytes):\n val = self.__bytes2str(options[name])\n dopts[name] = val\n else:\n p = MeCabArgumentParser()\n p.add_argument('-r', '--rcfile', help='use FILE as a resource file',\n action='store', dest='rcfile')\n p.add_argument('-d', '--dicdir', help='set DIR as a system dicdir',\n action='store', dest='dicdir')\n p.add_argument('-u', '--userdic', help=\n 'use FILE as a user dictionary', action='store', dest='userdic')\n p.add_argument('-l', '--lattice-level', help=\n 'lattice information level (DEPRECATED)', action='store', dest=\n 'lattice_level', type=int)\n p.add_argument('-O', '--output-format-type', help=\n 'set output format type (wakati, none,...)', action='store',\n dest='output_format_type')\n p.add_argument('-a', '--all-morphs', help=\n 'output all morphs (default false)', action='store_true',\n default=False)\n p.add_argument('-N', '--nbest', help=\n 'output N best results (default 1)', action='store', dest=\n 'nbest', type=int)\n p.add_argument('-p', '--partial', help=\n 'partial parsing mode (default false)', action='store_true',\n default=False)\n p.add_argument('-m', '--marginal', help=\n 'output marginal probability (default false)', action=\n 'store_true', default=False)\n p.add_argument('-M', '--max-grouping-size', help=\n 'maximum grouping size for unknown words (default 24)', action=\n 'store', dest='max_grouping_size', type=int)\n p.add_argument('-F', '--node-format', help=\n 'use STR as the user-defined node format', action='store', dest\n ='node_format')\n p.add_argument('-U', '--unk-format', help=\n 'use STR as the user-defined unknown node format', action=\n 'store', dest='unk_format')\n p.add_argument('-B', '--bos-format', help=\n 'use STR as the user-defined beginning-of-sentence format',\n action='store', dest='bos_format')\n p.add_argument('-E', '--eos-format', help=\n 'use STR as the user-defined end-of-sentence format', action=\n 'store', dest='eos_format')\n p.add_argument('-S', '--eon-format', help=\n 'use STR as the user-defined end-of-NBest format', action=\n 'store', dest='eon_format')\n p.add_argument('-x', '--unk-feature', help=\n 'use STR as the feature for unknown word', action='store', dest\n ='unk_feature')\n p.add_argument('-b', '--input-buffer-size', help=\n 'set input buffer size (default 8192)', action='store', dest=\n 'input_buffer_size', type=int)\n p.add_argument('-C', '--allocate-sentence', help=\n 'allocate new memory for input sentence', action='store_true',\n dest='allocate_sentence', default=False)\n p.add_argument('-t', '--theta', help=\n 'set temperature parameter theta (default 0.75)', action=\n 'store', dest='theta', type=float)\n p.add_argument('-c', '--cost-factor', help=\n 'set cost factor (default 700)', action='store', dest=\n 'cost_factor', type=int)\n opts = p.parse_args([o.replace('\"', '').replace(\"'\", '') for o in\n options.split()])\n for name in iter(list(self._SUPPORTED_OPTS.values())):\n if hasattr(opts, name):\n v = getattr(opts, name)\n if v or v is '':\n dopts[name] = v\n if 'nbest' in dopts and (dopts['nbest'] < 1 or dopts['nbest'] > self.\n _NBEST_MAX):\n logger.error(self._ERROR_NVALUE)\n raise ValueError(self._ERROR_NVALUE)\n if 'lattice_level' in dopts:\n logger.warn('WARNING: {}\\n'.format(self._WARN_LATTICE_LEVEL))\n return dopts\n", "role": "user" }, { "content": "parse_mecab_options", "role": "assistant" } ]
def x(self, options): opts = [] for name in iter(list(self._SUPPORTED_OPTS.values())): if name in options: key = name.replace('_', '-') if key in self._BOOLEAN_OPTIONS: if options[name]: opts.append('--{}'.format(key)) else: opts.append('--{}={}'.format(key, options[name])) return self.__str2bytes(' '.join(opts))
build_options_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, options):\n opts = []\n for name in iter(list(self._SUPPORTED_OPTS.values())):\n if name in options:\n key = name.replace('_', '-')\n if key in self._BOOLEAN_OPTIONS:\n if options[name]:\n opts.append('--{}'.format(key))\n else:\n opts.append('--{}={}'.format(key, options[name]))\n return self.__str2bytes(' '.join(opts))\n", "role": "user" }, { "content": "build_options_str", "role": "assistant" } ]
def x(fs, channels): result_code = ctypes.c_int() result = _create(fs, channels, ctypes.byref(result_code)) if result_code.value is not 0: raise OpusError(result_code.value) return result
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs, channels):\n result_code = ctypes.c_int()\n result = _create(fs, channels, ctypes.byref(result_code))\n if result_code.value is not 0:\n raise OpusError(result_code.value)\n return result\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(data): data_pointer = ctypes.c_char_p(data) result = _packet_get_bandwidth(data_pointer) if result < 0: raise OpusError(result) return result
packet_get_bandwidth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n data_pointer = ctypes.c_char_p(data)\n result = _packet_get_bandwidth(data_pointer)\n if result < 0:\n raise OpusError(result)\n return result\n", "role": "user" }, { "content": "packet_get_bandwidth", "role": "assistant" } ]
def x(data): data_pointer = ctypes.c_char_p(data) result = _packet_get_nb_channels(data_pointer) if result < 0: raise OpusError(result) return result
packet_get_nb_channels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n data_pointer = ctypes.c_char_p(data)\n result = _packet_get_nb_channels(data_pointer)\n if result < 0:\n raise OpusError(result)\n return result\n", "role": "user" }, { "content": "packet_get_nb_channels", "role": "assistant" } ]
def x(data, length=None): data_pointer = ctypes.c_char_p(data) if length is None: length = len(data) result = _packet_get_nb_frames(data_pointer, ctypes.c_int(length)) if result < 0: raise OpusError(result) return result
packet_get_nb_frames
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, length=None):\n data_pointer = ctypes.c_char_p(data)\n if length is None:\n length = len(data)\n result = _packet_get_nb_frames(data_pointer, ctypes.c_int(length))\n if result < 0:\n raise OpusError(result)\n return result\n", "role": "user" }, { "content": "packet_get_nb_frames", "role": "assistant" } ]
def x(data, fs): data_pointer = ctypes.c_char_p(data) result = _packet_get_nb_frames(data_pointer, ctypes.c_int(fs)) if result < 0: raise OpusError(result) return result
packet_get_samples_per_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, fs):\n data_pointer = ctypes.c_char_p(data)\n result = _packet_get_nb_frames(data_pointer, ctypes.c_int(fs))\n if result < 0:\n raise OpusError(result)\n return result\n", "role": "user" }, { "content": "packet_get_samples_per_frame", "role": "assistant" } ]
def x(decoder, data, length, frame_size, decode_fec, channels=2): pcm_size = frame_size * channels * ctypes.sizeof(ctypes.c_int16) pcm = (ctypes.c_int16 * pcm_size)() pcm_pointer = ctypes.cast(pcm, c_int16_pointer) decode_fec = int(bool(decode_fec)) result = _decode(decoder, data, length, pcm_pointer, frame_size, decode_fec ) if result < 0: raise OpusError(result) return array.array('h', pcm).tostring()
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(decoder, data, length, frame_size, decode_fec, channels=2):\n pcm_size = frame_size * channels * ctypes.sizeof(ctypes.c_int16)\n pcm = (ctypes.c_int16 * pcm_size)()\n pcm_pointer = ctypes.cast(pcm, c_int16_pointer)\n decode_fec = int(bool(decode_fec))\n result = _decode(decoder, data, length, pcm_pointer, frame_size, decode_fec\n )\n if result < 0:\n raise OpusError(result)\n return array.array('h', pcm).tostring()\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(self, url): labels = re.findall('([^/,]+=[^/,]+)', url) slabels = set(labels) if '' in slabels: slabels.remove('') return slabels
label_list_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n labels = re.findall('([^/,]+=[^/,]+)', url)\n slabels = set(labels)\n if '' in slabels:\n slabels.remove('')\n return slabels\n", "role": "user" }, { "content": "label_list_parser", "role": "assistant" } ]
def x(app, register_blueprint=True, url_prefix='/fm', access_control_function=None, custom_config_json_path=None, custom_init_js_path=None): global _initialised, _FILE_PATH, _URL_PREFIX if _initialised: raise Exception('Flask Filemanager can only be registered once!') _initialised = True _FILE_PATH = app.config.get('FLASKFILEMANAGER_FILE_PATH') if not _FILE_PATH: raise Exception('No FLASKFILEMANAGER_FILE_PATH value in config') log.info('File Manager Using file path: {}'.format(_FILE_PATH)) util.ensure_dir(_FILE_PATH) if access_control_function: set_access_control_function(access_control_function) if custom_config_json_path: set_custom_config_json_path(custom_config_json_path) log.info('File Manager using custom config.json path: {}'.format( custom_config_json_path)) if custom_init_js_path: set_custom_init_js_path(custom_init_js_path) log.info('File Manager using custom init.js path: {}'.format( custom_init_js_path)) if register_blueprint: log.info('Registering filemanager blueprint to {}'.format(url_prefix)) app.register_blueprint(filemanager_blueprint, url_prefix=url_prefix)
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, register_blueprint=True, url_prefix='/fm',\n access_control_function=None, custom_config_json_path=None,\n custom_init_js_path=None):\n global _initialised, _FILE_PATH, _URL_PREFIX\n if _initialised:\n raise Exception('Flask Filemanager can only be registered once!')\n _initialised = True\n _FILE_PATH = app.config.get('FLASKFILEMANAGER_FILE_PATH')\n if not _FILE_PATH:\n raise Exception('No FLASKFILEMANAGER_FILE_PATH value in config')\n log.info('File Manager Using file path: {}'.format(_FILE_PATH))\n util.ensure_dir(_FILE_PATH)\n if access_control_function:\n set_access_control_function(access_control_function)\n if custom_config_json_path:\n set_custom_config_json_path(custom_config_json_path)\n log.info('File Manager using custom config.json path: {}'.format(\n custom_config_json_path))\n if custom_init_js_path:\n set_custom_init_js_path(custom_init_js_path)\n log.info('File Manager using custom init.js path: {}'.format(\n custom_init_js_path))\n if register_blueprint:\n log.info('Registering filemanager blueprint to {}'.format(url_prefix))\n app.register_blueprint(filemanager_blueprint, url_prefix=url_prefix)\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(path=None, content=None): if path is None: path = request.args.get('path') if path is None: return error('No path in request') filename = os.path.split(path.rstrip('/'))[-1] extension = filename.rsplit('.', 1)[-1] os_file_path = web_path_to_os_path(path) if os.path.isdir(os_file_path): file_type = 'folder' if path[-1] != '/': path += '/' else: file_type = 'file' ctime = int(os.path.getctime(os_file_path)) mtime = int(os.path.getmtime(os_file_path)) height = 0 width = 0 if extension in ['gif', 'jpg', 'jpeg', 'png']: try: im = PIL.Image.open(os_file_path) height, width = im.size except OSError: log.exception('Error loading image "{}" to get width and height' .format(os_file_path)) attributes = {'name': filename, 'path': get_url_path(path), 'readable': 1 if os.access(os_file_path, os.R_OK) else 0, 'writeable': 1 if os. access(os_file_path, os.W_OK) else 0, 'created': datetime.datetime. fromtimestamp(ctime).ctime(), 'modified': datetime.datetime. fromtimestamp(mtime).ctime(), 'timestamp': mtime, 'width': width, 'height': height, 'size': os.path.getsize(os_file_path)} if content: attributes['content'] = content return {'id': path, 'type': file_type, 'attributes': attributes}
get_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path=None, content=None):\n if path is None:\n path = request.args.get('path')\n if path is None:\n return error('No path in request')\n filename = os.path.split(path.rstrip('/'))[-1]\n extension = filename.rsplit('.', 1)[-1]\n os_file_path = web_path_to_os_path(path)\n if os.path.isdir(os_file_path):\n file_type = 'folder'\n if path[-1] != '/':\n path += '/'\n else:\n file_type = 'file'\n ctime = int(os.path.getctime(os_file_path))\n mtime = int(os.path.getmtime(os_file_path))\n height = 0\n width = 0\n if extension in ['gif', 'jpg', 'jpeg', 'png']:\n try:\n im = PIL.Image.open(os_file_path)\n height, width = im.size\n except OSError:\n log.exception('Error loading image \"{}\" to get width and height'\n .format(os_file_path))\n attributes = {'name': filename, 'path': get_url_path(path), 'readable':\n 1 if os.access(os_file_path, os.R_OK) else 0, 'writeable': 1 if os.\n access(os_file_path, os.W_OK) else 0, 'created': datetime.datetime.\n fromtimestamp(ctime).ctime(), 'modified': datetime.datetime.\n fromtimestamp(mtime).ctime(), 'timestamp': mtime, 'width': width,\n 'height': height, 'size': os.path.getsize(os_file_path)}\n if content:\n attributes['content'] = content\n return {'id': path, 'type': file_type, 'attributes': attributes}\n", "role": "user" }, { "content": "get_file", "role": "assistant" } ]
def x(self): cset = os.getenv(self.MECAB_CHARSET) if cset: logger.debug(self._DEBUG_CSET_DEFAULT.format(cset)) return cset else: try: res = Popen(['mecab', '-D'], stdout=PIPE).communicate() lines = res[0].decode() if not lines.startswith('unrecognized'): dicinfo = lines.split(os.linesep) t = [t for t in dicinfo if t.startswith('charset')] if len(t) > 0: cset = t[0].split()[1].lower() logger.debug(self._DEBUG_CSET_DEFAULT.format(cset)) return cset else: logger.error('{}\n'.format(self._ERROR_NODIC)) raise EnvironmentError(self._ERROR_NODIC) else: logger.error('{}\n'.format(self._ERROR_NOCMD)) raise EnvironmentError(self._ERROR_NOCMD) except OSError: cset = 'euc-jp' if sys.platform == 'win32': cset = 'shift-jis' elif sys.platform == 'darwin': cset = 'utf8' logger.debug(self._DEBUG_CSET_DEFAULT.format(cset)) return cset
get_charset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cset = os.getenv(self.MECAB_CHARSET)\n if cset:\n logger.debug(self._DEBUG_CSET_DEFAULT.format(cset))\n return cset\n else:\n try:\n res = Popen(['mecab', '-D'], stdout=PIPE).communicate()\n lines = res[0].decode()\n if not lines.startswith('unrecognized'):\n dicinfo = lines.split(os.linesep)\n t = [t for t in dicinfo if t.startswith('charset')]\n if len(t) > 0:\n cset = t[0].split()[1].lower()\n logger.debug(self._DEBUG_CSET_DEFAULT.format(cset))\n return cset\n else:\n logger.error('{}\\n'.format(self._ERROR_NODIC))\n raise EnvironmentError(self._ERROR_NODIC)\n else:\n logger.error('{}\\n'.format(self._ERROR_NOCMD))\n raise EnvironmentError(self._ERROR_NOCMD)\n except OSError:\n cset = 'euc-jp'\n if sys.platform == 'win32':\n cset = 'shift-jis'\n elif sys.platform == 'darwin':\n cset = 'utf8'\n logger.debug(self._DEBUG_CSET_DEFAULT.format(cset))\n return cset\n", "role": "user" }, { "content": "get_charset", "role": "assistant" } ]
def x(self): libp = os.getenv(self.MECAB_PATH) if libp: return os.path.abspath(libp) else: plat = sys.platform if plat == 'win32': lib = self._LIBMECAB.format(self._WINLIB_EXT) try: v = self.__regkey_value(self._WINHKEY, self._WINVALUE) ldir = v.split('etc')[0] libp = os.path.join(ldir, 'bin', lib) except EnvironmentError as err: logger.error('{}\n'.format(err)) logger.error('{}\n'.format(sys.exc_info()[0])) raise EnvironmentError(self._ERROR_WINREG.format(self. _WINVALUE, self._WINHKEY)) else: if plat == 'darwin': lib = self._LIBMECAB.format(self._MACLIB_EXT) else: lib = self._LIBMECAB.format(self._UNIXLIB_EXT) try: cmd = ['mecab-config', '--libs-only-L'] res = Popen(cmd, stdout=PIPE).communicate() lines = res[0].decode() if not lines.startswith('unrecognized'): linfo = lines.strip() libp = os.path.join(linfo, lib) else: raise EnvironmentError(self._ERROR_MECABCONFIG.format(lib)) except EnvironmentError as err: logger.error('{}\n'.format(err)) logger.error('{}\n'.format(sys.exc_info()[0])) raise EnvironmentError(self._ERROR_NOLIB.format(lib)) if libp and os.path.exists(libp): libp = os.path.abspath(libp) os.environ[self.MECAB_PATH] = libp return libp else: raise EnvironmentError(self._ERROR_NOLIB.format(libp))
get_libpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n libp = os.getenv(self.MECAB_PATH)\n if libp:\n return os.path.abspath(libp)\n else:\n plat = sys.platform\n if plat == 'win32':\n lib = self._LIBMECAB.format(self._WINLIB_EXT)\n try:\n v = self.__regkey_value(self._WINHKEY, self._WINVALUE)\n ldir = v.split('etc')[0]\n libp = os.path.join(ldir, 'bin', lib)\n except EnvironmentError as err:\n logger.error('{}\\n'.format(err))\n logger.error('{}\\n'.format(sys.exc_info()[0]))\n raise EnvironmentError(self._ERROR_WINREG.format(self.\n _WINVALUE, self._WINHKEY))\n else:\n if plat == 'darwin':\n lib = self._LIBMECAB.format(self._MACLIB_EXT)\n else:\n lib = self._LIBMECAB.format(self._UNIXLIB_EXT)\n try:\n cmd = ['mecab-config', '--libs-only-L']\n res = Popen(cmd, stdout=PIPE).communicate()\n lines = res[0].decode()\n if not lines.startswith('unrecognized'):\n linfo = lines.strip()\n libp = os.path.join(linfo, lib)\n else:\n raise EnvironmentError(self._ERROR_MECABCONFIG.format(lib))\n except EnvironmentError as err:\n logger.error('{}\\n'.format(err))\n logger.error('{}\\n'.format(sys.exc_info()[0]))\n raise EnvironmentError(self._ERROR_NOLIB.format(lib))\n if libp and os.path.exists(libp):\n libp = os.path.abspath(libp)\n os.environ[self.MECAB_PATH] = libp\n return libp\n else:\n raise EnvironmentError(self._ERROR_NOLIB.format(libp))\n", "role": "user" }, { "content": "get_libpath", "role": "assistant" } ]
def x(self, path, name='', start_key=None): if sys.version < '3': import _winreg as reg else: import winreg as reg def x(path, name='', start_key=None): if isinstance(path, str): path = path.split('\\') if start_key is None: start_key = getattr(reg, path[0]) return _fn(path[1:], name, start_key) else: subkey = path.pop(0) with reg.OpenKey(start_key, subkey) as handle: if path: return _fn(path, name, handle) else: desc, i = None, 0 while not desc or desc[0] != name: desc = reg.EnumValue(handle, i) i += 1 return desc[1] return _fn(path, name, start_key)
regkey_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, name='', start_key=None):\n if sys.version < '3':\n import _winreg as reg\n else:\n import winreg as reg\n\n def x(path, name='', start_key=None):\n if isinstance(path, str):\n path = path.split('\\\\')\n if start_key is None:\n start_key = getattr(reg, path[0])\n return _fn(path[1:], name, start_key)\n else:\n subkey = path.pop(0)\n with reg.OpenKey(start_key, subkey) as handle:\n if path:\n return _fn(path, name, handle)\n else:\n desc, i = None, 0\n while not desc or desc[0] != name:\n desc = reg.EnumValue(handle, i)\n i += 1\n return desc[1]\n return _fn(path, name, start_key)\n", "role": "user" }, { "content": "regkey_value", "role": "assistant" } ]
def x(old_html, new_html, cutoff=0.0, plaintext=False, pretty=False): if plaintext: old_dom = parse_text(old_html) new_dom = parse_text(new_html) else: old_dom = parse_minidom(old_html) new_dom = parse_minidom(new_html) if not check_text_similarity(old_dom, new_dom, cutoff): return ( '<h2>The differences from the previous version are too large to show concisely.</h2>' ) dom = dom_diff(old_dom, new_dom) if not plaintext: fix_lists(dom) fix_tables(dom) body_elements = dom.getElementsByTagName('body') if len(body_elements) == 1: dom = body_elements[0] return minidom_tostring(dom, pretty=pretty)
diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old_html, new_html, cutoff=0.0, plaintext=False, pretty=False):\n if plaintext:\n old_dom = parse_text(old_html)\n new_dom = parse_text(new_html)\n else:\n old_dom = parse_minidom(old_html)\n new_dom = parse_minidom(new_html)\n if not check_text_similarity(old_dom, new_dom, cutoff):\n return (\n '<h2>The differences from the previous version are too large to show concisely.</h2>'\n )\n dom = dom_diff(old_dom, new_dom)\n if not plaintext:\n fix_lists(dom)\n fix_tables(dom)\n body_elements = dom.getElementsByTagName('body')\n if len(body_elements) == 1:\n dom = body_elements[0]\n return minidom_tostring(dom, pretty=pretty)\n", "role": "user" }, { "content": "diff", "role": "assistant" } ]
def x(opcodes): while opcodes: op = opcodes.pop(0) tag, i1, i2, j1, j2 = op shift = 0 if tag == 'equal': continue if tag == 'replace': opcodes = [('delete', i1, i2, j1, j1), ('insert', i2, i2, j1, j2) ] + opcodes continue yield op if tag == 'delete': shift = -(i2 - i1) elif tag == 'insert': shift = +(j2 - j1) new_opcodes = [] for tag, i1, i2, j1, j2 in opcodes: new_opcodes.append((tag, i1 + shift, i2 + shift, j1, j2)) opcodes = new_opcodes
adjusted_ops
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(opcodes):\n while opcodes:\n op = opcodes.pop(0)\n tag, i1, i2, j1, j2 = op\n shift = 0\n if tag == 'equal':\n continue\n if tag == 'replace':\n opcodes = [('delete', i1, i2, j1, j1), ('insert', i2, i2, j1, j2)\n ] + opcodes\n continue\n yield op\n if tag == 'delete':\n shift = -(i2 - i1)\n elif tag == 'insert':\n shift = +(j2 - j1)\n new_opcodes = []\n for tag, i1, i2, j1, j2 in opcodes:\n new_opcodes.append((tag, i1 + shift, i2 + shift, j1, j2))\n opcodes = new_opcodes\n", "role": "user" }, { "content": "adjusted_ops", "role": "assistant" } ]
def x(match): a, b, size = match for i in range(size): yield a + i, b + i
match_indices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(match):\n a, b, size = match\n for i in range(size):\n yield a + i, b + i\n", "role": "user" }, { "content": "match_indices", "role": "assistant" } ]
def x(matching_blocks): sm = difflib.SequenceMatcher(a=[], b=[]) sm.matching_blocks = matching_blocks return sm.get_opcodes()
get_opcodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matching_blocks):\n sm = difflib.SequenceMatcher(a=[], b=[])\n sm.matching_blocks = matching_blocks\n return sm.get_opcodes()\n", "role": "user" }, { "content": "get_opcodes", "role": "assistant" } ]
def x(hash_func, old_children, new_children): sm = difflib.SequenceMatcher(_is_junk, a=[hash_func(c) for c in old_children], b=[hash_func(c) for c in new_children]) return sm
match_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hash_func, old_children, new_children):\n sm = difflib.SequenceMatcher(_is_junk, a=[hash_func(c) for c in\n old_children], b=[hash_func(c) for c in new_children])\n return sm\n", "role": "user" }, { "content": "match_blocks", "role": "assistant" } ]
def x(matching_blocks): i = j = 0 for match in matching_blocks: a, b, size = match yield i, a, j, b i = a + size j = b + size
get_nonmatching_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matching_blocks):\n i = j = 0\n for match in matching_blocks:\n a, b, size = match\n yield i, a, j, b\n i = a + size\n j = b + size\n", "role": "user" }, { "content": "get_nonmatching_blocks", "role": "assistant" } ]
def x(a_blocks, b_blocks): assert a_blocks[-1][2] == b_blocks[-1][2] == 0 assert a_blocks[-1] == b_blocks[-1] combined_blocks = sorted(list(set(a_blocks + b_blocks))) i = j = 0 for a, b, size in combined_blocks: assert i <= a assert j <= b i = a + size j = b + size return combined_blocks
merge_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a_blocks, b_blocks):\n assert a_blocks[-1][2] == b_blocks[-1][2] == 0\n assert a_blocks[-1] == b_blocks[-1]\n combined_blocks = sorted(list(set(a_blocks + b_blocks)))\n i = j = 0\n for a, b, size in combined_blocks:\n assert i <= a\n assert j <= b\n i = a + size\n j = b + size\n return combined_blocks\n", "role": "user" }, { "content": "merge_blocks", "role": "assistant" } ]
def x(xml): regex = re.compile('<!--.*?-->', re.DOTALL) return regex.sub('', xml)
remove_comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xml):\n regex = re.compile('<!--.*?-->', re.DOTALL)\n return regex.sub('', xml)\n", "role": "user" }, { "content": "remove_comments", "role": "assistant" } ]
def x(xml): xml = xml.replace('\r\n', '\n') xml = xml.replace('\r', '\n') xml = re.sub('(?<=[>\\s])\\n(?=[<\\s])', '', xml) xml = xml.replace('\n', ' ') return xml.strip()
remove_newlines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xml):\n xml = xml.replace('\\r\\n', '\\n')\n xml = xml.replace('\\r', '\\n')\n xml = re.sub('(?<=[>\\\\s])\\\\n(?=[<\\\\s])', '', xml)\n xml = xml.replace('\\n', ' ')\n return xml.strip()\n", "role": "user" }, { "content": "remove_newlines", "role": "assistant" } ]
def x(dom): nodes_to_remove = [] for node in walk_dom(dom): if is_text(node): text = node.nodeValue if node.parentNode.tagName in _non_text_node_tags: nodes_to_remove.append(node) else: node.nodeValue = re.sub('\\s+', ' ', text) for node in nodes_to_remove: remove_node(node)
remove_insignificant_text_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dom):\n nodes_to_remove = []\n for node in walk_dom(dom):\n if is_text(node):\n text = node.nodeValue\n if node.parentNode.tagName in _non_text_node_tags:\n nodes_to_remove.append(node)\n else:\n node.nodeValue = re.sub('\\\\s+', ' ', text)\n for node in nodes_to_remove:\n remove_node(node)\n", "role": "user" }, { "content": "remove_insignificant_text_nodes", "role": "assistant" } ]
def x(parent, child_index): if child_index < 0 or child_index >= len(parent.childNodes): return None return parent.childNodes[child_index]
get_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent, child_index):\n if child_index < 0 or child_index >= len(parent.childNodes):\n return None\n return parent.childNodes[child_index]\n", "role": "user" }, { "content": "get_child", "role": "assistant" } ]
def x(dom, location): node = dom.documentElement for i in location: node = get_child(node, i) if not node: raise ValueError('Node at location %s does not exist.' % location) return node
get_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dom, location):\n node = dom.documentElement\n for i in location:\n node = get_child(node, i)\n if not node:\n raise ValueError('Node at location %s does not exist.' % location)\n return node\n", "role": "user" }, { "content": "get_location", "role": "assistant" } ]
def x(a_dom, b_dom, cutoff): a_words = list(tree_words(a_dom)) b_words = list(tree_words(b_dom)) sm = WordMatcher(a=a_words, b=b_words) if sm.text_ratio() >= cutoff: return True return False
check_text_similarity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a_dom, b_dom, cutoff):\n a_words = list(tree_words(a_dom))\n b_words = list(tree_words(b_dom))\n sm = WordMatcher(a=a_words, b=b_words)\n if sm.text_ratio() >= cutoff:\n return True\n return False\n", "role": "user" }, { "content": "check_text_similarity", "role": "assistant" } ]
def x(node): for word in split_text(tree_text(node)): word = word.strip() if word: yield word
tree_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n for word in split_text(tree_text(node)):\n word = word.strip()\n if word:\n yield word\n", "role": "user" }, { "content": "tree_words", "role": "assistant" } ]
def x(node): text = [] for descendant in walk_dom(node): if is_text(descendant): text.append(descendant.nodeValue) return ' '.join(text)
tree_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n text = []\n for descendant in walk_dom(node):\n if is_text(descendant):\n text.append(descendant.nodeValue)\n return ' '.join(text)\n", "role": "user" }, { "content": "tree_text", "role": "assistant" } ]
def x(parent, node, next_sibling): if next_sibling: parent.insertBefore(node, next_sibling) else: parent.appendChild(node)
insert_or_append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent, node, next_sibling):\n if next_sibling:\n parent.insertBefore(node, next_sibling)\n else:\n parent.appendChild(node)\n", "role": "user" }, { "content": "insert_or_append", "role": "assistant" } ]
def x(node, tag): wrap_node = node.ownerDocument.createElement(tag) parent = node.parentNode if parent: parent.replaceChild(wrap_node, node) wrap_node.appendChild(node) return wrap_node
wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, tag):\n wrap_node = node.ownerDocument.createElement(tag)\n parent = node.parentNode\n if parent:\n parent.replaceChild(wrap_node, node)\n wrap_node.appendChild(node)\n return wrap_node\n", "role": "user" }, { "content": "wrap", "role": "assistant" } ]
def x(node, tag): children = list(node.childNodes) wrap_node = node.ownerDocument.createElement(tag) for c in children: wrap_node.appendChild(c) node.appendChild(wrap_node)
wrap_inner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node, tag):\n children = list(node.childNodes)\n wrap_node = node.ownerDocument.createElement(tag)\n for c in children:\n wrap_node.appendChild(c)\n node.appendChild(wrap_node)\n", "role": "user" }, { "content": "wrap_inner", "role": "assistant" } ]
def x(node): for child in list(node.childNodes): node.parentNode.insertBefore(child, node) remove_node(node)
unwrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n for child in list(node.childNodes):\n node.parentNode.insertBefore(child, node)\n remove_node(node)\n", "role": "user" }, { "content": "unwrap", "role": "assistant" } ]
def x(text, regex): while text: m = regex.search(text) if not m: yield text break left = text[:m.start()] middle = text[m.start():m.end()] right = text[m.end():] if left: yield left if middle: yield middle text = right
full_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, regex):\n while text:\n m = regex.search(text)\n if not m:\n yield text\n break\n left = text[:m.start()]\n middle = text[m.start():m.end()]\n right = text[m.end():]\n if left:\n yield left\n if middle:\n yield middle\n text = right\n", "role": "user" }, { "content": "full_split", "role": "assistant" } ]
def x(text, regexes): def x(s): return re.compile(s) if isinstance(s, basestring) else s regexes = [make_regex(r) for r in regexes] piece_list = [text] finished_pieces = set() def x(regex, piece_list): for piece in piece_list: if piece in finished_pieces: yield piece continue for s in full_split(piece, regex): if regex.match(s): finished_pieces.add(s) if s: yield s for regex in regexes: piece_list = list(apply_re(regex, piece_list)) assert ''.join(piece_list) == text return piece_list
multi_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, regexes):\n\n def x(s):\n return re.compile(s) if isinstance(s, basestring) else s\n regexes = [make_regex(r) for r in regexes]\n piece_list = [text]\n finished_pieces = set()\n\n def x(regex, piece_list):\n for piece in piece_list:\n if piece in finished_pieces:\n yield piece\n continue\n for s in full_split(piece, regex):\n if regex.match(s):\n finished_pieces.add(s)\n if s:\n yield s\n for regex in regexes:\n piece_list = list(apply_re(regex, piece_list))\n assert ''.join(piece_list) == text\n return piece_list\n", "role": "user" }, { "content": "multi_split", "role": "assistant" } ]
def x(self): return _calculate_ratio(self.match_length(), self._text_length(self.a) + self._text_length(self.b))
text_ratio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return _calculate_ratio(self.match_length(), self._text_length(self.a) +\n self._text_length(self.b))\n", "role": "user" }, { "content": "text_ratio", "role": "assistant" } ]
def x(self): length = 0 for match in self.get_matching_blocks(): a, b, size = match length += self._text_length(self.a[a:a + size]) return length
match_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n length = 0\n for match in self.get_matching_blocks():\n a, b, size = match\n length += self._text_length(self.a[a:a + size])\n return length\n", "role": "user" }, { "content": "match_length", "role": "assistant" } ]
def x(self): for action, location, properties in self.edit_script: if action == 'delete': node = get_location(self.dom, location) self.action_delete(node) elif action == 'insert': parent = get_location(self.dom, location[:-1]) child_index = location[-1] self.action_insert(parent, child_index, **properties) return self.dom
run_edit_script
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for action, location, properties in self.edit_script:\n if action == 'delete':\n node = get_location(self.dom, location)\n self.action_delete(node)\n elif action == 'insert':\n parent = get_location(self.dom, location[:-1])\n child_index = location[-1]\n self.action_insert(parent, child_index, **properties)\n return self.dom\n", "role": "user" }, { "content": "run_edit_script", "role": "assistant" } ]
def x(dom, ins_nodes, del_nodes): for node in reversed(del_nodes): insert_or_append(node.orig_parent, node, node.orig_next_sibling) wrap(node, 'del') for node in ins_nodes: wrap(node, 'ins') remove_nesting(dom, 'del') remove_nesting(dom, 'ins') sort_del_before_ins(dom) merge_adjacent(dom, 'del') merge_adjacent(dom, 'ins')
add_changes_markup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dom, ins_nodes, del_nodes):\n for node in reversed(del_nodes):\n insert_or_append(node.orig_parent, node, node.orig_next_sibling)\n wrap(node, 'del')\n for node in ins_nodes:\n wrap(node, 'ins')\n remove_nesting(dom, 'del')\n remove_nesting(dom, 'ins')\n sort_del_before_ins(dom)\n merge_adjacent(dom, 'del')\n merge_adjacent(dom, 'ins')\n", "role": "user" }, { "content": "add_changes_markup", "role": "assistant" } ]
def x(dom, tag_name): for node in dom.getElementsByTagName(tag_name): for ancestor in ancestors(node): if ancestor is node: continue if ancestor is dom.documentElement: break if ancestor.tagName == tag_name: unwrap(node) break
remove_nesting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dom, tag_name):\n for node in dom.getElementsByTagName(tag_name):\n for ancestor in ancestors(node):\n if ancestor is node:\n continue\n if ancestor is dom.documentElement:\n break\n if ancestor.tagName == tag_name:\n unwrap(node)\n break\n", "role": "user" }, { "content": "remove_nesting", "role": "assistant" } ]
def x(dom, cmp_func): dom.normalize() for node in list(walk_dom(dom, elements_only=True)): prev_sib = node.previousSibling while prev_sib and cmp_func(prev_sib, node) == 1: node.parentNode.insertBefore(node, prev_sib) prev_sib = node.previousSibling
sort_nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dom, cmp_func):\n dom.normalize()\n for node in list(walk_dom(dom, elements_only=True)):\n prev_sib = node.previousSibling\n while prev_sib and cmp_func(prev_sib, node) == 1:\n node.parentNode.insertBefore(node, prev_sib)\n prev_sib = node.previousSibling\n", "role": "user" }, { "content": "sort_nodes", "role": "assistant" } ]
def x(dom, tag_name): for node in dom.getElementsByTagName(tag_name): prev_sib = node.previousSibling if prev_sib and prev_sib.nodeName == node.tagName: for child in list(node.childNodes): prev_sib.appendChild(child) remove_node(node)
merge_adjacent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dom, tag_name):\n for node in dom.getElementsByTagName(tag_name):\n prev_sib = node.previousSibling\n if prev_sib and prev_sib.nodeName == node.tagName:\n for child in list(node.childNodes):\n prev_sib.appendChild(child)\n remove_node(node)\n", "role": "user" }, { "content": "merge_adjacent", "role": "assistant" } ]
def x(node): children = list(c for c in node.childNodes if is_element(c)) unwrap(node) tag_name = node.tagName for c in children: wrap_inner(c, tag_name)
distribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node):\n children = list(c for c in node.childNodes if is_element(c))\n unwrap(node)\n tag_name = node.tagName\n for c in children:\n wrap_inner(c, tag_name)\n", "role": "user" }, { "content": "distribute", "role": "assistant" } ]
def x(self, *args, **kwargs): self.__class__.objects.exclude(id=self.id).delete() super(SingletonModel, self).save(*args, **kwargs)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n self.__class__.objects.exclude(id=self.id).delete()\n super(SingletonModel, self).save(*args, **kwargs)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(inverse=False): def x(in_region): world = 'World' if in_region in ('WORLD', 'GLOBAL'): return world if in_region in 'BUNKERS': return DATA_HIERARCHY_SEPARATOR.join([world, 'Bunkers']) elif in_region.startswith(('NH', 'SH')): in_region = in_region.replace('-', '') hem = ('Northern Hemisphere' if 'NH' in in_region else 'Southern Hemisphere') if in_region in ('NH', 'SH'): return DATA_HIERARCHY_SEPARATOR.join([world, hem]) land_ocean = 'Land' if 'LAND' in in_region else 'Ocean' return DATA_HIERARCHY_SEPARATOR.join([world, hem, land_ocean]) else: return DATA_HIERARCHY_SEPARATOR.join([world, in_region]) _magicc_regions = ['WORLD', 'GLOBAL', 'OECD90', 'ALM', 'REF', 'ASIA', 'R5ASIA', 'R5OECD', 'R5REF', 'R5MAF', 'R5LAM', 'R6OECD90', 'R6REF', 'R6LAM', 'R6MAF', 'R6ASIA', 'NHOCEAN', 'SHOCEAN', 'NHLAND', 'SHLAND', 'NH-OCEAN', 'SH-OCEAN', 'NH-LAND', 'SH-LAND', 'SH', 'NH', 'BUNKERS'] replacements = {} for magicc_region in _magicc_regions: openscm_region = get_openscm_replacement(magicc_region) if openscm_region in replacements.values() and inverse: continue replacements[magicc_region] = openscm_region if inverse: return {v: k for k, v in replacements.items()} else: return replacements
get_magicc_region_to_openscm_region_mapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inverse=False):\n\n def x(in_region):\n world = 'World'\n if in_region in ('WORLD', 'GLOBAL'):\n return world\n if in_region in 'BUNKERS':\n return DATA_HIERARCHY_SEPARATOR.join([world, 'Bunkers'])\n elif in_region.startswith(('NH', 'SH')):\n in_region = in_region.replace('-', '')\n hem = ('Northern Hemisphere' if 'NH' in in_region else\n 'Southern Hemisphere')\n if in_region in ('NH', 'SH'):\n return DATA_HIERARCHY_SEPARATOR.join([world, hem])\n land_ocean = 'Land' if 'LAND' in in_region else 'Ocean'\n return DATA_HIERARCHY_SEPARATOR.join([world, hem, land_ocean])\n else:\n return DATA_HIERARCHY_SEPARATOR.join([world, in_region])\n _magicc_regions = ['WORLD', 'GLOBAL', 'OECD90', 'ALM', 'REF', 'ASIA',\n 'R5ASIA', 'R5OECD', 'R5REF', 'R5MAF', 'R5LAM', 'R6OECD90', 'R6REF',\n 'R6LAM', 'R6MAF', 'R6ASIA', 'NHOCEAN', 'SHOCEAN', 'NHLAND',\n 'SHLAND', 'NH-OCEAN', 'SH-OCEAN', 'NH-LAND', 'SH-LAND', 'SH', 'NH',\n 'BUNKERS']\n replacements = {}\n for magicc_region in _magicc_regions:\n openscm_region = get_openscm_replacement(magicc_region)\n if openscm_region in replacements.values() and inverse:\n continue\n replacements[magicc_region] = openscm_region\n if inverse:\n return {v: k for k, v in replacements.items()}\n else:\n return replacements\n", "role": "user" }, { "content": "get_magicc_region_to_openscm_region_mapping", "role": "assistant" } ]