source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, allow_lazy=False): for volume in self.volumes: try: volume.unmount(allow_lazy=allow_lazy) except ImageMounterError: pass if self.is_mounted: logger.info('Unmounting volume %s', self) if self.loopback and self.info.get('volume_group'): _util.check_call_(['lvm', 'vgchange', '-a', 'n', self.info[ 'volume_group']], wrap_error=True, stdout=subprocess.PIPE) self.info['volume_group'] = '' if self.loopback and self._paths.get('luks'): _util.check_call_(['cryptsetup', 'luksClose', self._paths['luks']], wrap_error=True, stdout=subprocess.PIPE) del self._paths['luks'] if self._paths.get('bde'): try: _util.clean_unmount(['fusermount', '-u'], self._paths['bde']) except SubsystemError: if not allow_lazy: raise _util.clean_unmount(['fusermount', '-uz'], self._paths['bde']) del self._paths['bde'] if self._paths.get('md'): md_path = self._paths['md'] del self._paths['md'] logger.debug( 'All other volumes that use %s as well will also be unmounted', md_path) for v in self.disk.get_volumes(): if v != self and v._paths.get('md') == md_path: v.unmount(allow_lazy=allow_lazy) try: _util.check_output_(['mdadm', '--stop', md_path], stderr= subprocess.STDOUT) except Exception as e: self._paths['md'] = md_path raise SubsystemError(e) if self._paths.get('vss'): try: _util.clean_unmount(['fusermount', '-u'], self._paths['vss']) except SubsystemError: if not allow_lazy: raise _util.clean_unmount(['fusermount', '-uz'], self._paths['vss']) del self._paths['vss'] if self.loopback: _util.check_call_(['losetup', '-d', self.loopback], wrap_error=True) self.loopback = '' if self._paths.get('bindmounts'): for mp in self._paths['bindmounts']: _util.clean_unmount(['umount'], mp, rmdir=False) del self._paths['bindmounts'] if self.mountpoint: _util.clean_unmount(['umount'], self.mountpoint) self.mountpoint = '' if self._paths.get('carve'): try: shutil.rmtree(self._paths['carve']) except OSError as e: raise SubsystemError(e) else: del self._paths['carve'] self.is_mounted = False
unmount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, allow_lazy=False):\n for volume in self.volumes:\n try:\n volume.unmount(allow_lazy=allow_lazy)\n except ImageMounterError:\n pass\n if self.is_mounted:\n logger.info('Unmounting volume %s', self)\n if self.loopback and self.info.get('volume_group'):\n _util.check_call_(['lvm', 'vgchange', '-a', 'n', self.info[\n 'volume_group']], wrap_error=True, stdout=subprocess.PIPE)\n self.info['volume_group'] = ''\n if self.loopback and self._paths.get('luks'):\n _util.check_call_(['cryptsetup', 'luksClose', self._paths['luks']],\n wrap_error=True, stdout=subprocess.PIPE)\n del self._paths['luks']\n if self._paths.get('bde'):\n try:\n _util.clean_unmount(['fusermount', '-u'], self._paths['bde'])\n except SubsystemError:\n if not allow_lazy:\n raise\n _util.clean_unmount(['fusermount', '-uz'], self._paths['bde'])\n del self._paths['bde']\n if self._paths.get('md'):\n md_path = self._paths['md']\n del self._paths['md']\n logger.debug(\n 'All other volumes that use %s as well will also be unmounted',\n md_path)\n for v in self.disk.get_volumes():\n if v != self and v._paths.get('md') == md_path:\n v.unmount(allow_lazy=allow_lazy)\n try:\n _util.check_output_(['mdadm', '--stop', md_path], stderr=\n subprocess.STDOUT)\n except Exception as e:\n self._paths['md'] = md_path\n raise SubsystemError(e)\n if self._paths.get('vss'):\n try:\n _util.clean_unmount(['fusermount', '-u'], self._paths['vss'])\n except SubsystemError:\n if not allow_lazy:\n raise\n _util.clean_unmount(['fusermount', '-uz'], self._paths['vss'])\n del self._paths['vss']\n if self.loopback:\n _util.check_call_(['losetup', '-d', self.loopback], wrap_error=True)\n self.loopback = ''\n if self._paths.get('bindmounts'):\n for mp in self._paths['bindmounts']:\n _util.clean_unmount(['umount'], mp, rmdir=False)\n del self._paths['bindmounts']\n if self.mountpoint:\n _util.clean_unmount(['umount'], self.mountpoint)\n self.mountpoint = ''\n if self._paths.get('carve'):\n try:\n shutil.rmtree(self._paths['carve'])\n except OSError as e:\n raise SubsystemError(e)\n else:\n del self._paths['carve']\n self.is_mounted = False\n", "role": "user" }, { "content": "unmount", "role": "assistant" } ]
def x(*requirements, **kwargs): none_on_failure = kwargs.get('none_on_failure', False) def x(f): @functools.wraps(f) def x(*args, **kwargs): for req in requirements: if none_on_failure: if not getattr(req, 'is_available'): return None else: getattr(req, 'require')() return f(*args, **kwargs) return wrapper return inner
require
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*requirements, **kwargs):\n none_on_failure = kwargs.get('none_on_failure', False)\n\n def x(f):\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n for req in requirements:\n if none_on_failure:\n if not getattr(req, 'is_available'):\n return None\n else:\n getattr(req, 'require')()\n return f(*args, **kwargs)\n return wrapper\n return inner\n", "role": "user" }, { "content": "require", "role": "assistant" } ]
def x(self): if self.is_available: return 'INSTALLED {0!s}' elif self.why and self.package: return ( 'MISSING {0!s:<20}needed for {0.why}, part of the {0.package} package' ) elif self.why: return 'MISSING {0!s:<20}needed for {0.why}' elif self.package: return 'MISSING {0!s:<20}part of the {0.package} package' else: return 'MISSING {0!s:<20}'
status_message
[ { "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.is_available:\n return 'INSTALLED {0!s}'\n elif self.why and self.package:\n return (\n 'MISSING {0!s:<20}needed for {0.why}, part of the {0.package} package'\n )\n elif self.why:\n return 'MISSING {0!s:<20}needed for {0.why}'\n elif self.package:\n return 'MISSING {0!s:<20}part of the {0.package} package'\n else:\n return 'MISSING {0!s:<20}'\n", "role": "user" }, { "content": "status_message", "role": "assistant" } ]
def x(self, source, description): if source == 'guid' and description in self.guids: return {self: 100} description = description.lower() if description == self.type: return {self: 100} elif re.search('\\b' + self.type + '\\b', description): return {self: 80} elif any(re.search('\\b' + alias + '\\b', description) for alias in self.aliases): return {self: 70} return {}
detect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, description):\n if source == 'guid' and description in self.guids:\n return {self: 100}\n description = description.lower()\n if description == self.type:\n return {self: 100}\n elif re.search('\\\\b' + self.type + '\\\\b', description):\n return {self: 80}\n elif any(re.search('\\\\b' + alias + '\\\\b', description) for alias in\n self.aliases):\n return {self: 70}\n return {}\n", "role": "user" }, { "content": "detect", "role": "assistant" } ]
def x(self, volume): volume._make_mountpoint() try: self._call_mount(volume, volume.mountpoint, self._mount_type or self.type, self._mount_opts) except Exception: volume._clear_mountpoint() raise
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n volume._make_mountpoint()\n try:\n self._call_mount(volume, volume.mountpoint, self._mount_type or\n self.type, self._mount_opts)\n except Exception:\n volume._clear_mountpoint()\n raise\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(self, volume, mountpoint, type=None, opts=''): if opts and not opts.endswith(','): opts += ',' opts += 'loop,offset=' + str(volume.offset) + ',sizelimit=' + str(volume .size) cmd = ['mount', volume.get_raw_path(), mountpoint, '-o', opts] if not volume.disk.read_write: cmd[-1] += ',ro' if type is not None: cmd += ['-t', type] _util.check_output_(cmd, stderr=subprocess.STDOUT)
call_mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume, mountpoint, type=None, opts=''):\n if opts and not opts.endswith(','):\n opts += ','\n opts += 'loop,offset=' + str(volume.offset) + ',sizelimit=' + str(volume\n .size)\n cmd = ['mount', volume.get_raw_path(), mountpoint, '-o', opts]\n if not volume.disk.read_write:\n cmd[-1] += ',ro'\n if type is not None:\n cmd += ['-t', type]\n _util.check_output_(cmd, stderr=subprocess.STDOUT)\n", "role": "user" }, { "content": "call_mount", "role": "assistant" } ]
def x(self, volume): size_in_kb = int(volume.size / 1024 * 1.2) _util.check_call_(['modprobe', '-v', 'mtd']) _util.check_call_(['modprobe', '-v', 'jffs2']) _util.check_call_(['modprobe', '-v', 'mtdram', 'total_size={}'.format( size_in_kb), 'erase_size=256']) _util.check_call_(['modprobe', '-v', 'mtdblock']) _util.check_call_(['dd', 'if=' + volume.get_raw_path(), 'of=/dev/mtd0']) _util.check_call_(['mount', '-t', 'jffs2', '/dev/mtdblock0', volume. mountpoint])
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n size_in_kb = int(volume.size / 1024 * 1.2)\n _util.check_call_(['modprobe', '-v', 'mtd'])\n _util.check_call_(['modprobe', '-v', 'jffs2'])\n _util.check_call_(['modprobe', '-v', 'mtdram', 'total_size={}'.format(\n size_in_kb), 'erase_size=256'])\n _util.check_call_(['modprobe', '-v', 'mtdblock'])\n _util.check_call_(['dd', 'if=' + volume.get_raw_path(), 'of=/dev/mtd0'])\n _util.check_call_(['mount', '-t', 'jffs2', '/dev/mtdblock0', volume.\n mountpoint])\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(self, volume): volume._find_loopback() try: _util.check_call_(['cryptsetup', 'isLuks', volume.loopback], stderr =subprocess.STDOUT) except Exception: logger.warning('Not a LUKS volume') try: volume._free_loopback() except Exception: pass raise IncorrectFilesystemError() try: extra_args = [] key = None if volume.key: t, v = volume.key.split(':', 1) if t == 'p': key = v elif t == 'f': extra_args = ['--key-file', v] elif t == 'm': extra_args = ['--master-key-file', v] else: logger.warning('No key material provided for %s', volume) except ValueError: logger.exception( 'Invalid key material provided (%s) for %s. Expecting [arg]:[value]' , volume.key, volume) volume._free_loopback() raise ArgumentError() volume._paths['luks'] = 'image_mounter_luks_' + str(random.randint( 10000, 99999)) try: cmd = ['cryptsetup', 'luksOpen', volume.loopback, volume._paths['luks'] ] cmd.extend(extra_args) if not volume.disk.read_write: cmd.insert(1, '-r') if key is not None: logger.debug('$ {0}'.format(' '.join(cmd))) p = subprocess.Popen(cmd, stdin=subprocess.PIPE, stdout= subprocess.PIPE, stderr=subprocess.PIPE) p.communicate(key.encode('utf-8')) p.wait() retcode = p.poll() if retcode: raise KeyInvalidError() else: _util.check_call_(cmd) except ImageMounterError: del volume._paths['luks'] volume._free_loopback() raise except Exception as e: del volume._paths['luks'] volume._free_loopback() raise SubsystemError(e) size = None try: result = _util.check_output_(['cryptsetup', 'status', volume._paths ['luks']]) for l in result.splitlines(): if 'size:' in l and 'key' not in l: size = int(l.replace('size:', '').replace('sectors', ''). strip()) * volume.disk.block_size except Exception: pass container = volume.volumes._make_single_subvolume(flag='alloc', offset= 0, size=size) container.info['fsdescription'] = 'LUKS Volume' return container
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n volume._find_loopback()\n try:\n _util.check_call_(['cryptsetup', 'isLuks', volume.loopback], stderr\n =subprocess.STDOUT)\n except Exception:\n logger.warning('Not a LUKS volume')\n try:\n volume._free_loopback()\n except Exception:\n pass\n raise IncorrectFilesystemError()\n try:\n extra_args = []\n key = None\n if volume.key:\n t, v = volume.key.split(':', 1)\n if t == 'p':\n key = v\n elif t == 'f':\n extra_args = ['--key-file', v]\n elif t == 'm':\n extra_args = ['--master-key-file', v]\n else:\n logger.warning('No key material provided for %s', volume)\n except ValueError:\n logger.exception(\n 'Invalid key material provided (%s) for %s. Expecting [arg]:[value]'\n , volume.key, volume)\n volume._free_loopback()\n raise ArgumentError()\n volume._paths['luks'] = 'image_mounter_luks_' + str(random.randint(\n 10000, 99999))\n try:\n cmd = ['cryptsetup', 'luksOpen', volume.loopback, volume._paths['luks']\n ]\n cmd.extend(extra_args)\n if not volume.disk.read_write:\n cmd.insert(1, '-r')\n if key is not None:\n logger.debug('$ {0}'.format(' '.join(cmd)))\n p = subprocess.Popen(cmd, stdin=subprocess.PIPE, stdout=\n subprocess.PIPE, stderr=subprocess.PIPE)\n p.communicate(key.encode('utf-8'))\n p.wait()\n retcode = p.poll()\n if retcode:\n raise KeyInvalidError()\n else:\n _util.check_call_(cmd)\n except ImageMounterError:\n del volume._paths['luks']\n volume._free_loopback()\n raise\n except Exception as e:\n del volume._paths['luks']\n volume._free_loopback()\n raise SubsystemError(e)\n size = None\n try:\n result = _util.check_output_(['cryptsetup', 'status', volume._paths\n ['luks']])\n for l in result.splitlines():\n if 'size:' in l and 'key' not in l:\n size = int(l.replace('size:', '').replace('sectors', '').\n strip()) * volume.disk.block_size\n except Exception:\n pass\n container = volume.volumes._make_single_subvolume(flag='alloc', offset=\n 0, size=size)\n container.info['fsdescription'] = 'LUKS Volume'\n return container\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(self, volume): volume._paths['bde'] = tempfile.mkdtemp(prefix='image_mounter_bde_') try: if volume.key: t, v = volume.key.split(':', 1) key = ['-' + t, v] else: logger.warning('No key material provided for %s', volume) key = [] except ValueError: logger.exception( 'Invalid key material provided (%s) for %s. Expecting [arg]:[value]' , volume.key, volume) raise ArgumentError() try: cmd = ['bdemount', volume.get_raw_path(), volume._paths['bde'], '-o', str(volume.offset)] cmd.extend(key) _util.check_call_(cmd) except Exception as e: del volume._paths['bde'] logger.exception('Failed mounting BDE volume %s.', volume) raise SubsystemError(e) container = volume.volumes._make_single_subvolume(flag='alloc', offset= 0, size=volume.size) container.info['fsdescription'] = 'BDE Volume' return container
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n volume._paths['bde'] = tempfile.mkdtemp(prefix='image_mounter_bde_')\n try:\n if volume.key:\n t, v = volume.key.split(':', 1)\n key = ['-' + t, v]\n else:\n logger.warning('No key material provided for %s', volume)\n key = []\n except ValueError:\n logger.exception(\n 'Invalid key material provided (%s) for %s. Expecting [arg]:[value]'\n , volume.key, volume)\n raise ArgumentError()\n try:\n cmd = ['bdemount', volume.get_raw_path(), volume._paths['bde'],\n '-o', str(volume.offset)]\n cmd.extend(key)\n _util.check_call_(cmd)\n except Exception as e:\n del volume._paths['bde']\n logger.exception('Failed mounting BDE volume %s.', volume)\n raise SubsystemError(e)\n container = volume.volumes._make_single_subvolume(flag='alloc', offset=\n 0, size=volume.size)\n container.info['fsdescription'] = 'BDE Volume'\n return container\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(self, volume): os.environ['LVM_SUPPRESS_FD_WARNINGS'] = '1' volume._find_loopback() time.sleep(0.2) try: result = _util.check_output_(['lvm', 'pvscan']) for l in result.splitlines(): if (volume.loopback in l or volume.offset == 0 and volume. get_raw_path() in l): for vg in re.findall('VG (\\S+)', l): volume.info['volume_group'] = vg if not volume.info.get('volume_group'): logger.warning('Volume is not a volume group. (Searching for %s)', volume.loopback) raise IncorrectFilesystemError() _util.check_call_(['lvm', 'vgchange', '-a', 'y', volume.info[ 'volume_group']], stdout=subprocess.PIPE) except Exception: volume._free_loopback() raise volume.volumes.vstype = 'lvm' for _ in volume.volumes.detect_volumes('lvm'): pass
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n os.environ['LVM_SUPPRESS_FD_WARNINGS'] = '1'\n volume._find_loopback()\n time.sleep(0.2)\n try:\n result = _util.check_output_(['lvm', 'pvscan'])\n for l in result.splitlines():\n if (volume.loopback in l or volume.offset == 0 and volume.\n get_raw_path() in l):\n for vg in re.findall('VG (\\\\S+)', l):\n volume.info['volume_group'] = vg\n if not volume.info.get('volume_group'):\n logger.warning('Volume is not a volume group. (Searching for %s)',\n volume.loopback)\n raise IncorrectFilesystemError()\n _util.check_call_(['lvm', 'vgchange', '-a', 'y', volume.info[\n 'volume_group']], stdout=subprocess.PIPE)\n except Exception:\n volume._free_loopback()\n raise\n volume.volumes.vstype = 'lvm'\n for _ in volume.volumes.detect_volumes('lvm'):\n pass\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(self, volume): volume._find_loopback() raid_status = None try: output = _util.check_output_(['mdadm', '-IR', volume.loopback], stderr=subprocess.STDOUT) match = re.findall('attached to ([^ ,]+)', output) if match: volume._paths['md'] = os.path.realpath(match[0]) if 'which is already active' in output: logger.info('RAID is already active in other volume, using %s', volume._paths['md']) raid_status = 'active' elif 'not enough to start' in output: volume._paths['md'] = volume._paths['md'].replace('/dev/md/', '/dev/md') logger.info('RAID volume added, but not enough to start %s', volume._paths['md']) raid_status = 'waiting' else: logger.info('RAID started at {0}'.format(volume._paths['md'])) raid_status = 'active' except Exception as e: logger.exception('Failed mounting RAID.') volume._free_loopback() raise SubsystemError(e) for v in volume.disk.parser.get_volumes(): if v._paths.get('md') == volume._paths['md'] and v.volumes: logger.debug('Adding existing volume %s to volume %s', v. volumes[0], volume) v.volumes[0].info['raid_status'] = raid_status volume.volumes.volumes.append(v.volumes[0]) return v.volumes[0] else: logger.debug('Creating RAID volume for %s', self) container = volume.volumes._make_single_subvolume(flag='alloc', offset=0, size=volume.size) container.info['fsdescription'] = 'RAID Volume' container.info['raid_status'] = raid_status return container
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume):\n volume._find_loopback()\n raid_status = None\n try:\n output = _util.check_output_(['mdadm', '-IR', volume.loopback],\n stderr=subprocess.STDOUT)\n match = re.findall('attached to ([^ ,]+)', output)\n if match:\n volume._paths['md'] = os.path.realpath(match[0])\n if 'which is already active' in output:\n logger.info('RAID is already active in other volume, using %s',\n volume._paths['md'])\n raid_status = 'active'\n elif 'not enough to start' in output:\n volume._paths['md'] = volume._paths['md'].replace('/dev/md/',\n '/dev/md')\n logger.info('RAID volume added, but not enough to start %s',\n volume._paths['md'])\n raid_status = 'waiting'\n else:\n logger.info('RAID started at {0}'.format(volume._paths['md']))\n raid_status = 'active'\n except Exception as e:\n logger.exception('Failed mounting RAID.')\n volume._free_loopback()\n raise SubsystemError(e)\n for v in volume.disk.parser.get_volumes():\n if v._paths.get('md') == volume._paths['md'] and v.volumes:\n logger.debug('Adding existing volume %s to volume %s', v.\n volumes[0], volume)\n v.volumes[0].info['raid_status'] = raid_status\n volume.volumes.volumes.append(v.volumes[0])\n return v.volumes[0]\n else:\n logger.debug('Creating RAID volume for %s', self)\n container = volume.volumes._make_single_subvolume(flag='alloc',\n offset=0, size=volume.size)\n container.info['fsdescription'] = 'RAID Volume'\n container.info['raid_status'] = raid_status\n return container\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(s, fold_newlines=True): def x(m): c = m.group() if c in CHAR_ESCAPE: return CHAR_ESCAPE[c] if c.isspace(): if fold_newlines: return '\\\\' return '\\\\[{}\\baselineskip]'.format(len(c)) return ESCAPE_RE.sub(sub, s)
escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, fold_newlines=True):\n\n def x(m):\n c = m.group()\n if c in CHAR_ESCAPE:\n return CHAR_ESCAPE[c]\n if c.isspace():\n if fold_newlines:\n return '\\\\\\\\'\n return '\\\\\\\\[{}\\\\baselineskip]'.format(len(c))\n return ESCAPE_RE.sub(sub, s)\n", "role": "user" }, { "content": "escape", "role": "assistant" } ]
def x(source, texinputs=[], builder=None): if builder is None: builders = PREFERRED_BUILDERS elif builder not in BUILDERS: raise RuntimeError('Invalid Builder specified') else: builders = builder, for bld in builders: bld_cls = BUILDERS[bld] builder = bld_cls() if not builder.is_available(): continue return builder.build_pdf(source, texinputs) else: raise RuntimeError( 'No available builder could be instantiated. Please make sure LaTeX is installed.' )
build_pdf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, texinputs=[], builder=None):\n if builder is None:\n builders = PREFERRED_BUILDERS\n elif builder not in BUILDERS:\n raise RuntimeError('Invalid Builder specified')\n else:\n builders = builder,\n for bld in builders:\n bld_cls = BUILDERS[bld]\n builder = bld_cls()\n if not builder.is_available():\n continue\n return builder.build_pdf(source, texinputs)\n else:\n raise RuntimeError(\n 'No available builder could be instantiated. Please make sure LaTeX is installed.'\n )\n", "role": "user" }, { "content": "build_pdf", "role": "assistant" } ]
def x(log, context_size=3): lines = log.splitlines() errors = [] for n, line in enumerate(lines): m = LATEX_ERR_RE.match(line) if m: err = m.groupdict().copy() err['context'] = lines[n:n + context_size] try: err['line'] = int(err['line']) except TypeError: pass errors.append(err) return errors
parse_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log, context_size=3):\n lines = log.splitlines()\n errors = []\n for n, line in enumerate(lines):\n m = LATEX_ERR_RE.match(line)\n if m:\n err = m.groupdict().copy()\n err['context'] = lines[n:n + context_size]\n try:\n err['line'] = int(err['line'])\n except TypeError:\n pass\n errors.append(err)\n return errors\n", "role": "user" }, { "content": "parse_log", "role": "assistant" } ]
def x(*args, **kwargs): ka = ENV_ARGS.copy() ka.update(kwargs) env = Environment(*args, **ka) env.filters['e'] = LatexMarkup.escape env.filters['escape'] = LatexMarkup.escape env.filters['forceescape'] = LatexMarkup.escape return env
make_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n ka = ENV_ARGS.copy()\n ka.update(kwargs)\n env = Environment(*args, **ka)\n env.filters['e'] = LatexMarkup.escape\n env.filters['escape'] = LatexMarkup.escape\n env.filters['forceescape'] = LatexMarkup.escape\n return env\n", "role": "user" }, { "content": "make_env", "role": "assistant" } ]
def x(headers): params = {} metadata = {} for header_name in headers: if header_name.lower() in header_mapping: params[header_mapping[header_name.lower()]] = headers[header_name] else: metadata[header_name] = headers[header_name] return metadata, params
split_metadata_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(headers):\n params = {}\n metadata = {}\n for header_name in headers:\n if header_name.lower() in header_mapping:\n params[header_mapping[header_name.lower()]] = headers[header_name]\n else:\n metadata[header_name] = headers[header_name]\n return metadata, params\n", "role": "user" }, { "content": "split_metadata_params", "role": "assistant" } ]
def x(filename): hasher = hashlib.sha1() with open(filename, 'rb') as f: buf = f.read(65536) while len(buf) > 0: hasher.update(buf) buf = f.read(65536) return hasher.hexdigest()
hash_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n hasher = hashlib.sha1()\n with open(filename, 'rb') as f:\n buf = f.read(65536)\n while len(buf) > 0:\n hasher.update(buf)\n buf = f.read(65536)\n return hasher.hexdigest()\n", "role": "user" }, { "content": "hash_file", "role": "assistant" } ]
def x(**values): app = current_app values.pop('_external', False) values.pop('_anchor', None) values.pop('_method', None) url_style = get_setting('FLASKS3_URL_STYLE', app) if url_style == 'host': url_format = '{bucket_name}.{bucket_domain}' elif url_style == 'path': url_format = '{bucket_domain}/{bucket_name}' else: raise ValueError('Invalid S3 URL style: "{}"'.format(url_style)) if get_setting('FLASKS3_CDN_DOMAIN', app): bucket_path = '{}'.format(get_setting('FLASKS3_CDN_DOMAIN', app)) else: bucket_path = url_format.format(bucket_name=get_setting( 'FLASKS3_BUCKET_NAME', app), bucket_domain=get_setting( 'FLASKS3_BUCKET_DOMAIN', app)) bucket_path += _get_statics_prefix(app).rstrip('/') return bucket_path, values
get_bucket_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**values):\n app = current_app\n values.pop('_external', False)\n values.pop('_anchor', None)\n values.pop('_method', None)\n url_style = get_setting('FLASKS3_URL_STYLE', app)\n if url_style == 'host':\n url_format = '{bucket_name}.{bucket_domain}'\n elif url_style == 'path':\n url_format = '{bucket_domain}/{bucket_name}'\n else:\n raise ValueError('Invalid S3 URL style: \"{}\"'.format(url_style))\n if get_setting('FLASKS3_CDN_DOMAIN', app):\n bucket_path = '{}'.format(get_setting('FLASKS3_CDN_DOMAIN', app))\n else:\n bucket_path = url_format.format(bucket_name=get_setting(\n 'FLASKS3_BUCKET_NAME', app), bucket_domain=get_setting(\n 'FLASKS3_BUCKET_DOMAIN', app))\n bucket_path += _get_statics_prefix(app).rstrip('/')\n return bucket_path, values\n", "role": "user" }, { "content": "get_bucket_name", "role": "assistant" } ]
def x(endpoint, **values): app = current_app if app.config.get('TESTING', False) and not app.config.get( 'FLASKS3_OVERRIDE_TESTING', True): return flask_url_for(endpoint, **values) if 'FLASKS3_BUCKET_NAME' not in app.config: raise ValueError('FLASKS3_BUCKET_NAME not found in app configuration.') if endpoint == 'static' or endpoint.endswith('.static'): scheme = 'https' if not app.config.get('FLASKS3_USE_HTTPS', True): scheme = 'http' scheme = values.pop('_scheme', scheme) bucket_path, values = _get_bucket_name(**values) urls = app.url_map.bind(bucket_path, url_scheme=scheme) built = urls.build(endpoint, values=values, force_external=True) return built return flask_url_for(endpoint, **values)
url_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, **values):\n app = current_app\n if app.config.get('TESTING', False) and not app.config.get(\n 'FLASKS3_OVERRIDE_TESTING', True):\n return flask_url_for(endpoint, **values)\n if 'FLASKS3_BUCKET_NAME' not in app.config:\n raise ValueError('FLASKS3_BUCKET_NAME not found in app configuration.')\n if endpoint == 'static' or endpoint.endswith('.static'):\n scheme = 'https'\n if not app.config.get('FLASKS3_USE_HTTPS', True):\n scheme = 'http'\n scheme = values.pop('_scheme', scheme)\n bucket_path, values = _get_bucket_name(**values)\n urls = app.url_map.bind(bucket_path, url_scheme=scheme)\n built = urls.build(endpoint, values=values, force_external=True)\n return built\n return flask_url_for(endpoint, **values)\n", "role": "user" }, { "content": "url_for", "role": "assistant" } ]
def x(blueprint): u = six.u('%s%s' % (blueprint.url_prefix or '', blueprint. static_url_path or '')) return u
bp_static_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(blueprint):\n u = six.u('%s%s' % (blueprint.url_prefix or '', blueprint.\n static_url_path or ''))\n return u\n", "role": "user" }, { "content": "bp_static_url", "role": "assistant" } ]
def x(app, hidden, filepath_filter_regex=None): dirs = [(six.text_type(app.static_folder), app.static_url_path)] if hasattr(app, 'blueprints'): blueprints = app.blueprints.values() bp_details = lambda x: (x.static_folder, _bp_static_url(x)) dirs.extend([bp_details(x) for x in blueprints if x.static_folder]) valid_files = defaultdict(list) for static_folder, static_url_loc in dirs: if not os.path.isdir(static_folder): logger.warning('WARNING - [%s does not exist]' % static_folder) else: logger.debug('Checking static folder: %s' % static_folder) for root, _, files in os.walk(static_folder): relative_folder = re.sub('^/', '', root.replace(static_folder, '')) files = [os.path.join(root, x) for x in files if (hidden or x[0 ] != '.') and (filepath_filter_regex == None or re.search( filepath_filter_regex, os.path.join(relative_folder, x)))] if files: valid_files[static_folder, static_url_loc].extend(files) return valid_files
gather_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, hidden, filepath_filter_regex=None):\n dirs = [(six.text_type(app.static_folder), app.static_url_path)]\n if hasattr(app, 'blueprints'):\n blueprints = app.blueprints.values()\n bp_details = lambda x: (x.static_folder, _bp_static_url(x))\n dirs.extend([bp_details(x) for x in blueprints if x.static_folder])\n valid_files = defaultdict(list)\n for static_folder, static_url_loc in dirs:\n if not os.path.isdir(static_folder):\n logger.warning('WARNING - [%s does not exist]' % static_folder)\n else:\n logger.debug('Checking static folder: %s' % static_folder)\n for root, _, files in os.walk(static_folder):\n relative_folder = re.sub('^/', '', root.replace(static_folder, ''))\n files = [os.path.join(root, x) for x in files if (hidden or x[0\n ] != '.') and (filepath_filter_regex == None or re.search(\n filepath_filter_regex, os.path.join(relative_folder, x)))]\n if files:\n valid_files[static_folder, static_url_loc].extend(files)\n return valid_files\n", "role": "user" }, { "content": "gather_files", "role": "assistant" } ]
def x(static_url, static_folder, static_asset): if not static_asset.startswith(static_folder): raise ValueError('%s static asset must be under %s static folder' % (static_asset, static_folder)) rel_asset = static_asset[len(static_folder):] return '%s/%s' % (static_url.rstrip('/'), rel_asset.lstrip('/'))
static_folder_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(static_url, static_folder, static_asset):\n if not static_asset.startswith(static_folder):\n raise ValueError('%s static asset must be under %s static folder' %\n (static_asset, static_folder))\n rel_asset = static_asset[len(static_folder):]\n return '%s/%s' % (static_url.rstrip('/'), rel_asset.lstrip('/'))\n", "role": "user" }, { "content": "static_folder_path", "role": "assistant" } ]
def x(s3, app, static_url_loc, static_folder, files, bucket, ex_keys=None, hashes=None): should_gzip = app.config.get('FLASKS3_GZIP') add_mime = app.config.get('FLASKS3_FORCE_MIMETYPE') gzip_include_only = app.config.get('FLASKS3_GZIP_ONLY_EXTS') new_hashes = [] static_folder_rel = _path_to_relative_url(static_folder) for file_path in files: per_file_should_gzip = should_gzip asset_loc = _path_to_relative_url(file_path) full_key_name = _static_folder_path(static_url_loc, static_folder_rel, asset_loc) key_name = full_key_name.lstrip('/') logger.debug('Uploading {} to {} as {}'.format(file_path, bucket, key_name)) exclude = False if app.config.get('FLASKS3_ONLY_MODIFIED', False): file_hash = hash_file(file_path) new_hashes.append((full_key_name, file_hash)) if hashes and hashes.get(full_key_name, None) == file_hash: exclude = True if ex_keys and full_key_name in ex_keys or exclude: logger.debug('%s excluded from upload' % key_name) else: h = {} filepath_headers = app.config.get('FLASKS3_FILEPATH_HEADERS') if filepath_headers: for filepath_regex, headers in six.iteritems(filepath_headers): if re.search(filepath_regex, file_path): for header, value in six.iteritems(headers): h[header] = value if per_file_should_gzip and gzip_include_only: if os.path.splitext(file_path)[1] not in gzip_include_only: per_file_should_gzip = False if per_file_should_gzip: h['content-encoding'] = 'gzip' if (add_mime or per_file_should_gzip) and 'content-type' not in h: mimetype, encoding = mimetypes.guess_type(file_path, False) if mimetype: h['content-type'] = mimetype else: logger.warn('Unable to detect mimetype for %s' % file_path) file_mode = 'rb' if six.PY3 else 'r' with open(file_path, file_mode) as fp: merged_dicts = merge_two_dicts(get_setting( 'FLASKS3_HEADERS', app), h) metadata, params = split_metadata_params(merged_dicts) if per_file_should_gzip: compressed = six.BytesIO() z = gzip.GzipFile(os.path.basename(file_path), 'wb', 9, compressed) z.write(fp.read()) z.close() data = compressed.getvalue() else: data = fp.read() s3.put_object(Bucket=bucket, Key=key_name, Body=data, ACL= 'public-read', Metadata=metadata, **params) return new_hashes
write_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s3, app, static_url_loc, static_folder, files, bucket, ex_keys=None,\n hashes=None):\n should_gzip = app.config.get('FLASKS3_GZIP')\n add_mime = app.config.get('FLASKS3_FORCE_MIMETYPE')\n gzip_include_only = app.config.get('FLASKS3_GZIP_ONLY_EXTS')\n new_hashes = []\n static_folder_rel = _path_to_relative_url(static_folder)\n for file_path in files:\n per_file_should_gzip = should_gzip\n asset_loc = _path_to_relative_url(file_path)\n full_key_name = _static_folder_path(static_url_loc,\n static_folder_rel, asset_loc)\n key_name = full_key_name.lstrip('/')\n logger.debug('Uploading {} to {} as {}'.format(file_path, bucket,\n key_name))\n exclude = False\n if app.config.get('FLASKS3_ONLY_MODIFIED', False):\n file_hash = hash_file(file_path)\n new_hashes.append((full_key_name, file_hash))\n if hashes and hashes.get(full_key_name, None) == file_hash:\n exclude = True\n if ex_keys and full_key_name in ex_keys or exclude:\n logger.debug('%s excluded from upload' % key_name)\n else:\n h = {}\n filepath_headers = app.config.get('FLASKS3_FILEPATH_HEADERS')\n if filepath_headers:\n for filepath_regex, headers in six.iteritems(filepath_headers):\n if re.search(filepath_regex, file_path):\n for header, value in six.iteritems(headers):\n h[header] = value\n if per_file_should_gzip and gzip_include_only:\n if os.path.splitext(file_path)[1] not in gzip_include_only:\n per_file_should_gzip = False\n if per_file_should_gzip:\n h['content-encoding'] = 'gzip'\n if (add_mime or per_file_should_gzip) and 'content-type' not in h:\n mimetype, encoding = mimetypes.guess_type(file_path, False)\n if mimetype:\n h['content-type'] = mimetype\n else:\n logger.warn('Unable to detect mimetype for %s' % file_path)\n file_mode = 'rb' if six.PY3 else 'r'\n with open(file_path, file_mode) as fp:\n merged_dicts = merge_two_dicts(get_setting(\n 'FLASKS3_HEADERS', app), h)\n metadata, params = split_metadata_params(merged_dicts)\n if per_file_should_gzip:\n compressed = six.BytesIO()\n z = gzip.GzipFile(os.path.basename(file_path), 'wb', 9,\n compressed)\n z.write(fp.read())\n z.close()\n data = compressed.getvalue()\n else:\n data = fp.read()\n s3.put_object(Bucket=bucket, Key=key_name, Body=data, ACL=\n 'public-read', Metadata=metadata, **params)\n return new_hashes\n", "role": "user" }, { "content": "write_files", "role": "assistant" } ]
def x(name, app=None): default_value = DEFAULT_SETTINGS.get(name, None) return app.config.get(name, default_value) if app else default_value
get_setting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, app=None):\n default_value = DEFAULT_SETTINGS.get(name, None)\n return app.config.get(name, default_value) if app else default_value\n", "role": "user" }, { "content": "get_setting", "role": "assistant" } ]
def x(app, user=None, password=None, bucket_name=None, location=None, include_hidden=False, filepath_filter_regex=None, put_bucket_acl=True): user = user or app.config.get('AWS_ACCESS_KEY_ID') password = password or app.config.get('AWS_SECRET_ACCESS_KEY') bucket_name = bucket_name or app.config.get('FLASKS3_BUCKET_NAME') if not bucket_name: raise ValueError('No bucket name provided.') location = location or app.config.get('FLASKS3_REGION') endpoint_url = app.config.get('FLASKS3_ENDPOINT_URL') all_files = _gather_files(app, include_hidden, filepath_filter_regex= filepath_filter_regex) logger.debug('All valid files: %s' % all_files) s3 = boto3.client('s3', endpoint_url=endpoint_url, region_name=location or None, aws_access_key_id=user, aws_secret_access_key=password) try: s3.head_bucket(Bucket=bucket_name) except ClientError as e: if int(e.response['Error']['Code']) == 404: bucket = s3.create_bucket(Bucket=bucket_name) else: raise if put_bucket_acl: s3.put_bucket_acl(Bucket=bucket_name, ACL='public-read') if get_setting('FLASKS3_ONLY_MODIFIED', app): try: hashes_object = s3.get_object(Bucket=bucket_name, Key= '.file-hashes') hashes = json.loads(str(hashes_object['Body'].read().decode())) except ClientError as e: logger.warn('No file hashes found: %s' % e) hashes = None new_hashes = _upload_files(s3, app, all_files, bucket_name, hashes= hashes) try: s3.put_object(Bucket=bucket_name, Key='.file-hashes', Body=json .dumps(dict(new_hashes)), ACL='private') except boto3.exceptions.S3UploadFailedError as e: logger.warn('Unable to upload file hashes: %s' % e) else: _upload_files(s3, app, all_files, bucket_name)
create_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, user=None, password=None, bucket_name=None, location=None,\n include_hidden=False, filepath_filter_regex=None, put_bucket_acl=True):\n user = user or app.config.get('AWS_ACCESS_KEY_ID')\n password = password or app.config.get('AWS_SECRET_ACCESS_KEY')\n bucket_name = bucket_name or app.config.get('FLASKS3_BUCKET_NAME')\n if not bucket_name:\n raise ValueError('No bucket name provided.')\n location = location or app.config.get('FLASKS3_REGION')\n endpoint_url = app.config.get('FLASKS3_ENDPOINT_URL')\n all_files = _gather_files(app, include_hidden, filepath_filter_regex=\n filepath_filter_regex)\n logger.debug('All valid files: %s' % all_files)\n s3 = boto3.client('s3', endpoint_url=endpoint_url, region_name=location or\n None, aws_access_key_id=user, aws_secret_access_key=password)\n try:\n s3.head_bucket(Bucket=bucket_name)\n except ClientError as e:\n if int(e.response['Error']['Code']) == 404:\n bucket = s3.create_bucket(Bucket=bucket_name)\n else:\n raise\n if put_bucket_acl:\n s3.put_bucket_acl(Bucket=bucket_name, ACL='public-read')\n if get_setting('FLASKS3_ONLY_MODIFIED', app):\n try:\n hashes_object = s3.get_object(Bucket=bucket_name, Key=\n '.file-hashes')\n hashes = json.loads(str(hashes_object['Body'].read().decode()))\n except ClientError as e:\n logger.warn('No file hashes found: %s' % e)\n hashes = None\n new_hashes = _upload_files(s3, app, all_files, bucket_name, hashes=\n hashes)\n try:\n s3.put_object(Bucket=bucket_name, Key='.file-hashes', Body=json\n .dumps(dict(new_hashes)), ACL='private')\n except boto3.exceptions.S3UploadFailedError as e:\n logger.warn('Unable to upload file hashes: %s' % e)\n else:\n _upload_files(s3, app, all_files, bucket_name)\n", "role": "user" }, { "content": "create_all", "role": "assistant" } ]
def x(self, app): for k, v in DEFAULT_SETTINGS.items(): app.config.setdefault(k, v) if app.debug and not get_setting('FLASKS3_DEBUG', app): app.config['FLASKS3_ACTIVE'] = False if get_setting('FLASKS3_ACTIVE', app): app.jinja_env.globals['url_for'] = url_for if get_setting('FLASKS3_USE_CACHE_CONTROL', app) and app.config.get( 'FLASKS3_CACHE_CONTROL'): cache_control_header = get_setting('FLASKS3_CACHE_CONTROL', app) app.config['FLASKS3_HEADERS']['Cache-Control'] = cache_control_header
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n for k, v in DEFAULT_SETTINGS.items():\n app.config.setdefault(k, v)\n if app.debug and not get_setting('FLASKS3_DEBUG', app):\n app.config['FLASKS3_ACTIVE'] = False\n if get_setting('FLASKS3_ACTIVE', app):\n app.jinja_env.globals['url_for'] = url_for\n if get_setting('FLASKS3_USE_CACHE_CONTROL', app) and app.config.get(\n 'FLASKS3_CACHE_CONTROL'):\n cache_control_header = get_setting('FLASKS3_CACHE_CONTROL', app)\n app.config['FLASKS3_HEADERS']['Cache-Control'] = cache_control_header\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(subsequence, sequence, search_params): if not subsequence: raise ValueError('Given subsequence is empty!') max_substitutions, max_insertions, max_deletions, max_l_dist = ( search_params.unpacked) max_substitutions = min(max_substitutions, max_l_dist) max_insertions = min(max_insertions, max_l_dist) subseq_len = len(subsequence) seq_len = len(sequence) ngram_len = subseq_len // (max_substitutions + max_insertions + 1) if ngram_len == 0: raise ValueError( "The subsequence's length must be greater than max_subs + max_ins!" ) matches = [] matched_indexes = set() for ngram_start in range(0, len(subsequence) - ngram_len + 1, ngram_len): ngram_end = ngram_start + ngram_len subseq_before = subsequence[:ngram_start] subseq_before_reversed = subseq_before[::-1] subseq_after = subsequence[ngram_end:] start_index = max(0, ngram_start - max_insertions) end_index = min(seq_len, seq_len - (subseq_len - ngram_end) + max_insertions) for index in search_exact(subsequence[ngram_start:ngram_end], sequence, start_index, end_index): if index - ngram_start in matched_indexes: continue seq_after = sequence[index + ngram_len:index + subseq_len - ngram_start + max_insertions] if seq_after.startswith(subseq_after): matches_after = [(0, 0)] else: matches_after = _expand(subseq_after, seq_after, max_substitutions, max_insertions, max_l_dist) if not matches_after: continue _max_substitutions = max_substitutions - min(m[0] for m in matches_after) _max_insertions = max_insertions - min(m[1] for m in matches_after) _max_l_dist = max_l_dist - min(m[0] + m[1] for m in matches_after) seq_before = sequence[index - ngram_start - _max_insertions:index] if seq_before.endswith(subseq_before): matches_before = [(0, 0)] else: matches_before = _expand(subseq_before_reversed, seq_before [::-1], _max_substitutions, _max_insertions, _max_l_dist) for subs_before, ins_before in matches_before: for subs_after, ins_after in matches_after: if (subs_before + subs_after <= max_substitutions and ins_before + ins_after <= max_insertions and subs_before + subs_after + ins_before + ins_after <= max_l_dist): matches.append(Match(start=index - ngram_start - ins_before, end=index - ngram_start + subseq_len + ins_after, dist=subs_before + subs_after + ins_before + ins_after)) matched_indexes |= set(range(index - ngram_start - ins_before, index - ngram_start - ins_before + max_insertions + 1)) return sorted(matches, key=lambda match: match.start)
find_near_matches_no_deletions_ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, search_params):\n if not subsequence:\n raise ValueError('Given subsequence is empty!')\n max_substitutions, max_insertions, max_deletions, max_l_dist = (\n search_params.unpacked)\n max_substitutions = min(max_substitutions, max_l_dist)\n max_insertions = min(max_insertions, max_l_dist)\n subseq_len = len(subsequence)\n seq_len = len(sequence)\n ngram_len = subseq_len // (max_substitutions + max_insertions + 1)\n if ngram_len == 0:\n raise ValueError(\n \"The subsequence's length must be greater than max_subs + max_ins!\"\n )\n matches = []\n matched_indexes = set()\n for ngram_start in range(0, len(subsequence) - ngram_len + 1, ngram_len):\n ngram_end = ngram_start + ngram_len\n subseq_before = subsequence[:ngram_start]\n subseq_before_reversed = subseq_before[::-1]\n subseq_after = subsequence[ngram_end:]\n start_index = max(0, ngram_start - max_insertions)\n end_index = min(seq_len, seq_len - (subseq_len - ngram_end) +\n max_insertions)\n for index in search_exact(subsequence[ngram_start:ngram_end],\n sequence, start_index, end_index):\n if index - ngram_start in matched_indexes:\n continue\n seq_after = sequence[index + ngram_len:index + subseq_len -\n ngram_start + max_insertions]\n if seq_after.startswith(subseq_after):\n matches_after = [(0, 0)]\n else:\n matches_after = _expand(subseq_after, seq_after,\n max_substitutions, max_insertions, max_l_dist)\n if not matches_after:\n continue\n _max_substitutions = max_substitutions - min(m[0] for m in\n matches_after)\n _max_insertions = max_insertions - min(m[1] for m in matches_after)\n _max_l_dist = max_l_dist - min(m[0] + m[1] for m in matches_after)\n seq_before = sequence[index - ngram_start - _max_insertions:index]\n if seq_before.endswith(subseq_before):\n matches_before = [(0, 0)]\n else:\n matches_before = _expand(subseq_before_reversed, seq_before\n [::-1], _max_substitutions, _max_insertions, _max_l_dist)\n for subs_before, ins_before in matches_before:\n for subs_after, ins_after in matches_after:\n if (subs_before + subs_after <= max_substitutions and \n ins_before + ins_after <= max_insertions and \n subs_before + subs_after + ins_before + ins_after <=\n max_l_dist):\n matches.append(Match(start=index - ngram_start -\n ins_before, end=index - ngram_start +\n subseq_len + ins_after, dist=subs_before +\n subs_after + ins_before + ins_after))\n matched_indexes |= set(range(index - ngram_start -\n ins_before, index - ngram_start - ins_before +\n max_insertions + 1))\n return sorted(matches, key=lambda match: match.start)\n", "role": "user" }, { "content": "find_near_matches_no_deletions_ngrams", "role": "assistant" } ]
def x(subsequence, sequence, max_substitutions=None, max_insertions=None, max_deletions=None, max_l_dist=None): search_params = LevenshteinSearchParams(max_substitutions, max_insertions, max_deletions, max_l_dist) search_func = choose_search_func(search_params) return search_func(subsequence, sequence, search_params)
find_near_matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_substitutions=None, max_insertions=None,\n max_deletions=None, max_l_dist=None):\n search_params = LevenshteinSearchParams(max_substitutions,\n max_insertions, max_deletions, max_l_dist)\n search_func = choose_search_func(search_params)\n return search_func(subsequence, sequence, search_params)\n", "role": "user" }, { "content": "find_near_matches", "role": "assistant" } ]
def x(subsequence, sequence, max_substitutions): _check_arguments(subsequence, sequence, max_substitutions) if max_substitutions == 0: return [Match(start_index, start_index + len(subsequence), 0) for start_index in search_exact(subsequence, sequence)] elif len(subsequence) // (max_substitutions + 1) >= 3: return find_near_matches_substitutions_ngrams(subsequence, sequence, max_substitutions) else: return find_near_matches_substitutions_lp(subsequence, sequence, max_substitutions)
find_near_matches_substitutions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_substitutions):\n _check_arguments(subsequence, sequence, max_substitutions)\n if max_substitutions == 0:\n return [Match(start_index, start_index + len(subsequence), 0) for\n start_index in search_exact(subsequence, sequence)]\n elif len(subsequence) // (max_substitutions + 1) >= 3:\n return find_near_matches_substitutions_ngrams(subsequence, sequence,\n max_substitutions)\n else:\n return find_near_matches_substitutions_lp(subsequence, sequence,\n max_substitutions)\n", "role": "user" }, { "content": "find_near_matches_substitutions", "role": "assistant" } ]
def x(subsequence, sequence, max_substitutions): _check_arguments(subsequence, sequence, max_substitutions) return list(_find_near_matches_substitutions_lp(subsequence, sequence, max_substitutions))
find_near_matches_substitutions_lp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_substitutions):\n _check_arguments(subsequence, sequence, max_substitutions)\n return list(_find_near_matches_substitutions_lp(subsequence, sequence,\n max_substitutions))\n", "role": "user" }, { "content": "find_near_matches_substitutions_lp", "role": "assistant" } ]
def x(subsequence, sequence, max_substitutions): _check_arguments(subsequence, sequence, max_substitutions) match_starts = set() matches = [] for match in _find_near_matches_substitutions_ngrams(subsequence, sequence, max_substitutions): if match.start not in match_starts: match_starts.add(match.start) matches.append(match) return sorted(matches, key=lambda match: match.start)
find_near_matches_substitutions_ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_substitutions):\n _check_arguments(subsequence, sequence, max_substitutions)\n match_starts = set()\n matches = []\n for match in _find_near_matches_substitutions_ngrams(subsequence,\n sequence, max_substitutions):\n if match.start not in match_starts:\n match_starts.add(match.start)\n matches.append(match)\n return sorted(matches, key=lambda match: match.start)\n", "role": "user" }, { "content": "find_near_matches_substitutions_ngrams", "role": "assistant" } ]
def x(subsequence, sequence, max_substitutions): _check_arguments(subsequence, sequence, max_substitutions) for match in _find_near_matches_substitutions_ngrams(subsequence, sequence, max_substitutions): return True return False
has_near_match_substitutions_ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_substitutions):\n _check_arguments(subsequence, sequence, max_substitutions)\n for match in _find_near_matches_substitutions_ngrams(subsequence,\n sequence, max_substitutions):\n return True\n return False\n", "role": "user" }, { "content": "has_near_match_substitutions_ngrams", "role": "assistant" } ]
def x(subsequence, sequence, search_params): if not subsequence: raise ValueError('Given subsequence is empty!') if search_params.max_l_dist == 0: return [Match(start_index, start_index + len(subsequence), 0) for start_index in search_exact(subsequence, sequence)] elif len(subsequence) // (search_params.max_l_dist + 1) >= 3: return find_near_matches_generic_ngrams(subsequence, sequence, search_params) else: matches = find_near_matches_generic_linear_programming(subsequence, sequence, search_params) match_groups = group_matches(matches) best_matches = [get_best_match_in_group(group) for group in match_groups] return sorted(best_matches)
find_near_matches_generic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, search_params):\n if not subsequence:\n raise ValueError('Given subsequence is empty!')\n if search_params.max_l_dist == 0:\n return [Match(start_index, start_index + len(subsequence), 0) for\n start_index in search_exact(subsequence, sequence)]\n elif len(subsequence) // (search_params.max_l_dist + 1) >= 3:\n return find_near_matches_generic_ngrams(subsequence, sequence,\n search_params)\n else:\n matches = find_near_matches_generic_linear_programming(subsequence,\n sequence, search_params)\n match_groups = group_matches(matches)\n best_matches = [get_best_match_in_group(group) for group in\n match_groups]\n return sorted(best_matches)\n", "role": "user" }, { "content": "find_near_matches_generic", "role": "assistant" } ]
def x(subsequence, sequence, search_params): if not subsequence: raise ValueError('Given subsequence is empty!') max_substitutions, max_insertions, max_deletions, max_l_dist = ( search_params.unpacked) subseq_len = len(subsequence) candidates = [] for index, char in enumerate(sequence): candidates.append(GenericSearchCandidate(index, 0, 0, 0, 0, 0)) new_candidates = [] for cand in candidates: if char == subsequence[cand.subseq_index]: if cand.subseq_index + 1 == subseq_len: yield Match(cand.start, index + 1, cand.l_dist) else: new_candidates.append(cand._replace(subseq_index=cand. subseq_index + 1)) else: if cand.l_dist == max_l_dist: continue if cand.n_ins < max_insertions: new_candidates.append(cand._replace(n_ins=cand.n_ins + 1, l_dist=cand.l_dist + 1)) if cand.subseq_index + 1 < subseq_len: if cand.n_subs < max_substitutions: new_candidates.append(cand._replace(n_subs=cand. n_subs + 1, subseq_index=cand.subseq_index + 1, l_dist=cand.l_dist + 1)) elif cand.n_dels < max_deletions and cand.n_ins < max_insertions: new_candidates.append(cand._replace(n_ins=cand. n_ins + 1, n_dels=cand.n_dels + 1, subseq_index =cand.subseq_index + 1, l_dist=cand.l_dist + 1)) elif cand.n_subs < max_substitutions or cand.n_dels < max_deletions and cand.n_ins < max_insertions: yield Match(cand.start, index + 1, cand.l_dist + 1) for n_skipped in xrange(1, min(max_deletions - cand.n_dels, max_l_dist - cand.l_dist) + 1): if cand.subseq_index + n_skipped == subseq_len: yield Match(cand.start, index + 1, cand.l_dist + n_skipped) break elif subsequence[cand.subseq_index + n_skipped] == char: if cand.subseq_index + n_skipped + 1 == subseq_len: yield Match(cand.start, index + 1, cand.l_dist + n_skipped) else: new_candidates.append(cand._replace(n_dels=cand .n_dels + n_skipped, subseq_index=cand. subseq_index + 1 + n_skipped, l_dist=cand. l_dist + n_skipped)) break candidates = new_candidates for cand in candidates: n_skipped = subseq_len - cand.subseq_index if (cand.n_dels + n_skipped <= max_deletions and cand.l_dist + n_skipped <= max_l_dist): yield Match(cand.start, index + 1, cand.l_dist + n_skipped)
find_near_matches_generic_linear_programming
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, search_params):\n if not subsequence:\n raise ValueError('Given subsequence is empty!')\n max_substitutions, max_insertions, max_deletions, max_l_dist = (\n search_params.unpacked)\n subseq_len = len(subsequence)\n candidates = []\n for index, char in enumerate(sequence):\n candidates.append(GenericSearchCandidate(index, 0, 0, 0, 0, 0))\n new_candidates = []\n for cand in candidates:\n if char == subsequence[cand.subseq_index]:\n if cand.subseq_index + 1 == subseq_len:\n yield Match(cand.start, index + 1, cand.l_dist)\n else:\n new_candidates.append(cand._replace(subseq_index=cand.\n subseq_index + 1))\n else:\n if cand.l_dist == max_l_dist:\n continue\n if cand.n_ins < max_insertions:\n new_candidates.append(cand._replace(n_ins=cand.n_ins + \n 1, l_dist=cand.l_dist + 1))\n if cand.subseq_index + 1 < subseq_len:\n if cand.n_subs < max_substitutions:\n new_candidates.append(cand._replace(n_subs=cand.\n n_subs + 1, subseq_index=cand.subseq_index + 1,\n l_dist=cand.l_dist + 1))\n elif cand.n_dels < max_deletions and cand.n_ins < max_insertions:\n new_candidates.append(cand._replace(n_ins=cand.\n n_ins + 1, n_dels=cand.n_dels + 1, subseq_index\n =cand.subseq_index + 1, l_dist=cand.l_dist + 1))\n elif cand.n_subs < max_substitutions or cand.n_dels < max_deletions and cand.n_ins < max_insertions:\n yield Match(cand.start, index + 1, cand.l_dist + 1)\n for n_skipped in xrange(1, min(max_deletions - cand.n_dels,\n max_l_dist - cand.l_dist) + 1):\n if cand.subseq_index + n_skipped == subseq_len:\n yield Match(cand.start, index + 1, cand.l_dist +\n n_skipped)\n break\n elif subsequence[cand.subseq_index + n_skipped] == char:\n if cand.subseq_index + n_skipped + 1 == subseq_len:\n yield Match(cand.start, index + 1, cand.l_dist +\n n_skipped)\n else:\n new_candidates.append(cand._replace(n_dels=cand\n .n_dels + n_skipped, subseq_index=cand.\n subseq_index + 1 + n_skipped, l_dist=cand.\n l_dist + n_skipped))\n break\n candidates = new_candidates\n for cand in candidates:\n n_skipped = subseq_len - cand.subseq_index\n if (cand.n_dels + n_skipped <= max_deletions and cand.l_dist +\n n_skipped <= max_l_dist):\n yield Match(cand.start, index + 1, cand.l_dist + n_skipped)\n", "role": "user" }, { "content": "find_near_matches_generic_linear_programming", "role": "assistant" } ]
def x(subsequence, sequence, search_params): if not subsequence: raise ValueError('Given subsequence is empty!') matches = list(_find_near_matches_generic_ngrams(subsequence, sequence, search_params)) match_groups = group_matches(matches) best_matches = [get_best_match_in_group(group) for group in match_groups] return sorted(best_matches)
find_near_matches_generic_ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, search_params):\n if not subsequence:\n raise ValueError('Given subsequence is empty!')\n matches = list(_find_near_matches_generic_ngrams(subsequence, sequence,\n search_params))\n match_groups = group_matches(matches)\n best_matches = [get_best_match_in_group(group) for group in match_groups]\n return sorted(best_matches)\n", "role": "user" }, { "content": "find_near_matches_generic_ngrams", "role": "assistant" } ]
def x(subsequence, sequence, search_params): if not subsequence: raise ValueError('Given subsequence is empty!') for match in _find_near_matches_generic_ngrams(subsequence, sequence, search_params): return True return False
has_near_match_generic_ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, search_params):\n if not subsequence:\n raise ValueError('Given subsequence is empty!')\n for match in _find_near_matches_generic_ngrams(subsequence, sequence,\n search_params):\n return True\n return False\n", "role": "user" }, { "content": "has_near_match_generic_ngrams", "role": "assistant" } ]
def x(subsequence, sequence, max_l_dist): if len(subsequence) > max(max_l_dist * 2, 10): return _expand_long(subsequence, sequence, max_l_dist) else: return _expand_short(subsequence, sequence, max_l_dist)
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_l_dist):\n if len(subsequence) > max(max_l_dist * 2, 10):\n return _expand_long(subsequence, sequence, max_l_dist)\n else:\n return _expand_short(subsequence, sequence, max_l_dist)\n", "role": "user" }, { "content": "expand", "role": "assistant" } ]
def x(subsequence, sequence, max_l_dist): subseq_len = len(subsequence) if subseq_len == 0: return 0, 0 scores = list(range(1, subseq_len + 1)) min_score = subseq_len min_score_idx = -1 for seq_index, char in enumerate(sequence): a = seq_index c = a + 1 for subseq_index in range(subseq_len): b = scores[subseq_index] c = scores[subseq_index] = min(a + (char != subsequence[ subseq_index]), b + 1, c + 1) a = b if c <= min_score: min_score = c min_score_idx = seq_index elif min(scores) >= min_score: break return (min_score, min_score_idx + 1) if min_score <= max_l_dist else (None , None)
py_expand_short
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_l_dist):\n subseq_len = len(subsequence)\n if subseq_len == 0:\n return 0, 0\n scores = list(range(1, subseq_len + 1))\n min_score = subseq_len\n min_score_idx = -1\n for seq_index, char in enumerate(sequence):\n a = seq_index\n c = a + 1\n for subseq_index in range(subseq_len):\n b = scores[subseq_index]\n c = scores[subseq_index] = min(a + (char != subsequence[\n subseq_index]), b + 1, c + 1)\n a = b\n if c <= min_score:\n min_score = c\n min_score_idx = seq_index\n elif min(scores) >= min_score:\n break\n return (min_score, min_score_idx + 1) if min_score <= max_l_dist else (None\n , None)\n", "role": "user" }, { "content": "py_expand_short", "role": "assistant" } ]
def x(subsequence, sequence, max_l_dist): subseq_len = len(subsequence) if subseq_len == 0: return 0, 0 scores = list(range(1, subseq_len + 1)) min_score = subseq_len min_score_idx = -1 max_good_score = max_l_dist new_needle_idx_range_start = 0 new_needle_idx_range_end = subseq_len - 1 for seq_index, char in enumerate(sequence): needle_idx_range_start = new_needle_idx_range_start needle_idx_range_end = min(subseq_len, new_needle_idx_range_end + 1) a = seq_index c = a + 1 if c <= max_good_score: new_needle_idx_range_start = 0 new_needle_idx_range_end = 0 else: new_needle_idx_range_start = None new_needle_idx_range_end = -1 for subseq_index in range(needle_idx_range_start, needle_idx_range_end ): b = scores[subseq_index] c = scores[subseq_index] = min(a + (char != subsequence[ subseq_index]), b + 1, c + 1) a = b if c <= max_good_score: if new_needle_idx_range_start is None: new_needle_idx_range_start = subseq_index new_needle_idx_range_end = max(new_needle_idx_range_end, subseq_index + 1 + (max_good_score - c)) if new_needle_idx_range_start is None: break if needle_idx_range_end == subseq_len and c <= min_score: min_score = c min_score_idx = seq_index if min_score < max_good_score: max_good_score = min_score return (min_score, min_score_idx + 1) if min_score <= max_l_dist else (None , None)
py_expand_long
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_l_dist):\n subseq_len = len(subsequence)\n if subseq_len == 0:\n return 0, 0\n scores = list(range(1, subseq_len + 1))\n min_score = subseq_len\n min_score_idx = -1\n max_good_score = max_l_dist\n new_needle_idx_range_start = 0\n new_needle_idx_range_end = subseq_len - 1\n for seq_index, char in enumerate(sequence):\n needle_idx_range_start = new_needle_idx_range_start\n needle_idx_range_end = min(subseq_len, new_needle_idx_range_end + 1)\n a = seq_index\n c = a + 1\n if c <= max_good_score:\n new_needle_idx_range_start = 0\n new_needle_idx_range_end = 0\n else:\n new_needle_idx_range_start = None\n new_needle_idx_range_end = -1\n for subseq_index in range(needle_idx_range_start, needle_idx_range_end\n ):\n b = scores[subseq_index]\n c = scores[subseq_index] = min(a + (char != subsequence[\n subseq_index]), b + 1, c + 1)\n a = b\n if c <= max_good_score:\n if new_needle_idx_range_start is None:\n new_needle_idx_range_start = subseq_index\n new_needle_idx_range_end = max(new_needle_idx_range_end, \n subseq_index + 1 + (max_good_score - c))\n if new_needle_idx_range_start is None:\n break\n if needle_idx_range_end == subseq_len and c <= min_score:\n min_score = c\n min_score_idx = seq_index\n if min_score < max_good_score:\n max_good_score = min_score\n return (min_score, min_score_idx + 1) if min_score <= max_l_dist else (None\n , None)\n", "role": "user" }, { "content": "py_expand_long", "role": "assistant" } ]
def x(subsequence, sequence, max_l_dist): if not subsequence: raise ValueError('Given subsequence is empty!') if max_l_dist < 0: raise ValueError('Maximum Levenshtein distance must be >= 0!') if max_l_dist == 0: return [Match(start_index, start_index + len(subsequence), 0) for start_index in search_exact(subsequence, sequence)] elif len(subsequence) // (max_l_dist + 1) >= 3: return find_near_matches_levenshtein_ngrams(subsequence, sequence, max_l_dist) else: matches = find_near_matches_levenshtein_linear_programming(subsequence, sequence, max_l_dist) match_groups = group_matches(matches) best_matches = [get_best_match_in_group(group) for group in match_groups] return sorted(best_matches)
find_near_matches_levenshtein
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subsequence, sequence, max_l_dist):\n if not subsequence:\n raise ValueError('Given subsequence is empty!')\n if max_l_dist < 0:\n raise ValueError('Maximum Levenshtein distance must be >= 0!')\n if max_l_dist == 0:\n return [Match(start_index, start_index + len(subsequence), 0) for\n start_index in search_exact(subsequence, sequence)]\n elif len(subsequence) // (max_l_dist + 1) >= 3:\n return find_near_matches_levenshtein_ngrams(subsequence, sequence,\n max_l_dist)\n else:\n matches = find_near_matches_levenshtein_linear_programming(subsequence,\n sequence, max_l_dist)\n match_groups = group_matches(matches)\n best_matches = [get_best_match_in_group(group) for group in\n match_groups]\n return sorted(best_matches)\n", "role": "user" }, { "content": "find_near_matches_levenshtein", "role": "assistant" } ]
def x(): all_dominoes = [dominoes.Domino(i, j) for i in range(7) for j in range( i, 7)] random.shuffle(all_dominoes) return [dominoes.Hand(all_dominoes[0:7]), dominoes.Hand(all_dominoes[7: 14]), dominoes.Hand(all_dominoes[14:21]), dominoes.Hand( all_dominoes[21:28])]
randomized_hands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n all_dominoes = [dominoes.Domino(i, j) for i in range(7) for j in range(\n i, 7)]\n random.shuffle(all_dominoes)\n return [dominoes.Hand(all_dominoes[0:7]), dominoes.Hand(all_dominoes[7:\n 14]), dominoes.Hand(all_dominoes[14:21]), dominoes.Hand(\n all_dominoes[21:28])]\n", "role": "user" }, { "content": "randomized_hands", "role": "assistant" } ]
def x(player): valid_players = range(4) if player not in valid_players: valid_players = ', '.join(str(p) for p in valid_players) raise dominoes.NoSuchPlayerException( '{} is not a valid player. Valid players are: {}'.format(player, valid_players))
validate_player
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(player):\n valid_players = range(4)\n if player not in valid_players:\n valid_players = ', '.join(str(p) for p in valid_players)\n raise dominoes.NoSuchPlayerException(\n '{} is not a valid player. Valid players are: {}'.format(player,\n valid_players))\n", "role": "user" }, { "content": "validate_player", "role": "assistant" } ]
def x(d, hands): for i, hand in enumerate(hands): if d in hand: return i raise dominoes.NoSuchDominoException('{} is not in any hand!'.format(d))
domino_hand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, hands):\n for i, hand in enumerate(hands):\n if d in hand:\n return i\n raise dominoes.NoSuchDominoException('{} is not in any hand!'.format(d))\n", "role": "user" }, { "content": "domino_hand", "role": "assistant" } ]
def x(hands): points = [] for hand in hands: points.append(sum(d.first + d.second for d in hand)) return points
remaining_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hands):\n points = []\n for hand in hands:\n points.append(sum(d.first + d.second for d in hand))\n return points\n", "role": "user" }, { "content": "remaining_points", "role": "assistant" } ]
def x(hands, missing): for h, m in zip(hands, missing): for value in m: if dominoes.hand.contains_value(h, value): return False return True
validate_hands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hands, missing):\n for h, m in zip(hands, missing):\n for value in m:\n if dominoes.hand.contains_value(h, value):\n return False\n return True\n", "role": "user" }, { "content": "validate_hands", "role": "assistant" } ]
def x(elements, sizes): try: size = sizes[0] except IndexError: yield () return sizes = sizes[1:] for partition in itertools.combinations(elements, size): for other_partitions in _all_possible_partitionings(elements. difference(partition), sizes): yield (partition,) + other_partitions
all_possible_partitionings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(elements, sizes):\n try:\n size = sizes[0]\n except IndexError:\n yield ()\n return\n sizes = sizes[1:]\n for partition in itertools.combinations(elements, size):\n for other_partitions in _all_possible_partitionings(elements.\n difference(partition), sizes):\n yield (partition,) + other_partitions\n", "role": "user" }, { "content": "all_possible_partitionings", "role": "assistant" } ]
def x(cls, starting_domino=None, starting_player=0): board = dominoes.Board() hands = _randomized_hands() moves = [] result = None if starting_domino is None: _validate_player(starting_player) valid_moves = tuple((d, True) for d in hands[starting_player]) game = cls(board, hands, moves, starting_player, valid_moves, starting_player, result) else: starting_player = _domino_hand(starting_domino, hands) valid_moves = (starting_domino, True), game = cls(board, hands, moves, starting_player, valid_moves, starting_player, result) game.make_move(*valid_moves[0]) return game
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, starting_domino=None, starting_player=0):\n board = dominoes.Board()\n hands = _randomized_hands()\n moves = []\n result = None\n if starting_domino is None:\n _validate_player(starting_player)\n valid_moves = tuple((d, True) for d in hands[starting_player])\n game = cls(board, hands, moves, starting_player, valid_moves,\n starting_player, result)\n else:\n starting_player = _domino_hand(starting_domino, hands)\n valid_moves = (starting_domino, True),\n game = cls(board, hands, moves, starting_player, valid_moves,\n starting_player, result)\n game.make_move(*valid_moves[0])\n return game\n", "role": "user" }, { "content": "new", "role": "assistant" } ]
def x(self): left_end = self.board.left_end() right_end = self.board.right_end() moves = [] for d in self.hands[self.turn]: if left_end in d: moves.append((d, True)) if right_end in d and left_end != right_end: moves.append((d, False)) self.valid_moves = tuple(moves)
update_valid_moves
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n left_end = self.board.left_end()\n right_end = self.board.right_end()\n moves = []\n for d in self.hands[self.turn]:\n if left_end in d:\n moves.append((d, True))\n if right_end in d and left_end != right_end:\n moves.append((d, False))\n self.valid_moves = tuple(moves)\n", "role": "user" }, { "content": "update_valid_moves", "role": "assistant" } ]
def x(self, d, left): if self.result is not None: raise dominoes.GameOverException( 'Cannot make a move - the game is over!') i = self.hands[self.turn].play(d) try: self.board.add(d, left) except dominoes.EndsMismatchException as error: self.hands[self.turn].draw(d, i) raise error self.moves.append((d, left)) if not self.hands[self.turn]: self.valid_moves = () self.result = dominoes.Result(self.turn, True, pow(-1, self.turn) * sum(_remaining_points(self.hands))) return self.result passes = [] stuck = True for _ in self.hands: self.turn = next_player(self.turn) self._update_valid_moves() if self.valid_moves: self.moves.extend(passes) stuck = False break else: passes.append(None) if stuck: player_points = _remaining_points(self.hands) team_points = [player_points[0] + player_points[2], player_points[1 ] + player_points[3]] if team_points[0] < team_points[1]: self.result = dominoes.Result(self.turn, False, sum(team_points)) elif team_points[0] == team_points[1]: self.result = dominoes.Result(self.turn, False, 0) else: self.result = dominoes.Result(self.turn, False, -sum(team_points)) return self.result
make_move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d, left):\n if self.result is not None:\n raise dominoes.GameOverException(\n 'Cannot make a move - the game is over!')\n i = self.hands[self.turn].play(d)\n try:\n self.board.add(d, left)\n except dominoes.EndsMismatchException as error:\n self.hands[self.turn].draw(d, i)\n raise error\n self.moves.append((d, left))\n if not self.hands[self.turn]:\n self.valid_moves = ()\n self.result = dominoes.Result(self.turn, True, pow(-1, self.turn) *\n sum(_remaining_points(self.hands)))\n return self.result\n passes = []\n stuck = True\n for _ in self.hands:\n self.turn = next_player(self.turn)\n self._update_valid_moves()\n if self.valid_moves:\n self.moves.extend(passes)\n stuck = False\n break\n else:\n passes.append(None)\n if stuck:\n player_points = _remaining_points(self.hands)\n team_points = [player_points[0] + player_points[2], player_points[1\n ] + player_points[3]]\n if team_points[0] < team_points[1]:\n self.result = dominoes.Result(self.turn, False, sum(team_points))\n elif team_points[0] == team_points[1]:\n self.result = dominoes.Result(self.turn, False, 0)\n else:\n self.result = dominoes.Result(self.turn, False, -sum(team_points))\n return self.result\n", "role": "user" }, { "content": "make_move", "role": "assistant" } ]
def x(self): missing = [set() for _ in self.hands] board = dominoes.SkinnyBoard() player = self.starting_player for move in self.moves: if move is None: missing[player].update([board.left_end(), board.right_end()]) else: board.add(*move) player = next_player(player) return missing
missing_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n missing = [set() for _ in self.hands]\n board = dominoes.SkinnyBoard()\n player = self.starting_player\n for move in self.moves:\n if move is None:\n missing[player].update([board.left_end(), board.right_end()])\n else:\n board.add(*move)\n player = next_player(player)\n return missing\n", "role": "user" }, { "content": "missing_values", "role": "assistant" } ]
def x(self): missing = self.missing_values() other_dominoes = [d for p, h in enumerate(self.hands) for d in h if p != self.turn] while True: shuffled_dominoes = (d for d in random.sample(other_dominoes, len( other_dominoes))) hands = [] for player, hand in enumerate(self.hands): if player != self.turn: hand = [next(shuffled_dominoes) for _ in hand] hands.append(dominoes.Hand(hand)) if _validate_hands(hands, missing): return hands
random_possible_hands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n missing = self.missing_values()\n other_dominoes = [d for p, h in enumerate(self.hands) for d in h if p !=\n self.turn]\n while True:\n shuffled_dominoes = (d for d in random.sample(other_dominoes, len(\n other_dominoes)))\n hands = []\n for player, hand in enumerate(self.hands):\n if player != self.turn:\n hand = [next(shuffled_dominoes) for _ in hand]\n hands.append(dominoes.Hand(hand))\n if _validate_hands(hands, missing):\n return hands\n", "role": "user" }, { "content": "random_possible_hands", "role": "assistant" } ]
def x(self): missing = self.missing_values() other_dominoes = {d for p, h in enumerate(self.hands) for d in h if p != self.turn} other_hand_lengths = [len(h) for p, h in enumerate(self.hands) if p != self.turn] for possible_hands in _all_possible_partitionings(other_dominoes, other_hand_lengths): possible_hands = (h for h in possible_hands) hands = [] for player, hand in enumerate(self.hands): if player != self.turn: hand = next(possible_hands) hands.append(dominoes.Hand(hand)) if _validate_hands(hands, missing): yield hands
all_possible_hands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n missing = self.missing_values()\n other_dominoes = {d for p, h in enumerate(self.hands) for d in h if p !=\n self.turn}\n other_hand_lengths = [len(h) for p, h in enumerate(self.hands) if p !=\n self.turn]\n for possible_hands in _all_possible_partitionings(other_dominoes,\n other_hand_lengths):\n possible_hands = (h for h in possible_hands)\n hands = []\n for player, hand in enumerate(self.hands):\n if player != self.turn:\n hand = next(possible_hands)\n hands.append(dominoes.Hand(hand))\n if _validate_hands(hands, missing):\n yield hands\n", "role": "user" }, { "content": "all_possible_hands", "role": "assistant" } ]
def x(game): game.valid_moves = tuple(sorted(game.valid_moves, key=lambda _: rand. random()))
random
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(game):\n game.valid_moves = tuple(sorted(game.valid_moves, key=lambda _: rand.\n random()))\n", "role": "user" }, { "content": "random", "role": "assistant" } ]
def x(game): game.valid_moves = tuple(sorted(game.valid_moves, key=lambda m: -(m[0]. first + m[0].second)))
bota_gorda
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(game):\n game.valid_moves = tuple(sorted(game.valid_moves, key=lambda m: -(m[0].\n first + m[0].second)))\n", "role": "user" }, { "content": "bota_gorda", "role": "assistant" } ]
def x(game, player=dominoes.players.identity): if game.result is not None: return player(game) for move in game.valid_moves[:-1]: new_game = copy.deepcopy(game) new_game.make_move(*move) yield move, new_game move = game.valid_moves[-1] game.make_move(*move) yield move, game
make_moves
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(game, player=dominoes.players.identity):\n if game.result is not None:\n return\n player(game)\n for move in game.valid_moves[:-1]:\n new_game = copy.deepcopy(game)\n new_game.make_move(*move)\n yield move, new_game\n move = game.valid_moves[-1]\n game.make_move(*move)\n yield move, game\n", "role": "user" }, { "content": "make_moves", "role": "assistant" } ]
def x(game, alpha_beta=(-float('inf'), float('inf')), player=dominoes. players.identity): if game.result is not None: return [], game.result.points if game.turn % 2: best_value = float('inf') op = operator.lt update = lambda ab, v: (ab[0], min(ab[1], v)) else: best_value = -float('inf') op = operator.gt update = lambda ab, v: (max(ab[0], v), ab[1]) for move, new_game in make_moves(game, player): moves, value = alphabeta(new_game, alpha_beta, player) if op(value, best_value): best_value = value best_moves = moves best_moves.insert(0, move) alpha_beta = update(alpha_beta, best_value) if alpha_beta[1] <= alpha_beta[0]: break return best_moves, best_value
alphabeta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(game, alpha_beta=(-float('inf'), float('inf')), player=dominoes.\n players.identity):\n if game.result is not None:\n return [], game.result.points\n if game.turn % 2:\n best_value = float('inf')\n op = operator.lt\n update = lambda ab, v: (ab[0], min(ab[1], v))\n else:\n best_value = -float('inf')\n op = operator.gt\n update = lambda ab, v: (max(ab[0], v), ab[1])\n for move, new_game in make_moves(game, player):\n moves, value = alphabeta(new_game, alpha_beta, player)\n if op(value, best_value):\n best_value = value\n best_moves = moves\n best_moves.insert(0, move)\n alpha_beta = update(alpha_beta, best_value)\n if alpha_beta[1] <= alpha_beta[0]:\n break\n return best_moves, best_value\n", "role": "user" }, { "content": "alphabeta", "role": "assistant" } ]
def x(self): if self.is_over(): raise dominoes.SeriesOverException( 'Cannot start a new game - series ended with a score of {} to {}' .format(*self.scores)) result = self.games[-1].result if result is None: raise dominoes.GameInProgressException( 'Cannot start a new game - the latest one has not finished!') if result.points >= 0: self.scores[0] += result.points else: self.scores[1] -= result.points if self.is_over(): return if result.won or pow(-1, result.player) * result.points > 0: starting_player = result.player elif not result.points: starting_player = self.games[-1].starting_player else: starting_player = dominoes.game.next_player(result.player) self.games.append(dominoes.Game.new(starting_player=starting_player)) return self.games[-1]
next_game
[ { "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.is_over():\n raise dominoes.SeriesOverException(\n 'Cannot start a new game - series ended with a score of {} to {}'\n .format(*self.scores))\n result = self.games[-1].result\n if result is None:\n raise dominoes.GameInProgressException(\n 'Cannot start a new game - the latest one has not finished!')\n if result.points >= 0:\n self.scores[0] += result.points\n else:\n self.scores[1] -= result.points\n if self.is_over():\n return\n if result.won or pow(-1, result.player) * result.points > 0:\n starting_player = result.player\n elif not result.points:\n starting_player = self.games[-1].starting_player\n else:\n starting_player = dominoes.game.next_player(result.player)\n self.games.append(dominoes.Game.new(starting_player=starting_player))\n return self.games[-1]\n", "role": "user" }, { "content": "next_game", "role": "assistant" } ]
def x(cls, board): if len(board): left = board.left_end() right = board.right_end() else: left = None right = None return cls(left, right, len(board))
from_board
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, board):\n if len(board):\n left = board.left_end()\n right = board.right_end()\n else:\n left = None\n right = None\n return cls(left, right, len(board))\n", "role": "user" }, { "content": "from_board", "role": "assistant" } ]
def x(self, d): if not self: self._left = d.first self._right = d.second elif d.second == self.left_end(): self._left = d.first elif d.first == self.left_end(): self._left = d.second else: raise dominoes.EndsMismatchException( '{} cannot be added to the left of the board - values do not match!' .format(d)) self._length += 1
add_left
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n if not self:\n self._left = d.first\n self._right = d.second\n elif d.second == self.left_end():\n self._left = d.first\n elif d.first == self.left_end():\n self._left = d.second\n else:\n raise dominoes.EndsMismatchException(\n '{} cannot be added to the left of the board - values do not match!'\n .format(d))\n self._length += 1\n", "role": "user" }, { "content": "add_left", "role": "assistant" } ]
def x(self, d): if not self: self._left = d.first self._right = d.second elif d.first == self.right_end(): self._right = d.second elif d.second == self.right_end(): self._right = d.first else: raise dominoes.EndsMismatchException( '{} cannot be added to the right of the board - values do not match!' .format(d)) self._length += 1
add_right
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n if not self:\n self._left = d.first\n self._right = d.second\n elif d.first == self.right_end():\n self._right = d.second\n elif d.second == self.right_end():\n self._right = d.first\n else:\n raise dominoes.EndsMismatchException(\n '{} cannot be added to the right of the board - values do not match!'\n .format(d))\n self._length += 1\n", "role": "user" }, { "content": "add_right", "role": "assistant" } ]
def x(self, d, left): if left: self._add_left(d) else: self._add_right(d)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d, left):\n if left:\n self._add_left(d)\n else:\n self._add_right(d)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, d): if not self: self.board.append(d) elif d.first == self.left_end(): self.board.appendleft(d.inverted()) elif d.second == self.left_end(): self.board.appendleft(d) else: raise dominoes.EndsMismatchException( '{} cannot be added to the left of the board - values do not match!' .format(d))
add_left
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n if not self:\n self.board.append(d)\n elif d.first == self.left_end():\n self.board.appendleft(d.inverted())\n elif d.second == self.left_end():\n self.board.appendleft(d)\n else:\n raise dominoes.EndsMismatchException(\n '{} cannot be added to the left of the board - values do not match!'\n .format(d))\n", "role": "user" }, { "content": "add_left", "role": "assistant" } ]
def x(self, d): if not self: self.board.append(d) elif d.first == self.right_end(): self.board.append(d) elif d.second == self.right_end(): self.board.append(d.inverted()) else: raise dominoes.EndsMismatchException( '{} cannot be added to the right of the board - values do not match!' .format(d))
add_right
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n if not self:\n self.board.append(d)\n elif d.first == self.right_end():\n self.board.append(d)\n elif d.second == self.right_end():\n self.board.append(d.inverted())\n else:\n raise dominoes.EndsMismatchException(\n '{} cannot be added to the right of the board - values do not match!'\n .format(d))\n", "role": "user" }, { "content": "add_right", "role": "assistant" } ]
def x(self, d): try: i = self._dominoes.index(d) except ValueError: raise dominoes.NoSuchDominoException( 'Cannot make move - {} is not in hand!'.format(d)) self._dominoes.pop(i) return i
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d):\n try:\n i = self._dominoes.index(d)\n except ValueError:\n raise dominoes.NoSuchDominoException(\n 'Cannot make move - {} is not in hand!'.format(d))\n self._dominoes.pop(i)\n return i\n", "role": "user" }, { "content": "play", "role": "assistant" } ]
def x(self, d, i=None): if i is None: self._dominoes.append(d) else: self._dominoes.insert(i, d)
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, d, i=None):\n if i is None:\n self._dominoes.append(d)\n else:\n self._dominoes.insert(i, d)\n", "role": "user" }, { "content": "draw", "role": "assistant" } ]
def x(exec_name): if 'PATH' not in os.environ: return for p in os.environ['PATH'].split(':'): pp = '%s/%s' % (p, exec_name) if os.path.exists(pp): yield pp
find_exec_in_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exec_name):\n if 'PATH' not in os.environ:\n return\n for p in os.environ['PATH'].split(':'):\n pp = '%s/%s' % (p, exec_name)\n if os.path.exists(pp):\n yield pp\n", "role": "user" }, { "content": "find_exec_in_path", "role": "assistant" } ]
def x(pkg_config_args, *packages): if not isinstance(pkg_config_args, (tuple, list)): pkg_config_args = [pkg_config_args] for pp in find_exec_in_path('pkg-config'): try: cmd = [pp] + list(pkg_config_args) + list(packages) out = check_output(cmd, stderr=open(os.devnull, 'wb')) return out.strip().decode('utf8').split() except CalledProcessError: pass return None
get_pkg_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkg_config_args, *packages):\n if not isinstance(pkg_config_args, (tuple, list)):\n pkg_config_args = [pkg_config_args]\n for pp in find_exec_in_path('pkg-config'):\n try:\n cmd = [pp] + list(pkg_config_args) + list(packages)\n out = check_output(cmd, stderr=open(os.devnull, 'wb'))\n return out.strip().decode('utf8').split()\n except CalledProcessError:\n pass\n return None\n", "role": "user" }, { "content": "get_pkg_config", "role": "assistant" } ]
def x(*packages, **kw): kw = kw.copy() flag_map = {'-I': 'include_dirs', '-L': 'library_dirs', '-l': 'libraries'} for token in check_output(['pkg-config', '--libs', '--cflags'] + list( packages)).split(): if token[:2] in flag_map: kw.setdefault(flag_map[token[:2]], []).append(token[2:]) else: kw.setdefault('extra_link_args', []).append(token) return kw
pkgconfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*packages, **kw):\n kw = kw.copy()\n flag_map = {'-I': 'include_dirs', '-L': 'library_dirs', '-l': 'libraries'}\n for token in check_output(['pkg-config', '--libs', '--cflags'] + list(\n packages)).split():\n if token[:2] in flag_map:\n kw.setdefault(flag_map[token[:2]], []).append(token[2:])\n else:\n kw.setdefault('extra_link_args', []).append(token)\n return kw\n", "role": "user" }, { "content": "pkgconfig", "role": "assistant" } ]
def x(src, dst, density=0.5): try: DST_DRIVER = get_ogr_driver(filepath=dst) except ValueError: raise with fiona.Env(): with fiona.open(src, mode='r') as source: SCHEMA = source.schema.copy() SCHEMA.update({'geometry': 'MultiLineString'}) with fiona.open(dst, mode='w', driver=DST_DRIVER.GetName(), schema=SCHEMA, crs=source.crs, encoding=source.encoding ) as destination: for record in source: geom = record.get('geometry') input_geom = shape(geom) if not is_valid_geometry(geometry=input_geom): continue attributes = record.get('properties') try: centerline_obj = Centerline(input_geom=input_geom, interpolation_dist=density, **attributes) except RuntimeError as err: logging.warning( 'ignoring record that could not be processed: %s', err) continue centerline_dict = {'geometry': mapping(centerline_obj), 'properties': {k: v for k, v in centerline_obj. __dict__.items() if k in attributes.keys()}} destination.write(centerline_dict) return None
create_centerlines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst, density=0.5):\n try:\n DST_DRIVER = get_ogr_driver(filepath=dst)\n except ValueError:\n raise\n with fiona.Env():\n with fiona.open(src, mode='r') as source:\n SCHEMA = source.schema.copy()\n SCHEMA.update({'geometry': 'MultiLineString'})\n with fiona.open(dst, mode='w', driver=DST_DRIVER.GetName(),\n schema=SCHEMA, crs=source.crs, encoding=source.encoding\n ) as destination:\n for record in source:\n geom = record.get('geometry')\n input_geom = shape(geom)\n if not is_valid_geometry(geometry=input_geom):\n continue\n attributes = record.get('properties')\n try:\n centerline_obj = Centerline(input_geom=input_geom,\n interpolation_dist=density, **attributes)\n except RuntimeError as err:\n logging.warning(\n 'ignoring record that could not be processed: %s',\n err)\n continue\n centerline_dict = {'geometry': mapping(centerline_obj),\n 'properties': {k: v for k, v in centerline_obj.\n __dict__.items() if k in attributes.keys()}}\n destination.write(centerline_dict)\n return None\n", "role": "user" }, { "content": "create_centerlines", "role": "assistant" } ]
def x(self): border = array(self.__densify_border()) vor = Voronoi(border) vertex = vor.vertices lst_lines = [] for j, ridge in enumerate(vor.ridge_vertices): if -1 not in ridge: line = LineString([(vertex[ridge[0]][0] + self._minx, vertex[ ridge[0]][1] + self._miny), (vertex[ridge[1]][0] + self. _minx, vertex[ridge[1]][1] + self._miny)]) if line.within(self._input_geom) and len(line.coords[0]) > 1: lst_lines.append(line) nr_lines = len(lst_lines) if nr_lines < 2: raise RuntimeError( 'Number of produced ridges is too small: {}, this might be caused by too large interpolation distance.' .format(nr_lines)) return unary_union(lst_lines)
create_centerline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n border = array(self.__densify_border())\n vor = Voronoi(border)\n vertex = vor.vertices\n lst_lines = []\n for j, ridge in enumerate(vor.ridge_vertices):\n if -1 not in ridge:\n line = LineString([(vertex[ridge[0]][0] + self._minx, vertex[\n ridge[0]][1] + self._miny), (vertex[ridge[1]][0] + self.\n _minx, vertex[ridge[1]][1] + self._miny)])\n if line.within(self._input_geom) and len(line.coords[0]) > 1:\n lst_lines.append(line)\n nr_lines = len(lst_lines)\n if nr_lines < 2:\n raise RuntimeError(\n 'Number of produced ridges is too small: {}, this might be caused by too large interpolation distance.'\n .format(nr_lines))\n return unary_union(lst_lines)\n", "role": "user" }, { "content": "create_centerline", "role": "assistant" } ]
def x(self): if isinstance(self._input_geom, MultiPolygon): polygons = [polygon for polygon in self._input_geom] else: polygons = [self._input_geom] points = [] for polygon in polygons: if len(polygon.interiors) == 0: exterior = LineString(polygon.exterior) points += self.__fixed_interpolation(exterior) else: exterior = LineString(polygon.exterior) points += self.__fixed_interpolation(exterior) for j in range(len(polygon.interiors)): interior = LineString(polygon.interiors[j]) points += self.__fixed_interpolation(interior) return points
densify_border
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if isinstance(self._input_geom, MultiPolygon):\n polygons = [polygon for polygon in self._input_geom]\n else:\n polygons = [self._input_geom]\n points = []\n for polygon in polygons:\n if len(polygon.interiors) == 0:\n exterior = LineString(polygon.exterior)\n points += self.__fixed_interpolation(exterior)\n else:\n exterior = LineString(polygon.exterior)\n points += self.__fixed_interpolation(exterior)\n for j in range(len(polygon.interiors)):\n interior = LineString(polygon.interiors[j])\n points += self.__fixed_interpolation(interior)\n return points\n", "role": "user" }, { "content": "densify_border", "role": "assistant" } ]
def x(self, line): STARTPOINT = [line.xy[0][0] - self._minx, line.xy[1][0] - self._miny] ENDPOINT = [line.xy[0][-1] - self._minx, line.xy[1][-1] - self._miny] count = self._interpolation_dist newline = [STARTPOINT] while count < line.length: point = line.interpolate(count) newline.append([point.x - self._minx, point.y - self._miny]) count += self._interpolation_dist newline.append(ENDPOINT) return newline
fixed_interpolation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n STARTPOINT = [line.xy[0][0] - self._minx, line.xy[1][0] - self._miny]\n ENDPOINT = [line.xy[0][-1] - self._minx, line.xy[1][-1] - self._miny]\n count = self._interpolation_dist\n newline = [STARTPOINT]\n while count < line.length:\n point = line.interpolate(count)\n newline.append([point.x - self._minx, point.y - self._miny])\n count += self._interpolation_dist\n newline.append(ENDPOINT)\n return newline\n", "role": "user" }, { "content": "fixed_interpolation", "role": "assistant" } ]
def x(geometry): if isinstance(geometry, Polygon) or isinstance(geometry, MultiPolygon): return True else: return False
is_valid_geometry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(geometry):\n if isinstance(geometry, Polygon) or isinstance(geometry, MultiPolygon):\n return True\n else:\n return False\n", "role": "user" }, { "content": "is_valid_geometry", "role": "assistant" } ]
def x(filepath): filename, file_extension = os.path.splitext(filepath) EXTENSION = file_extension[1:] ogr_driver_count = ogr.GetDriverCount() for idx in range(ogr_driver_count): driver = ogr.GetDriver(idx) driver_extension = driver.GetMetadataItem(str('DMD_EXTENSION')) or '' driver_extensions = driver.GetMetadataItem(str('DMD_EXTENSIONS')) or '' if EXTENSION == driver_extension or EXTENSION in driver_extensions: return driver else: msg = 'No driver found for the following file extension: {}'.format( EXTENSION) raise ValueError(msg)
get_ogr_driver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath):\n filename, file_extension = os.path.splitext(filepath)\n EXTENSION = file_extension[1:]\n ogr_driver_count = ogr.GetDriverCount()\n for idx in range(ogr_driver_count):\n driver = ogr.GetDriver(idx)\n driver_extension = driver.GetMetadataItem(str('DMD_EXTENSION')) or ''\n driver_extensions = driver.GetMetadataItem(str('DMD_EXTENSIONS')) or ''\n if EXTENSION == driver_extension or EXTENSION in driver_extensions:\n return driver\n else:\n msg = 'No driver found for the following file extension: {}'.format(\n EXTENSION)\n raise ValueError(msg)\n", "role": "user" }, { "content": "get_ogr_driver", "role": "assistant" } ]
def x(entities, dimensions): new_dimensions = defaultdict(int) for item in dimensions: new = entities[item['base']].dimensions if new: for new_item in new: new_dimensions[new_item['base']] += new_item['power'] * item[ 'power'] else: new_dimensions[item['base']] += item['power'] final = [[{'base': i[0], 'power': i[1]} for i in new_dimensions.items()]] final.append(dimensions) final = [sorted(i, key=lambda x: x['base']) for i in final] candidates = [] for item in final: if item not in candidates: candidates.append(item) return candidates
get_dimension_permutations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(entities, dimensions):\n new_dimensions = defaultdict(int)\n for item in dimensions:\n new = entities[item['base']].dimensions\n if new:\n for new_item in new:\n new_dimensions[new_item['base']] += new_item['power'] * item[\n 'power']\n else:\n new_dimensions[item['base']] += item['power']\n final = [[{'base': i[0], 'power': i[1]} for i in new_dimensions.items()]]\n final.append(dimensions)\n final = [sorted(i, key=lambda x: x['base']) for i in final]\n candidates = []\n for item in final:\n if item not in candidates:\n candidates.append(item)\n return candidates\n", "role": "user" }, { "content": "get_dimension_permutations", "role": "assistant" } ]
def x(): path = os.path.join(TOPDIR, 'entities.json') entities = json.load(open(path)) names = [i['name'] for i in entities] try: assert len(set(names)) == len(entities) except AssertionError: raise Exception('Entities with same name: %s' % [i for i in names if names.count(i) > 1]) entities = dict((k['name'], c.Entity(name=k['name'], dimensions=k[ 'dimensions'], uri=k['URI'])) for k in entities) dimensions_ent = defaultdict(list) for ent in entities: if not entities[ent].dimensions: continue perms = get_dimension_permutations(entities, entities[ent].dimensions) for perm in perms: key = get_key_from_dimensions(perm) dimensions_ent[key].append(entities[ent]) return entities, dimensions_ent
load_entities
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n path = os.path.join(TOPDIR, 'entities.json')\n entities = json.load(open(path))\n names = [i['name'] for i in entities]\n try:\n assert len(set(names)) == len(entities)\n except AssertionError:\n raise Exception('Entities with same name: %s' % [i for i in names if\n names.count(i) > 1])\n entities = dict((k['name'], c.Entity(name=k['name'], dimensions=k[\n 'dimensions'], uri=k['URI'])) for k in entities)\n dimensions_ent = defaultdict(list)\n for ent in entities:\n if not entities[ent].dimensions:\n continue\n perms = get_dimension_permutations(entities, entities[ent].dimensions)\n for perm in perms:\n key = get_key_from_dimensions(perm)\n dimensions_ent[key].append(entities[ent])\n return entities, dimensions_ent\n", "role": "user" }, { "content": "load_entities", "role": "assistant" } ]
def x(names): dimensions_uni = {} for name in names: key = get_key_from_dimensions(names[name].dimensions) dimensions_uni[key] = names[name] plain_dimensions = [{'base': name, 'power': 1}] key = get_key_from_dimensions(plain_dimensions) dimensions_uni[key] = names[name] if not names[name].dimensions: names[name].dimensions = plain_dimensions names[name].dimensions = [{'base': names[i['base']].name, 'power': i['power']} for i in names[name].dimensions] return dimensions_uni
get_dimensions_units
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(names):\n dimensions_uni = {}\n for name in names:\n key = get_key_from_dimensions(names[name].dimensions)\n dimensions_uni[key] = names[name]\n plain_dimensions = [{'base': name, 'power': 1}]\n key = get_key_from_dimensions(plain_dimensions)\n dimensions_uni[key] = names[name]\n if not names[name].dimensions:\n names[name].dimensions = plain_dimensions\n names[name].dimensions = [{'base': names[i['base']].name, 'power':\n i['power']} for i in names[name].dimensions]\n return dimensions_uni\n", "role": "user" }, { "content": "get_dimensions_units", "role": "assistant" } ]
def x(): names = {} lowers = defaultdict(list) symbols = defaultdict(list) surfaces = defaultdict(list) for unit in json.load(open(os.path.join(TOPDIR, 'units.json'))): try: assert unit['name'] not in names except AssertionError: msg = 'Two units with same name in units.json: %s' % unit['name'] raise Exception(msg) obj = c.Unit(name=unit['name'], surfaces=unit['surfaces'], entity= ENTITIES[unit['entity']], uri=unit['URI'], symbols=unit[ 'symbols'], dimensions=unit['dimensions']) names[unit['name']] = obj for symbol in unit['symbols']: surfaces[symbol].append(obj) lowers[symbol.lower()].append(obj) if unit['entity'] == 'currency': symbols[symbol].append(obj) for surface in unit['surfaces']: surfaces[surface].append(obj) lowers[surface.lower()].append(obj) split = surface.split() index = None if ' per ' in surface: index = split.index('per') - 1 elif 'degree ' in surface: index = split.index('degree') if index is not None: plural = ' '.join([(i if num != index else PLURALS.plural( split[index])) for num, i in enumerate(split)]) else: plural = PLURALS.plural(surface) if plural != surface: surfaces[plural].append(obj) lowers[plural.lower()].append(obj) dimensions_uni = get_dimensions_units(names) return names, surfaces, lowers, symbols, dimensions_uni
load_units
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n names = {}\n lowers = defaultdict(list)\n symbols = defaultdict(list)\n surfaces = defaultdict(list)\n for unit in json.load(open(os.path.join(TOPDIR, 'units.json'))):\n try:\n assert unit['name'] not in names\n except AssertionError:\n msg = 'Two units with same name in units.json: %s' % unit['name']\n raise Exception(msg)\n obj = c.Unit(name=unit['name'], surfaces=unit['surfaces'], entity=\n ENTITIES[unit['entity']], uri=unit['URI'], symbols=unit[\n 'symbols'], dimensions=unit['dimensions'])\n names[unit['name']] = obj\n for symbol in unit['symbols']:\n surfaces[symbol].append(obj)\n lowers[symbol.lower()].append(obj)\n if unit['entity'] == 'currency':\n symbols[symbol].append(obj)\n for surface in unit['surfaces']:\n surfaces[surface].append(obj)\n lowers[surface.lower()].append(obj)\n split = surface.split()\n index = None\n if ' per ' in surface:\n index = split.index('per') - 1\n elif 'degree ' in surface:\n index = split.index('degree')\n if index is not None:\n plural = ' '.join([(i if num != index else PLURALS.plural(\n split[index])) for num, i in enumerate(split)])\n else:\n plural = PLURALS.plural(surface)\n if plural != surface:\n surfaces[plural].append(obj)\n lowers[plural.lower()].append(obj)\n dimensions_uni = get_dimensions_units(names)\n return names, surfaces, lowers, symbols, dimensions_uni\n", "role": "user" }, { "content": "load_units", "role": "assistant" } ]
def x(download=True, parameters=None, ngram_range=(1, 1)): if download: download_wiki() path = os.path.join(l.TOPDIR, 'train.json') training_set = json.load(open(path)) path = os.path.join(l.TOPDIR, 'wiki.json') wiki_set = json.load(open(path)) target_names = list(set([i['unit'] for i in training_set + wiki_set])) train_data, train_target = [], [] for example in (training_set + wiki_set): train_data.append(clean_text(example['text'])) train_target.append(target_names.index(example['unit'])) tfidf_model = TfidfVectorizer(sublinear_tf=True, ngram_range= ngram_range, stop_words='english') matrix = tfidf_model.fit_transform(train_data) if parameters is None: parameters = {'loss': 'log', 'penalty': 'l2', 'n_iter': 50, 'alpha': 1e-05, 'fit_intercept': True} clf = SGDClassifier(**parameters).fit(matrix, train_target) obj = {'tfidf_model': tfidf_model, 'clf': clf, 'target_names': target_names } path = os.path.join(l.TOPDIR, 'clf.pickle') pickle.dump(obj, open(path, 'w'))
train_classifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(download=True, parameters=None, ngram_range=(1, 1)):\n if download:\n download_wiki()\n path = os.path.join(l.TOPDIR, 'train.json')\n training_set = json.load(open(path))\n path = os.path.join(l.TOPDIR, 'wiki.json')\n wiki_set = json.load(open(path))\n target_names = list(set([i['unit'] for i in training_set + wiki_set]))\n train_data, train_target = [], []\n for example in (training_set + wiki_set):\n train_data.append(clean_text(example['text']))\n train_target.append(target_names.index(example['unit']))\n tfidf_model = TfidfVectorizer(sublinear_tf=True, ngram_range=\n ngram_range, stop_words='english')\n matrix = tfidf_model.fit_transform(train_data)\n if parameters is None:\n parameters = {'loss': 'log', 'penalty': 'l2', 'n_iter': 50, 'alpha':\n 1e-05, 'fit_intercept': True}\n clf = SGDClassifier(**parameters).fit(matrix, train_target)\n obj = {'tfidf_model': tfidf_model, 'clf': clf, 'target_names': target_names\n }\n path = os.path.join(l.TOPDIR, 'clf.pickle')\n pickle.dump(obj, open(path, 'w'))\n", "role": "user" }, { "content": "train_classifier", "role": "assistant" } ]
def x(): path = os.path.join(l.TOPDIR, 'clf.pickle') obj = pickle.load(open(path, 'r')) return obj['tfidf_model'], obj['clf'], obj['target_names']
load_classifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n path = os.path.join(l.TOPDIR, 'clf.pickle')\n obj = pickle.load(open(path, 'r'))\n return obj['tfidf_model'], obj['clf'], obj['target_names']\n", "role": "user" }, { "content": "load_classifier", "role": "assistant" } ]
def x(key, text): new_ent = l.DERIVED_ENT[key][0] if len(l.DERIVED_ENT[key]) > 1: transformed = TFIDF_MODEL.transform([text]) scores = CLF.predict_proba(transformed).tolist()[0] scores = sorted(zip(scores, TARGET_NAMES), key=lambda x: x[0], reverse=True) names = [i.name for i in l.DERIVED_ENT[key]] scores = [i for i in scores if i[1] in names] try: new_ent = l.ENTITIES[scores[0][1]] except IndexError: logging.debug('\tAmbiguity not resolved for "%s"', str(key)) return new_ent
disambiguate_entity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, text):\n new_ent = l.DERIVED_ENT[key][0]\n if len(l.DERIVED_ENT[key]) > 1:\n transformed = TFIDF_MODEL.transform([text])\n scores = CLF.predict_proba(transformed).tolist()[0]\n scores = sorted(zip(scores, TARGET_NAMES), key=lambda x: x[0],\n reverse=True)\n names = [i.name for i in l.DERIVED_ENT[key]]\n scores = [i for i in scores if i[1] in names]\n try:\n new_ent = l.ENTITIES[scores[0][1]]\n except IndexError:\n logging.debug('\\tAmbiguity not resolved for \"%s\"', str(key))\n return new_ent\n", "role": "user" }, { "content": "disambiguate_entity", "role": "assistant" } ]
def x(unit, text): new_unit = l.UNITS[unit] if not new_unit: new_unit = l.LOWER_UNITS[unit.lower()] if not new_unit: raise KeyError('Could not find unit "%s"' % unit) if len(new_unit) > 1: transformed = TFIDF_MODEL.transform([clean_text(text)]) scores = CLF.predict_proba(transformed).tolist()[0] scores = sorted(zip(scores, TARGET_NAMES), key=lambda x: x[0], reverse=True) names = [i.name for i in new_unit] scores = [i for i in scores if i[1] in names] try: final = l.UNITS[scores[0][1]][0] logging.debug('\tAmbiguity resolved for "%s" (%s)', unit, scores) except IndexError: logging.debug('\tAmbiguity not resolved for "%s"', unit) final = new_unit[0] else: final = new_unit[0] return final
disambiguate_unit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unit, text):\n new_unit = l.UNITS[unit]\n if not new_unit:\n new_unit = l.LOWER_UNITS[unit.lower()]\n if not new_unit:\n raise KeyError('Could not find unit \"%s\"' % unit)\n if len(new_unit) > 1:\n transformed = TFIDF_MODEL.transform([clean_text(text)])\n scores = CLF.predict_proba(transformed).tolist()[0]\n scores = sorted(zip(scores, TARGET_NAMES), key=lambda x: x[0],\n reverse=True)\n names = [i.name for i in new_unit]\n scores = [i for i in scores if i[1] in names]\n try:\n final = l.UNITS[scores[0][1]][0]\n logging.debug('\\tAmbiguity resolved for \"%s\" (%s)', unit, scores)\n except IndexError:\n logging.debug('\\tAmbiguity not resolved for \"%s\"', unit)\n final = new_unit[0]\n else:\n final = new_unit[0]\n return final\n", "role": "user" }, { "content": "disambiguate_unit", "role": "assistant" } ]
def x(surface, span): surface = surface.replace('-', ' ') no_start = ['and', ' '] no_end = [' and', ' '] found = True while found: found = False for word in no_start: if surface.lower().startswith(word): surface = surface[len(word):] span = span[0] + len(word), span[1] found = True for word in no_end: if surface.lower().endswith(word): surface = surface[:-len(word)] span = span[0], span[1] - len(word) found = True if not surface: return None, None split = surface.lower().split() if split[0] in ['one', 'a', 'an'] and len(split) > 1 and split[1 ] in r.UNITS + r.TENS: span = span[0] + len(surface.split()[0]) + 1, span[1] surface = ' '.join(surface.split()[1:]) return surface, span
clean_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface, span):\n surface = surface.replace('-', ' ')\n no_start = ['and', ' ']\n no_end = [' and', ' ']\n found = True\n while found:\n found = False\n for word in no_start:\n if surface.lower().startswith(word):\n surface = surface[len(word):]\n span = span[0] + len(word), span[1]\n found = True\n for word in no_end:\n if surface.lower().endswith(word):\n surface = surface[:-len(word)]\n span = span[0], span[1] - len(word)\n found = True\n if not surface:\n return None, None\n split = surface.lower().split()\n if split[0] in ['one', 'a', 'an'] and len(split) > 1 and split[1\n ] in r.UNITS + r.TENS:\n span = span[0] + len(surface.split()[0]) + 1, span[1]\n surface = ' '.join(surface.split()[1:])\n return surface, span\n", "role": "user" }, { "content": "clean_surface", "role": "assistant" } ]
def x(text): values = [] for item in r.REG_TXT.finditer(text): surface, span = clean_surface(item.group(0), item.span()) if not surface or surface.lower() in r.SCALES: continue curr = result = 0.0 for word in surface.split(): try: scale, increment = 1, float(word.lower()) except ValueError: scale, increment = r.NUMWORDS[word.lower()] curr = curr * scale + increment if scale > 100: result += curr curr = 0.0 values.append({'old_surface': surface, 'old_span': span, 'new_surface': unicode(result + curr)}) for item in re.finditer('\\d+(,\\d{3})+', text): values.append({'old_surface': item.group(0), 'old_span': item.span( ), 'new_surface': unicode(item.group(0).replace(',', ''))}) return sorted(values, key=lambda x: x['old_span'][0])
extract_spellout_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n values = []\n for item in r.REG_TXT.finditer(text):\n surface, span = clean_surface(item.group(0), item.span())\n if not surface or surface.lower() in r.SCALES:\n continue\n curr = result = 0.0\n for word in surface.split():\n try:\n scale, increment = 1, float(word.lower())\n except ValueError:\n scale, increment = r.NUMWORDS[word.lower()]\n curr = curr * scale + increment\n if scale > 100:\n result += curr\n curr = 0.0\n values.append({'old_surface': surface, 'old_span': span,\n 'new_surface': unicode(result + curr)})\n for item in re.finditer('\\\\d+(,\\\\d{3})+', text):\n values.append({'old_surface': item.group(0), 'old_span': item.span(\n ), 'new_surface': unicode(item.group(0).replace(',', ''))})\n return sorted(values, key=lambda x: x['old_span'][0])\n", "role": "user" }, { "content": "extract_spellout_values", "role": "assistant" } ]
def x(text, values): shift, final_text, shifts = 0, text, defaultdict(int) for value in values: first = value['old_span'][0] + shift second = value['old_span'][1] + shift new_s = value['new_surface'] final_text = final_text[0:first] + new_s + final_text[second:] shift += len(new_s) - len(value['old_surface']) for char in range(first + 1, len(final_text)): shifts[char] = shift logging.debug(u'Text after numeric conversion: "%s"', final_text) return final_text, shifts
substitute_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, values):\n shift, final_text, shifts = 0, text, defaultdict(int)\n for value in values:\n first = value['old_span'][0] + shift\n second = value['old_span'][1] + shift\n new_s = value['new_surface']\n final_text = final_text[0:first] + new_s + final_text[second:]\n shift += len(new_s) - len(value['old_surface'])\n for char in range(first + 1, len(final_text)):\n shifts[char] = shift\n logging.debug(u'Text after numeric conversion: \"%s\"', final_text)\n return final_text, shifts\n", "role": "user" }, { "content": "substitute_values", "role": "assistant" } ]
def x(dimensions): name = '' for unit in dimensions: if unit['power'] < 0: name += 'per ' power = abs(unit['power']) if power == 1: name += unit['base'] elif power == 2: name += 'square ' + unit['base'] elif power == 3: name += 'cubic ' + unit['base'] elif power > 3: name += unit['base'] + ' to the %g' % power name += ' ' name = name.strip() logging.debug(u'\tUnit inferred name: %s', name) return name
build_unit_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dimensions):\n name = ''\n for unit in dimensions:\n if unit['power'] < 0:\n name += 'per '\n power = abs(unit['power'])\n if power == 1:\n name += unit['base']\n elif power == 2:\n name += 'square ' + unit['base']\n elif power == 3:\n name += 'cubic ' + unit['base']\n elif power > 3:\n name += unit['base'] + ' to the %g' % power\n name += ' '\n name = name.strip()\n logging.debug(u'\\tUnit inferred name: %s', name)\n return name\n", "role": "user" }, { "content": "build_unit_name", "role": "assistant" } ]
def x(dimensions, text): key = l.get_key_from_dimensions(dimensions) try: unit = l.DERIVED_UNI[key] except KeyError: logging.debug(u'\tCould not find unit for: %s', key) unit = c.Unit(name=build_unit_name(dimensions), dimensions= dimensions, entity=get_entity_from_dimensions(dimensions, text)) return unit
get_unit_from_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dimensions, text):\n key = l.get_key_from_dimensions(dimensions)\n try:\n unit = l.DERIVED_UNI[key]\n except KeyError:\n logging.debug(u'\\tCould not find unit for: %s', key)\n unit = c.Unit(name=build_unit_name(dimensions), dimensions=\n dimensions, entity=get_entity_from_dimensions(dimensions, text))\n return unit\n", "role": "user" }, { "content": "get_unit_from_dimensions", "role": "assistant" } ]
def x(dimensions, text): new_dimensions = [{'base': l.NAMES[i['base']].entity.name, 'power': i[ 'power']} for i in dimensions] final_dimensions = sorted(new_dimensions, key=lambda x: x['base']) key = l.get_key_from_dimensions(final_dimensions) try: if clf.USE_CLF: ent = clf.disambiguate_entity(key, text) else: ent = l.DERIVED_ENT[key][0] except IndexError: logging.debug(u'\tCould not find entity for: %s', key) ent = c.Entity(name='unknown', dimensions=new_dimensions) return ent
get_entity_from_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dimensions, text):\n new_dimensions = [{'base': l.NAMES[i['base']].entity.name, 'power': i[\n 'power']} for i in dimensions]\n final_dimensions = sorted(new_dimensions, key=lambda x: x['base'])\n key = l.get_key_from_dimensions(final_dimensions)\n try:\n if clf.USE_CLF:\n ent = clf.disambiguate_entity(key, text)\n else:\n ent = l.DERIVED_ENT[key][0]\n except IndexError:\n logging.debug(u'\\tCould not find entity for: %s', key)\n ent = c.Entity(name='unknown', dimensions=new_dimensions)\n return ent\n", "role": "user" }, { "content": "get_entity_from_dimensions", "role": "assistant" } ]
def x(item, group, slash): surface = item.group(group).replace('.', '') power = re.findall('\\-?[0-9%s]+' % r.SUPERSCRIPTS, surface) if power: power = [(r.UNI_SUPER[i] if i in r.UNI_SUPER else i) for i in power] power = ''.join(power) new_power = -1 * int(power) if slash else int(power) surface = re.sub('\\^?\\-?[0-9%s]+' % r.SUPERSCRIPTS, '', surface) elif re.findall('\\bcubed\\b', surface): new_power = -3 if slash else 3 surface = re.sub('\\bcubed\\b', '', surface).strip() elif re.findall('\\bsquared\\b', surface): new_power = -2 if slash else 2 surface = re.sub('\\bsquared\\b', '', surface).strip() else: new_power = -1 if slash else 1 return surface, new_power
parse_unit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item, group, slash):\n surface = item.group(group).replace('.', '')\n power = re.findall('\\\\-?[0-9%s]+' % r.SUPERSCRIPTS, surface)\n if power:\n power = [(r.UNI_SUPER[i] if i in r.UNI_SUPER else i) for i in power]\n power = ''.join(power)\n new_power = -1 * int(power) if slash else int(power)\n surface = re.sub('\\\\^?\\\\-?[0-9%s]+' % r.SUPERSCRIPTS, '', surface)\n elif re.findall('\\\\bcubed\\\\b', surface):\n new_power = -3 if slash else 3\n surface = re.sub('\\\\bcubed\\\\b', '', surface).strip()\n elif re.findall('\\\\bsquared\\\\b', surface):\n new_power = -2 if slash else 2\n surface = re.sub('\\\\bsquared\\\\b', '', surface).strip()\n else:\n new_power = -1 if slash else 1\n return surface, new_power\n", "role": "user" }, { "content": "parse_unit", "role": "assistant" } ]
def x(item, text): group_units = [1, 4, 6, 8, 10] group_operators = [3, 5, 7, 9] item_units = [item.group(i) for i in group_units if item.group(i)] if len(item_units) == 0: unit = l.NAMES['dimensionless'] else: dimensions, slash = [], False for group in sorted(group_units + group_operators): if not item.group(group): continue if group in group_units: surface, power = parse_unit(item, group, slash) if clf.USE_CLF: base = clf.disambiguate_unit(surface, text).name else: base = l.UNITS[surface][0].name dimensions += [{'base': base, 'power': power}] elif not slash: slash = any(i in item.group(group) for i in [u'/', u' per ']) unit = get_unit_from_dimensions(dimensions, text) logging.debug(u'\tUnit: %s', unit) logging.debug(u'\tEntity: %s', unit.entity) return unit
get_unit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item, text):\n group_units = [1, 4, 6, 8, 10]\n group_operators = [3, 5, 7, 9]\n item_units = [item.group(i) for i in group_units if item.group(i)]\n if len(item_units) == 0:\n unit = l.NAMES['dimensionless']\n else:\n dimensions, slash = [], False\n for group in sorted(group_units + group_operators):\n if not item.group(group):\n continue\n if group in group_units:\n surface, power = parse_unit(item, group, slash)\n if clf.USE_CLF:\n base = clf.disambiguate_unit(surface, text).name\n else:\n base = l.UNITS[surface][0].name\n dimensions += [{'base': base, 'power': power}]\n elif not slash:\n slash = any(i in item.group(group) for i in [u'/', u' per '])\n unit = get_unit_from_dimensions(dimensions, text)\n logging.debug(u'\\tUnit: %s', unit)\n logging.debug(u'\\tEntity: %s', unit.entity)\n return unit\n", "role": "user" }, { "content": "get_unit", "role": "assistant" } ]
def x(shifts, orig_text, item, text): span = item.span() logging.debug(u'\tInitial span: %s ("%s")', span, text[span[0]:span[1]]) real_span = span[0] - shifts[span[0]], span[1] - shifts[span[1] - 1] surface = orig_text[real_span[0]:real_span[1]] logging.debug(u'\tShifted span: %s ("%s")', real_span, surface) while any(surface.endswith(i) for i in [' ', '-']): surface = surface[:-1] real_span = real_span[0], real_span[1] - 1 while surface.startswith(' '): surface = surface[1:] real_span = real_span[0] + 1, real_span[1] logging.debug(u'\tFinal span: %s ("%s")', real_span, surface) return surface, real_span
get_surface
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(shifts, orig_text, item, text):\n span = item.span()\n logging.debug(u'\\tInitial span: %s (\"%s\")', span, text[span[0]:span[1]])\n real_span = span[0] - shifts[span[0]], span[1] - shifts[span[1] - 1]\n surface = orig_text[real_span[0]:real_span[1]]\n logging.debug(u'\\tShifted span: %s (\"%s\")', real_span, surface)\n while any(surface.endswith(i) for i in [' ', '-']):\n surface = surface[:-1]\n real_span = real_span[0], real_span[1] - 1\n while surface.startswith(' '):\n surface = surface[1:]\n real_span = real_span[0] + 1, real_span[1]\n logging.debug(u'\\tFinal span: %s (\"%s\")', real_span, surface)\n return surface, real_span\n", "role": "user" }, { "content": "get_surface", "role": "assistant" } ]
def x(orig_text, span): res = False cursor = re.finditer('("|\\\')[^ .,:;?!()*+-].*?("|\\\')', orig_text) for item in cursor: if item.span()[1] == span[1]: res = True return res
is_quote_artifact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(orig_text, span):\n res = False\n cursor = re.finditer('(\"|\\\\\\')[^ .,:;?!()*+-].*?(\"|\\\\\\')', orig_text)\n for item in cursor:\n if item.span()[1] == span[1]:\n res = True\n return res\n", "role": "user" }, { "content": "is_quote_artifact", "role": "assistant" } ]
def x(orig_text, text, item, values, unit, surface, span, uncert): if surface.lower() in ['a', 'an', 'one'] or re.search( '1st|2nd|3rd|[04-9]th', surface) or re.search('\\d+[A-Z]+\\d+', surface ) or re.search('\\ba second\\b', surface, re.IGNORECASE): logging.debug(u'\tMeaningless quantity ("%s"), discard', surface) return elif unit.entity.dimensions and unit.entity.dimensions[0]['base' ] == 'currency': if len(unit.dimensions) > 1: try: suffix = re.findall('\\d(K|M|B|T)\\b(.*?)$', surface)[0] values = [(i * r.SUFFIXES[suffix[0]]) for i in values] unit = l.UNITS[unit.dimensions[0]['base']][0] if suffix[1]: surface = surface[:surface.find(suffix[1])] span = span[0], span[1] - len(suffix[1]) logging.debug(u'\tCorrect for "$3T" pattern') except IndexError: pass else: try: suffix = re.findall('%s(K|M|B|T)\\b' % re.escape(surface), orig_text)[0] surface += suffix span = span[0], span[1] + 1 values = [(i * r.SUFFIXES[suffix]) for i in values] logging.debug(u'\tCorrect for "$3T" pattern') except IndexError: pass elif re.match('[1-2]\\d\\d0s', surface): unit = l.NAMES['dimensionless'] surface = surface[:-1] span = span[0], span[1] - 1 logging.debug(u'\tCorrect for decade pattern') elif unit.dimensions[-1]['base'] == 'inch' and re.search(' in$', surface ) and '/' not in surface: if len(unit.dimensions) > 1: unit = get_unit_from_dimensions(unit.dimensions[:-1], orig_text) else: unit = l.NAMES['dimensionless'] surface = surface[:-3] span = span[0], span[1] - 3 logging.debug(u'\tCorrect for "in" pattern') elif is_quote_artifact(text, item.span()): if len(unit.dimensions) > 1: unit = get_unit_from_dimensions(unit.dimensions[:-1], orig_text) else: unit = l.NAMES['dimensionless'] surface = surface[:-1] span = span[0], span[1] - 1 logging.debug(u'\tCorrect for quotes') elif re.search(' time$', surface) and len(unit.dimensions ) > 1 and unit.dimensions[-1]['base'] == 'count': unit = get_unit_from_dimensions(unit.dimensions[:-1], orig_text) surface = surface[:-5] span = span[0], span[1] - 5 logging.debug(u'\tCorrect for "time"') objs = [] for value in values: obj = c.Quantity(value=value, unit=unit, surface=surface, span=span, uncertainty=uncert) objs.append(obj) return objs
build_quantity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(orig_text, text, item, values, unit, surface, span, uncert):\n if surface.lower() in ['a', 'an', 'one'] or re.search(\n '1st|2nd|3rd|[04-9]th', surface) or re.search('\\\\d+[A-Z]+\\\\d+', surface\n ) or re.search('\\\\ba second\\\\b', surface, re.IGNORECASE):\n logging.debug(u'\\tMeaningless quantity (\"%s\"), discard', surface)\n return\n elif unit.entity.dimensions and unit.entity.dimensions[0]['base'\n ] == 'currency':\n if len(unit.dimensions) > 1:\n try:\n suffix = re.findall('\\\\d(K|M|B|T)\\\\b(.*?)$', surface)[0]\n values = [(i * r.SUFFIXES[suffix[0]]) for i in values]\n unit = l.UNITS[unit.dimensions[0]['base']][0]\n if suffix[1]:\n surface = surface[:surface.find(suffix[1])]\n span = span[0], span[1] - len(suffix[1])\n logging.debug(u'\\tCorrect for \"$3T\" pattern')\n except IndexError:\n pass\n else:\n try:\n suffix = re.findall('%s(K|M|B|T)\\\\b' % re.escape(surface),\n orig_text)[0]\n surface += suffix\n span = span[0], span[1] + 1\n values = [(i * r.SUFFIXES[suffix]) for i in values]\n logging.debug(u'\\tCorrect for \"$3T\" pattern')\n except IndexError:\n pass\n elif re.match('[1-2]\\\\d\\\\d0s', surface):\n unit = l.NAMES['dimensionless']\n surface = surface[:-1]\n span = span[0], span[1] - 1\n logging.debug(u'\\tCorrect for decade pattern')\n elif unit.dimensions[-1]['base'] == 'inch' and re.search(' in$', surface\n ) and '/' not in surface:\n if len(unit.dimensions) > 1:\n unit = get_unit_from_dimensions(unit.dimensions[:-1], orig_text)\n else:\n unit = l.NAMES['dimensionless']\n surface = surface[:-3]\n span = span[0], span[1] - 3\n logging.debug(u'\\tCorrect for \"in\" pattern')\n elif is_quote_artifact(text, item.span()):\n if len(unit.dimensions) > 1:\n unit = get_unit_from_dimensions(unit.dimensions[:-1], orig_text)\n else:\n unit = l.NAMES['dimensionless']\n surface = surface[:-1]\n span = span[0], span[1] - 1\n logging.debug(u'\\tCorrect for quotes')\n elif re.search(' time$', surface) and len(unit.dimensions\n ) > 1 and unit.dimensions[-1]['base'] == 'count':\n unit = get_unit_from_dimensions(unit.dimensions[:-1], orig_text)\n surface = surface[:-5]\n span = span[0], span[1] - 5\n logging.debug(u'\\tCorrect for \"time\"')\n objs = []\n for value in values:\n obj = c.Quantity(value=value, unit=unit, surface=surface, span=span,\n uncertainty=uncert)\n objs.append(obj)\n return objs\n", "role": "user" }, { "content": "build_quantity", "role": "assistant" } ]
def x(text): maps = {u'×': u'x', u'–': u'-', u'−': '-'} for element in maps: text = text.replace(element, maps[element]) text = re.sub("(?<=\\w)\\'s\\b|(?<=\\w)s\\'(?!\\w)", ' ', text) logging.debug(u'Clean text: "%s"', text) return text
clean_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n maps = {u'×': u'x', u'–': u'-', u'−': '-'}\n for element in maps:\n text = text.replace(element, maps[element])\n text = re.sub(\"(?<=\\\\w)\\\\'s\\\\b|(?<=\\\\w)s\\\\'(?!\\\\w)\", ' ', text)\n logging.debug(u'Clean text: \"%s\"', text)\n return text\n", "role": "user" }, { "content": "clean_text", "role": "assistant" } ]
def x(text, verbose=False): log_format = '%(asctime)s --- %(message)s' logging.basicConfig(format=log_format) root = logging.getLogger() if verbose: level = root.level root.setLevel(logging.DEBUG) logging.debug(u'Verbose mode') if isinstance(text, str): text = text.decode('utf-8') logging.debug(u'Converted string to unicode (assume utf-8 encoding)') orig_text = text logging.debug(u'Original text: "%s"', orig_text) text = clean_text(text) values = extract_spellout_values(text) text, shifts = substitute_values(text, values) quantities = [] for item in r.REG_DIM.finditer(text): groups = dict([i for i in item.groupdict().items() if i[1] and i[1] .strip()]) logging.debug(u'Quantity found: %s', groups) try: uncert, values = get_values(item) except ValueError as err: logging.debug(u'Could not parse quantity: %s', err) unit = get_unit(item, text) surface, span = get_surface(shifts, orig_text, item, text) objs = build_quantity(orig_text, text, item, values, unit, surface, span, uncert) if objs is not None: quantities += objs if verbose: root.level = level return quantities
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, verbose=False):\n log_format = '%(asctime)s --- %(message)s'\n logging.basicConfig(format=log_format)\n root = logging.getLogger()\n if verbose:\n level = root.level\n root.setLevel(logging.DEBUG)\n logging.debug(u'Verbose mode')\n if isinstance(text, str):\n text = text.decode('utf-8')\n logging.debug(u'Converted string to unicode (assume utf-8 encoding)')\n orig_text = text\n logging.debug(u'Original text: \"%s\"', orig_text)\n text = clean_text(text)\n values = extract_spellout_values(text)\n text, shifts = substitute_values(text, values)\n quantities = []\n for item in r.REG_DIM.finditer(text):\n groups = dict([i for i in item.groupdict().items() if i[1] and i[1]\n .strip()])\n logging.debug(u'Quantity found: %s', groups)\n try:\n uncert, values = get_values(item)\n except ValueError as err:\n logging.debug(u'Could not parse quantity: %s', err)\n unit = get_unit(item, text)\n surface, span = get_surface(shifts, orig_text, item, text)\n objs = build_quantity(orig_text, text, item, values, unit, surface,\n span, uncert)\n if objs is not None:\n quantities += objs\n if verbose:\n root.level = level\n return quantities\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(text, verbose=False): if isinstance(text, str): text = text.decode('utf-8') parsed = parse(text, verbose=verbose) shift = 0 for quantity in parsed: index = quantity.span[1] + shift to_add = u' {' + unicode(quantity) + u'}' text = text[0:index] + to_add + text[index:] shift += len(to_add) return text
inline_parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, verbose=False):\n if isinstance(text, str):\n text = text.decode('utf-8')\n parsed = parse(text, verbose=verbose)\n shift = 0\n for quantity in parsed:\n index = quantity.span[1] + shift\n to_add = u' {' + unicode(quantity) + u'}'\n text = text[0:index] + to_add + text[index:]\n shift += len(to_add)\n return text\n", "role": "user" }, { "content": "inline_parse", "role": "assistant" } ]
def x(self): if self._login_data or self._login_token: def x(error, result): if error: if self._login_token: self._login_token = None self._login(self._login_data, callback= reconnect_login_callback) return else: raise MeteorClientException( 'Failed to re-authenticate during reconnect') self.connected = True self._resubscribe() if self._login_token: self._resume(self._login_token, callback=reconnect_login_callback) else: self._login(self._login_data, callback=reconnect_login_callback) else: self._resubscribe()
reconnected
[ { "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._login_data or self._login_token:\n\n def x(error, result):\n if error:\n if self._login_token:\n self._login_token = None\n self._login(self._login_data, callback=\n reconnect_login_callback)\n return\n else:\n raise MeteorClientException(\n 'Failed to re-authenticate during reconnect')\n self.connected = True\n self._resubscribe()\n if self._login_token:\n self._resume(self._login_token, callback=reconnect_login_callback)\n else:\n self._login(self._login_data, callback=reconnect_login_callback)\n else:\n self._resubscribe()\n", "role": "user" }, { "content": "reconnected", "role": "assistant" } ]
def x(self, user, password, token=None, callback=None): hashed = hashlib.sha256(password).hexdigest() if '@' in user: user_object = {'email': user} else: user_object = {'username': user} password_object = {'algorithm': 'sha-256', 'digest': hashed} self._login_token = token self._login_data = {'user': user_object, 'password': password_object} if token: self._resume(token, callback=callback) else: self._login(self._login_data, callback=callback)
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user, password, token=None, callback=None):\n hashed = hashlib.sha256(password).hexdigest()\n if '@' in user:\n user_object = {'email': user}\n else:\n user_object = {'username': user}\n password_object = {'algorithm': 'sha-256', 'digest': hashed}\n self._login_token = token\n self._login_data = {'user': user_object, 'password': password_object}\n if token:\n self._resume(token, callback=callback)\n else:\n self._login(self._login_data, callback=callback)\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, callback=None): self.ddp_client.call('logout', [], callback=callback) self.emit('logged_out')
logout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback=None):\n self.ddp_client.call('logout', [], callback=callback)\n self.emit('logged_out')\n", "role": "user" }, { "content": "logout", "role": "assistant" } ]
def x(self, method, params, callback=None): self._wait_for_connect() self.ddp_client.call(method, params, callback=callback)
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, params, callback=None):\n self._wait_for_connect()\n self.ddp_client.call(method, params, callback=callback)\n", "role": "user" }, { "content": "call", "role": "assistant" } ]