source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): names_s, names_n = self.channel_names_s, self.channel_names_n if self._channel_naming == '$PnS': channel_names, channel_names_alternate = names_s, names_n else: channel_names, channel_names_alternate = names_n, names_s if len(channel_names) == 0: channel_names = channel_names_alternate if len(set(channel_names)) != len(channel_names): msg = ( u'The default channel names (defined by the {} parameter in the FCS file) were not unique. To avoid problems in downstream analysis, the channel names have been switched to the alternate channel names defined in the FCS file. To avoid seeing this warning message, explicitly instruct the FCS parser to use the alternate channel names by specifying the channel_naming parameter.' ) msg = msg.format(self._channel_naming) warnings.warn(msg) channel_names = channel_names_alternate return channel_names
get_channel_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n names_s, names_n = self.channel_names_s, self.channel_names_n\n if self._channel_naming == '$PnS':\n channel_names, channel_names_alternate = names_s, names_n\n else:\n channel_names, channel_names_alternate = names_n, names_s\n if len(channel_names) == 0:\n channel_names = channel_names_alternate\n if len(set(channel_names)) != len(channel_names):\n msg = (\n u'The default channel names (defined by the {} parameter in the FCS file) were not unique. To avoid problems in downstream analysis, the channel names have been switched to the alternate channel names defined in the FCS file. To avoid seeing this warning message, explicitly instruct the FCS parser to use the alternate channel names by specifying the channel_naming parameter.'\n )\n msg = msg.format(self._channel_naming)\n warnings.warn(msg)\n channel_names = channel_names_alternate\n return channel_names\n", "role": "user" }, { "content": "get_channel_names", "role": "assistant" } ]
def x(self, file_handle): self._verify_assumptions() text = self.annotation if self._data_start > self._file_size or self._data_end > self._file_size: raise ValueError( u'The FCS file "{}" is corrupted. Part of the data segment is missing.' .format(self.path)) num_events = text['$TOT'] num_pars = text['$PAR'] if text['$BYTEORD'].strip() == '1,2,3,4' or text['$BYTEORD'].strip( ) == '1,2': endian = '<' elif text['$BYTEORD'].strip() == '4,3,2,1' or text['$BYTEORD'].strip( ) == '2,1': endian = '>' else: msg = 'Unrecognized byte order ({})'.format(text['$BYTEORD']) raise ParserFeatureNotImplementedError(msg) conversion_dict = {'F': 'f', 'D': 'f', 'I': 'u'} if text['$DATATYPE'] not in conversion_dict.keys(): raise ParserFeatureNotImplementedError( '$DATATYPE = {0} is not yet supported.'.format(text['$DATATYPE'])) bytes_per_par_list = [int(text['$P{0}B'.format(i)] / 8) for i in self. channel_numbers] par_numeric_type_list = ['{endian}{type}{size}'.format(endian=endian, type=conversion_dict[text['$DATATYPE']], size=bytes_per_par) for bytes_per_par in bytes_per_par_list] file_handle.seek(self._data_start, 0) if len(set(par_numeric_type_list)) > 1: dtype = ','.join(par_numeric_type_list) data = fromfile(file_handle, dtype, num_events) names = self.get_channel_names() if six.PY2: encoded_names = [name.encode('ascii', errors='replace') for name in names] else: encoded_names = [name for name in names] data.dtype.names = tuple(encoded_names) else: dtype = par_numeric_type_list[0] data = fromfile(file_handle, dtype, num_events * num_pars) data = data.reshape((num_events, num_pars)) native_code = '<' if sys.byteorder == 'little' else '>' if endian != native_code: data = data.byteswap().newbyteorder() self._data = data
read_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_handle):\n self._verify_assumptions()\n text = self.annotation\n if self._data_start > self._file_size or self._data_end > self._file_size:\n raise ValueError(\n u'The FCS file \"{}\" is corrupted. Part of the data segment is missing.'\n .format(self.path))\n num_events = text['$TOT']\n num_pars = text['$PAR']\n if text['$BYTEORD'].strip() == '1,2,3,4' or text['$BYTEORD'].strip(\n ) == '1,2':\n endian = '<'\n elif text['$BYTEORD'].strip() == '4,3,2,1' or text['$BYTEORD'].strip(\n ) == '2,1':\n endian = '>'\n else:\n msg = 'Unrecognized byte order ({})'.format(text['$BYTEORD'])\n raise ParserFeatureNotImplementedError(msg)\n conversion_dict = {'F': 'f', 'D': 'f', 'I': 'u'}\n if text['$DATATYPE'] not in conversion_dict.keys():\n raise ParserFeatureNotImplementedError(\n '$DATATYPE = {0} is not yet supported.'.format(text['$DATATYPE']))\n bytes_per_par_list = [int(text['$P{0}B'.format(i)] / 8) for i in self.\n channel_numbers]\n par_numeric_type_list = ['{endian}{type}{size}'.format(endian=endian,\n type=conversion_dict[text['$DATATYPE']], size=bytes_per_par) for\n bytes_per_par in bytes_per_par_list]\n file_handle.seek(self._data_start, 0)\n if len(set(par_numeric_type_list)) > 1:\n dtype = ','.join(par_numeric_type_list)\n data = fromfile(file_handle, dtype, num_events)\n names = self.get_channel_names()\n if six.PY2:\n encoded_names = [name.encode('ascii', errors='replace') for\n name in names]\n else:\n encoded_names = [name for name in names]\n data.dtype.names = tuple(encoded_names)\n else:\n dtype = par_numeric_type_list[0]\n data = fromfile(file_handle, dtype, num_events * num_pars)\n data = data.reshape((num_events, num_pars))\n native_code = '<' if sys.byteorder == 'little' else '>'\n if endian != native_code:\n data = data.byteswap().newbyteorder()\n self._data = data\n", "role": "user" }, { "content": "read_data", "role": "assistant" } ]
def x(self): if self._data is None: with open(self.path, 'rb') as f: self.read_data(f) return self._data
data
[ { "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._data is None:\n with open(self.path, 'rb') as f:\n self.read_data(f)\n return self._data\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(self): if self._analysis is None: with open(self.path, 'rb') as f: self.read_analysis(f) return self._analysis
analysis
[ { "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._analysis is None:\n with open(self.path, 'rb') as f:\n self.read_analysis(f)\n return self._analysis\n", "role": "user" }, { "content": "analysis", "role": "assistant" } ]
def x(self): meta = self.annotation channel_properties = [] for key, value in meta.items(): if key[:3] == '$P1': if key[3] not in string.digits: channel_properties.append(key[3:]) channel_matrix = [[meta.get('$P{0}{1}'.format(ch, p)) for p in channel_properties] for ch in self.channel_numbers] for ch in self.channel_numbers: for p in channel_properties: key = '$P{0}{1}'.format(ch, p) if key in meta: meta.pop(key) num_channels = meta['$PAR'] column_names = ['$Pn{0}'.format(p) for p in channel_properties] df = pd.DataFrame(channel_matrix, columns=column_names, index=1 + numpy .arange(num_channels)) if '$PnE' in column_names: df['$PnE'] = df['$PnE'].apply(lambda x: x.split(',')) df.index.name = 'Channel Number' meta['_channels_'] = df meta['_channel_names_'] = self.get_channel_names()
reformat_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n meta = self.annotation\n channel_properties = []\n for key, value in meta.items():\n if key[:3] == '$P1':\n if key[3] not in string.digits:\n channel_properties.append(key[3:])\n channel_matrix = [[meta.get('$P{0}{1}'.format(ch, p)) for p in\n channel_properties] for ch in self.channel_numbers]\n for ch in self.channel_numbers:\n for p in channel_properties:\n key = '$P{0}{1}'.format(ch, p)\n if key in meta:\n meta.pop(key)\n num_channels = meta['$PAR']\n column_names = ['$Pn{0}'.format(p) for p in channel_properties]\n df = pd.DataFrame(channel_matrix, columns=column_names, index=1 + numpy\n .arange(num_channels))\n if '$PnE' in column_names:\n df['$PnE'] = df['$PnE'].apply(lambda x: x.split(','))\n df.index.name = 'Channel Number'\n meta['_channels_'] = df\n meta['_channel_names_'] = self.get_channel_names()\n", "role": "user" }, { "content": "reformat_meta", "role": "assistant" } ]
def x(self): data = self.data channel_names = self.get_channel_names() return pd.DataFrame(data, columns=channel_names)
dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = self.data\n channel_names = self.get_channel_names()\n return pd.DataFrame(data, columns=channel_names)\n", "role": "user" }, { "content": "dataframe", "role": "assistant" } ]
def x(self, requirement): cache_file = self.cache.get(requirement) if cache_file: if self.needs_invalidation(requirement, cache_file): logger.info('Invalidating old %s binary (source has changed) ..', requirement) cache_file = None else: logger.debug("%s hasn't been cached yet, doing so now.", requirement) if not cache_file: try: raw_file = self.build_binary_dist(requirement) except BuildFailed: logger.warning( 'Build of %s failed, checking for missing dependencies ..', requirement) if self.system_package_manager.install_dependencies(requirement): raw_file = self.build_binary_dist(requirement) else: raise fd, transformed_file = tempfile.mkstemp(prefix='pip-accel-bdist-', suffix='.tar.gz') try: archive = tarfile.open(transformed_file, 'w:gz') try: for member, from_handle in self.transform_binary_dist(raw_file ): archive.addfile(member, from_handle) finally: archive.close() with open(transformed_file, 'rb') as handle: self.cache.put(requirement, handle) finally: os.close(fd) os.remove(transformed_file) cache_file = self.cache.get(requirement) self.persist_checksum(requirement, cache_file) archive = tarfile.open(cache_file, 'r:gz') try: for member in archive.getmembers(): yield member, archive.extractfile(member.name) finally: archive.close()
get_binary_dist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirement):\n cache_file = self.cache.get(requirement)\n if cache_file:\n if self.needs_invalidation(requirement, cache_file):\n logger.info('Invalidating old %s binary (source has changed) ..',\n requirement)\n cache_file = None\n else:\n logger.debug(\"%s hasn't been cached yet, doing so now.\", requirement)\n if not cache_file:\n try:\n raw_file = self.build_binary_dist(requirement)\n except BuildFailed:\n logger.warning(\n 'Build of %s failed, checking for missing dependencies ..',\n requirement)\n if self.system_package_manager.install_dependencies(requirement):\n raw_file = self.build_binary_dist(requirement)\n else:\n raise\n fd, transformed_file = tempfile.mkstemp(prefix='pip-accel-bdist-',\n suffix='.tar.gz')\n try:\n archive = tarfile.open(transformed_file, 'w:gz')\n try:\n for member, from_handle in self.transform_binary_dist(raw_file\n ):\n archive.addfile(member, from_handle)\n finally:\n archive.close()\n with open(transformed_file, 'rb') as handle:\n self.cache.put(requirement, handle)\n finally:\n os.close(fd)\n os.remove(transformed_file)\n cache_file = self.cache.get(requirement)\n self.persist_checksum(requirement, cache_file)\n archive = tarfile.open(cache_file, 'r:gz')\n try:\n for member in archive.getmembers():\n yield member, archive.extractfile(member.name)\n finally:\n archive.close()\n", "role": "user" }, { "content": "get_binary_dist", "role": "assistant" } ]
def x(self, requirement, cache_file): if self.config.trust_mod_times: return requirement.last_modified > os.path.getmtime(cache_file) else: checksum = self.recall_checksum(cache_file) return checksum and checksum != requirement.checksum
needs_invalidation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirement, cache_file):\n if self.config.trust_mod_times:\n return requirement.last_modified > os.path.getmtime(cache_file)\n else:\n checksum = self.recall_checksum(cache_file)\n return checksum and checksum != requirement.checksum\n", "role": "user" }, { "content": "needs_invalidation", "role": "assistant" } ]
def x(self, cache_file): checksum_file = '%s.txt' % cache_file try: with open(checksum_file) as handle: contents = handle.read() return contents.strip() except IOError as e: if e.errno == errno.ENOENT: return None else: raise
recall_checksum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cache_file):\n checksum_file = '%s.txt' % cache_file\n try:\n with open(checksum_file) as handle:\n contents = handle.read()\n return contents.strip()\n except IOError as e:\n if e.errno == errno.ENOENT:\n return None\n else:\n raise\n", "role": "user" }, { "content": "recall_checksum", "role": "assistant" } ]
def x(self, requirement, cache_file): if not self.config.trust_mod_times: checksum_file = '%s.txt' % cache_file with AtomicReplace(checksum_file) as temporary_file: with open(temporary_file, 'w') as handle: handle.write('%s\n' % requirement.checksum)
persist_checksum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirement, cache_file):\n if not self.config.trust_mod_times:\n checksum_file = '%s.txt' % cache_file\n with AtomicReplace(checksum_file) as temporary_file:\n with open(temporary_file, 'w') as handle:\n handle.write('%s\\n' % requirement.checksum)\n", "role": "user" }, { "content": "persist_checksum", "role": "assistant" } ]
def x(self, requirement): try: return self.build_binary_dist_helper(requirement, ['bdist_dumb', '--format=tar']) except (BuildFailed, NoBuildOutput): logger.warning( 'Build of %s failed, falling back to alternative method ..', requirement) return self.build_binary_dist_helper(requirement, ['bdist', '--formats=gztar'])
build_binary_dist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirement):\n try:\n return self.build_binary_dist_helper(requirement, ['bdist_dumb',\n '--format=tar'])\n except (BuildFailed, NoBuildOutput):\n logger.warning(\n 'Build of %s failed, falling back to alternative method ..',\n requirement)\n return self.build_binary_dist_helper(requirement, ['bdist',\n '--formats=gztar'])\n", "role": "user" }, { "content": "build_binary_dist", "role": "assistant" } ]
def x(self, requirement, setup_command): build_timer = Timer() setup_script = os.path.join(requirement.source_directory, 'setup.py') if not os.path.isfile(setup_script): msg = "Directory %s (%s %s) doesn't contain a source distribution!" raise InvalidSourceDistribution(msg % (requirement.source_directory, requirement.name, requirement.version)) build_text = 'Building %s binary distribution' % requirement logger.info('%s ..', build_text) dist_directory = os.path.join(requirement.source_directory, 'dist') if os.path.isdir(dist_directory): logger.debug('Cleaning up previously generated distributions in %s ..', dist_directory) shutil.rmtree(dist_directory) logger.debug('Executing external command: %s', ' '.join(map(pipes.quote, [self.config.python_executable, 'setup.py'] + setup_command))) command_line = [self.config.python_executable, '-c', ';'.join([ 'import setuptools', '__file__=%r' % setup_script, "exec(compile(open(__file__).read().replace('\\r\\n', '\\n'), __file__, 'exec'))" ])] + setup_command fd, temporary_file = tempfile.mkstemp() try: build = subprocess.Popen(command_line, cwd=requirement. source_directory, stdout=fd, stderr=fd) spinner = Spinner(label=build_text, timer=build_timer) while build.poll() is None: spinner.step() time.sleep(0.2) spinner.clear() try: if build.returncode != 0: raise BuildFailed( 'Failed to build {name} ({version}) binary distribution!', name=requirement.name, version=requirement.version) if not os.path.isdir(dist_directory): raise NoBuildOutput( 'Build of {name} ({version}) did not produce a binary distribution archive!' , name=requirement.name, version=requirement.version) filenames = os.listdir(dist_directory) if len(filenames) != 1: variables = dict(name=requirement.name, version=requirement .version, filenames=concatenate(sorted(filenames))) raise NoBuildOutput( """ Build of {name} ({version}) produced more than one distribution archive! (matches: {filenames}) """ , **variables) except Exception as e: with open(temporary_file) as handle: build_output = handle.read() enhanced_message = compact( """ {message} Please check the build output because it will probably provide a hint about what went wrong. Build output: {output} """ , message=e.args[0], output=build_output.strip()) e.args = enhanced_message, raise logger.info('Finished building %s in %s.', requirement.name, build_timer) return os.path.join(dist_directory, filenames[0]) finally: os.close(fd) os.unlink(temporary_file)
build_binary_dist_helper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirement, setup_command):\n build_timer = Timer()\n setup_script = os.path.join(requirement.source_directory, 'setup.py')\n if not os.path.isfile(setup_script):\n msg = \"Directory %s (%s %s) doesn't contain a source distribution!\"\n raise InvalidSourceDistribution(msg % (requirement.source_directory,\n requirement.name, requirement.version))\n build_text = 'Building %s binary distribution' % requirement\n logger.info('%s ..', build_text)\n dist_directory = os.path.join(requirement.source_directory, 'dist')\n if os.path.isdir(dist_directory):\n logger.debug('Cleaning up previously generated distributions in %s ..',\n dist_directory)\n shutil.rmtree(dist_directory)\n logger.debug('Executing external command: %s', ' '.join(map(pipes.quote,\n [self.config.python_executable, 'setup.py'] + setup_command)))\n command_line = [self.config.python_executable, '-c', ';'.join([\n 'import setuptools', '__file__=%r' % setup_script,\n \"exec(compile(open(__file__).read().replace('\\\\r\\\\n', '\\\\n'), __file__, 'exec'))\"\n ])] + setup_command\n fd, temporary_file = tempfile.mkstemp()\n try:\n build = subprocess.Popen(command_line, cwd=requirement.\n source_directory, stdout=fd, stderr=fd)\n spinner = Spinner(label=build_text, timer=build_timer)\n while build.poll() is None:\n spinner.step()\n time.sleep(0.2)\n spinner.clear()\n try:\n if build.returncode != 0:\n raise BuildFailed(\n 'Failed to build {name} ({version}) binary distribution!',\n name=requirement.name, version=requirement.version)\n if not os.path.isdir(dist_directory):\n raise NoBuildOutput(\n 'Build of {name} ({version}) did not produce a binary distribution archive!'\n , name=requirement.name, version=requirement.version)\n filenames = os.listdir(dist_directory)\n if len(filenames) != 1:\n variables = dict(name=requirement.name, version=requirement\n .version, filenames=concatenate(sorted(filenames)))\n raise NoBuildOutput(\n \"\"\"\n Build of {name} ({version}) produced more than one\n distribution archive! (matches: {filenames})\n \"\"\"\n , **variables)\n except Exception as e:\n with open(temporary_file) as handle:\n build_output = handle.read()\n enhanced_message = compact(\n \"\"\"\n {message}\n\n Please check the build output because it will probably\n provide a hint about what went wrong.\n\n Build output:\n\n {output}\n \"\"\"\n , message=e.args[0], output=build_output.strip())\n e.args = enhanced_message,\n raise\n logger.info('Finished building %s in %s.', requirement.name,\n build_timer)\n return os.path.join(dist_directory, filenames[0])\n finally:\n os.close(fd)\n os.unlink(temporary_file)\n", "role": "user" }, { "content": "build_binary_dist_helper", "role": "assistant" } ]
def x(self, archive_path): logger.debug('Transforming binary distribution: %s.', archive_path) archive = tarfile.open(archive_path, 'r') for member in archive.getmembers(): if member.mode & stat.S_IXUSR: member.mode = 493 else: member.mode = 420 original_pathname = member.name absolute_pathname = os.path.normpath(os.path.join('/', original_pathname)) if member.isdev(): logger.warn('Ignoring device file: %s.', absolute_pathname) elif not member.isdir(): modified_pathname = os.path.relpath(absolute_pathname, self. config.install_prefix) if os.path.isabs(modified_pathname): logger.warn( 'Failed to transform pathname in binary distribution to relative path! (original: %r, modified: %r)' , original_pathname, modified_pathname) else: modified_pathname = re.sub('^local/', '', modified_pathname) if self.config.on_debian: modified_pathname = modified_pathname.replace( '/dist-packages/', '/site-packages/') logger.debug('Transformed %r -> %r.', original_pathname, modified_pathname) handle = archive.extractfile(original_pathname) member.name = modified_pathname yield member, handle archive.close()
transform_binary_dist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, archive_path):\n logger.debug('Transforming binary distribution: %s.', archive_path)\n archive = tarfile.open(archive_path, 'r')\n for member in archive.getmembers():\n if member.mode & stat.S_IXUSR:\n member.mode = 493\n else:\n member.mode = 420\n original_pathname = member.name\n absolute_pathname = os.path.normpath(os.path.join('/',\n original_pathname))\n if member.isdev():\n logger.warn('Ignoring device file: %s.', absolute_pathname)\n elif not member.isdir():\n modified_pathname = os.path.relpath(absolute_pathname, self.\n config.install_prefix)\n if os.path.isabs(modified_pathname):\n logger.warn(\n 'Failed to transform pathname in binary distribution to relative path! (original: %r, modified: %r)'\n , original_pathname, modified_pathname)\n else:\n modified_pathname = re.sub('^local/', '', modified_pathname)\n if self.config.on_debian:\n modified_pathname = modified_pathname.replace(\n '/dist-packages/', '/site-packages/')\n logger.debug('Transformed %r -> %r.', original_pathname,\n modified_pathname)\n handle = archive.extractfile(original_pathname)\n member.name = modified_pathname\n yield member, handle\n archive.close()\n", "role": "user" }, { "content": "transform_binary_dist", "role": "assistant" } ]
def x(self, members, virtualenv_compatible=True, prefix=None, python=None, track_installed_files=False): module_search_path = set(map(os.path.normpath, sys.path)) prefix = os.path.normpath(prefix or self.config.install_prefix) python = os.path.normpath(python or self.config.python_executable) installed_files = [] for member, from_handle in members: pathname = member.name if virtualenv_compatible: pathname = re.sub('^include/', 'include/site/', pathname) if self.config.on_debian and '/site-packages/' in pathname: match = re.match('^(.+?)/site-packages', pathname) if match: site_packages = os.path.normpath(os.path.join(prefix, match .group(0))) dist_packages = os.path.normpath(os.path.join(prefix, match .group(1), 'dist-packages')) if (dist_packages in module_search_path and site_packages not in module_search_path): pathname = pathname.replace('/site-packages/', '/dist-packages/') pathname = os.path.join(prefix, pathname) if track_installed_files: installed_files.append(pathname) directory = os.path.dirname(pathname) if not os.path.isdir(directory): logger.debug('Creating directory: %s ..', directory) makedirs(directory) logger.debug('Creating file: %s ..', pathname) with open(pathname, 'wb') as to_handle: contents = from_handle.read() if contents.startswith(b'#!/'): contents = self.fix_hashbang(contents, python) to_handle.write(contents) os.chmod(pathname, member.mode) if track_installed_files: self.update_installed_files(installed_files)
install_binary_dist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, members, virtualenv_compatible=True, prefix=None, python=None,\n track_installed_files=False):\n module_search_path = set(map(os.path.normpath, sys.path))\n prefix = os.path.normpath(prefix or self.config.install_prefix)\n python = os.path.normpath(python or self.config.python_executable)\n installed_files = []\n for member, from_handle in members:\n pathname = member.name\n if virtualenv_compatible:\n pathname = re.sub('^include/', 'include/site/', pathname)\n if self.config.on_debian and '/site-packages/' in pathname:\n match = re.match('^(.+?)/site-packages', pathname)\n if match:\n site_packages = os.path.normpath(os.path.join(prefix, match\n .group(0)))\n dist_packages = os.path.normpath(os.path.join(prefix, match\n .group(1), 'dist-packages'))\n if (dist_packages in module_search_path and site_packages\n not in module_search_path):\n pathname = pathname.replace('/site-packages/',\n '/dist-packages/')\n pathname = os.path.join(prefix, pathname)\n if track_installed_files:\n installed_files.append(pathname)\n directory = os.path.dirname(pathname)\n if not os.path.isdir(directory):\n logger.debug('Creating directory: %s ..', directory)\n makedirs(directory)\n logger.debug('Creating file: %s ..', pathname)\n with open(pathname, 'wb') as to_handle:\n contents = from_handle.read()\n if contents.startswith(b'#!/'):\n contents = self.fix_hashbang(contents, python)\n to_handle.write(contents)\n os.chmod(pathname, member.mode)\n if track_installed_files:\n self.update_installed_files(installed_files)\n", "role": "user" }, { "content": "install_binary_dist", "role": "assistant" } ]
def x(self, contents, python): lines = contents.splitlines() if lines: hashbang = lines[0] executable = os.path.basename(hashbang) executable = re.sub(b'^env ', b'', executable) if re.match(b'^python(\\d+(\\.\\d+)*)?$', executable): lines[0] = b'#!' + python.encode('ascii') logger.debug('Rewriting hashbang %r to %r!', hashbang, lines[0]) contents = b'\n'.join(lines) return contents
fix_hashbang
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contents, python):\n lines = contents.splitlines()\n if lines:\n hashbang = lines[0]\n executable = os.path.basename(hashbang)\n executable = re.sub(b'^env ', b'', executable)\n if re.match(b'^python(\\\\d+(\\\\.\\\\d+)*)?$', executable):\n lines[0] = b'#!' + python.encode('ascii')\n logger.debug('Rewriting hashbang %r to %r!', hashbang, lines[0])\n contents = b'\\n'.join(lines)\n return contents\n", "role": "user" }, { "content": "fix_hashbang", "role": "assistant" } ]
def x(self, installed_files): pkg_info_files = [fn for fn in installed_files if fnmatch.fnmatch(fn, '*.egg-info/PKG-INFO')] if len(pkg_info_files) != 1: logger.warning( "Not tracking installed files (couldn't reliably determine *.egg-info directory)" ) else: egg_info_directory = os.path.dirname(pkg_info_files[0]) installed_files_path = os.path.join(egg_info_directory, 'installed-files.txt') logger.debug('Tracking installed files in %s ..', installed_files_path) with open(installed_files_path, 'w') as handle: for pathname in installed_files: handle.write('%s\n' % os.path.relpath(pathname, egg_info_directory))
update_installed_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, installed_files):\n pkg_info_files = [fn for fn in installed_files if fnmatch.fnmatch(fn,\n '*.egg-info/PKG-INFO')]\n if len(pkg_info_files) != 1:\n logger.warning(\n \"Not tracking installed files (couldn't reliably determine *.egg-info directory)\"\n )\n else:\n egg_info_directory = os.path.dirname(pkg_info_files[0])\n installed_files_path = os.path.join(egg_info_directory,\n 'installed-files.txt')\n logger.debug('Tracking installed files in %s ..', installed_files_path)\n with open(installed_files_path, 'w') as handle:\n for pathname in installed_files:\n handle.write('%s\\n' % os.path.relpath(pathname,\n egg_info_directory))\n", "role": "user" }, { "content": "update_installed_files", "role": "assistant" } ]
def x(self): known_files = [GLOBAL_CONFIG, LOCAL_CONFIG, self.environment.get( 'PIP_ACCEL_CONFIG')] absolute_paths = [parse_path(pathname) for pathname in known_files if pathname] return [pathname for pathname in absolute_paths if os.path.isfile(pathname) ]
available_configuration_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n known_files = [GLOBAL_CONFIG, LOCAL_CONFIG, self.environment.get(\n 'PIP_ACCEL_CONFIG')]\n absolute_paths = [parse_path(pathname) for pathname in known_files if\n pathname]\n return [pathname for pathname in absolute_paths if os.path.isfile(pathname)\n ]\n", "role": "user" }, { "content": "available_configuration_files", "role": "assistant" } ]
def x(self, configuration_file): configuration_file = parse_path(configuration_file) logger.debug('Loading configuration file: %s', configuration_file) parser = configparser.RawConfigParser() files_loaded = parser.read(configuration_file) if len(files_loaded) != 1: msg = 'Failed to load configuration file! (%s)' raise Exception(msg % configuration_file) elif not parser.has_section('pip-accel'): msg = "Missing 'pip-accel' section in configuration file! (%s)" raise Exception(msg % configuration_file) else: self.configuration.update(parser.items('pip-accel'))
load_configuration_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configuration_file):\n configuration_file = parse_path(configuration_file)\n logger.debug('Loading configuration file: %s', configuration_file)\n parser = configparser.RawConfigParser()\n files_loaded = parser.read(configuration_file)\n if len(files_loaded) != 1:\n msg = 'Failed to load configuration file! (%s)'\n raise Exception(msg % configuration_file)\n elif not parser.has_section('pip-accel'):\n msg = \"Missing 'pip-accel' section in configuration file! (%s)\"\n raise Exception(msg % configuration_file)\n else:\n self.configuration.update(parser.items('pip-accel'))\n", "role": "user" }, { "content": "load_configuration_file", "role": "assistant" } ]
def x(self, property_name=None, environment_variable=None, configuration_option=None, default=None): if self.overrides.get(property_name) is not None: return self.overrides[property_name] elif environment_variable and self.environment.get(environment_variable): return self.environment[environment_variable] elif self.configuration.get(configuration_option) is not None: return self.configuration[configuration_option] else: return default
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, property_name=None, environment_variable=None,\n configuration_option=None, default=None):\n if self.overrides.get(property_name) is not None:\n return self.overrides[property_name]\n elif environment_variable and self.environment.get(environment_variable):\n return self.environment[environment_variable]\n elif self.configuration.get(configuration_option) is not None:\n return self.configuration[configuration_option]\n else:\n return default\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self): return self.get(property_name='source_index', default=os.path.join(self .data_directory, 'sources'))
source_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.get(property_name='source_index', default=os.path.join(self\n .data_directory, 'sources'))\n", "role": "user" }, { "content": "source_index", "role": "assistant" } ]
def x(self): return expand_path(self.get(property_name='data_directory', environment_variable='PIP_ACCEL_CACHE', configuration_option= 'data-directory', default='/var/cache/pip-accel' if is_root() else '~/.pip-accel'))
data_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return expand_path(self.get(property_name='data_directory',\n environment_variable='PIP_ACCEL_CACHE', configuration_option=\n 'data-directory', default='/var/cache/pip-accel' if is_root() else\n '~/.pip-accel'))\n", "role": "user" }, { "content": "data_directory", "role": "assistant" } ]
def x(self): return self.get(property_name='install_prefix', default='/usr/local' if sys.prefix == '/usr' and self.on_debian else sys.prefix)
install_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.get(property_name='install_prefix', default='/usr/local' if\n sys.prefix == '/usr' and self.on_debian else sys.prefix)\n", "role": "user" }, { "content": "install_prefix", "role": "assistant" } ]
def x(self): return self.get(property_name='python_executable', default=sys. executable or os.path.join(self.install_prefix, 'bin', 'python'))
python_executable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.get(property_name='python_executable', default=sys.\n executable or os.path.join(self.install_prefix, 'bin', 'python'))\n", "role": "user" }, { "content": "python_executable", "role": "assistant" } ]
def x(self): value = self.get(property_name='auto_install', environment_variable= 'PIP_ACCEL_AUTO_INSTALL', configuration_option='auto-install') if value is not None: return coerce_boolean(value)
auto_install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n value = self.get(property_name='auto_install', environment_variable=\n 'PIP_ACCEL_AUTO_INSTALL', configuration_option='auto-install')\n if value is not None:\n return coerce_boolean(value)\n", "role": "user" }, { "content": "auto_install", "role": "assistant" } ]
def x(self): on_appveyor = coerce_boolean(os.environ.get('APPVEYOR', 'False')) return coerce_boolean(self.get(property_name='trust_mod_times', environment_variable='PIP_ACCEL_TRUST_MOD_TIMES', configuration_option='trust-mod-times', default=not on_appveyor))
trust_mod_times
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n on_appveyor = coerce_boolean(os.environ.get('APPVEYOR', 'False'))\n return coerce_boolean(self.get(property_name='trust_mod_times',\n environment_variable='PIP_ACCEL_TRUST_MOD_TIMES',\n configuration_option='trust-mod-times', default=not on_appveyor))\n", "role": "user" }, { "content": "trust_mod_times", "role": "assistant" } ]
def x(self): return coerce_boolean(self.get(property_name='s3_cache_readonly', environment_variable='PIP_ACCEL_S3_READONLY', configuration_option= 's3-readonly', default=False))
s3_cache_readonly
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return coerce_boolean(self.get(property_name='s3_cache_readonly',\n environment_variable='PIP_ACCEL_S3_READONLY', configuration_option=\n 's3-readonly', default=False))\n", "role": "user" }, { "content": "s3_cache_readonly", "role": "assistant" } ]
def x(self): value = self.get(property_name='s3_cache_timeout', environment_variable ='PIP_ACCEL_S3_TIMEOUT', configuration_option='s3-timeout') try: n = int(value) if n >= 0: return n except: return 60
s3_cache_timeout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n value = self.get(property_name='s3_cache_timeout', environment_variable\n ='PIP_ACCEL_S3_TIMEOUT', configuration_option='s3-timeout')\n try:\n n = int(value)\n if n >= 0:\n return n\n except:\n return 60\n", "role": "user" }, { "content": "s3_cache_timeout", "role": "assistant" } ]
def x(self, filename): timer = Timer() self.check_prerequisites() with PatchedBotoConfig(): raw_key = self.get_cache_key(filename) logger.info( 'Checking if distribution archive is available in S3 bucket: %s', raw_key) key = self.s3_bucket.get_key(raw_key) if key is None: logger.debug('Distribution archive is not available in S3 bucket.') else: logger.info('Downloading distribution archive from S3 bucket ..') file_in_cache = os.path.join(self.config.binary_cache, filename) makedirs(os.path.dirname(file_in_cache)) with AtomicReplace(file_in_cache) as temporary_file: key.get_contents_to_filename(temporary_file) logger.debug( 'Finished downloading distribution archive from S3 bucket in %s.' , timer) return file_in_cache
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n timer = Timer()\n self.check_prerequisites()\n with PatchedBotoConfig():\n raw_key = self.get_cache_key(filename)\n logger.info(\n 'Checking if distribution archive is available in S3 bucket: %s',\n raw_key)\n key = self.s3_bucket.get_key(raw_key)\n if key is None:\n logger.debug('Distribution archive is not available in S3 bucket.')\n else:\n logger.info('Downloading distribution archive from S3 bucket ..')\n file_in_cache = os.path.join(self.config.binary_cache, filename)\n makedirs(os.path.dirname(file_in_cache))\n with AtomicReplace(file_in_cache) as temporary_file:\n key.get_contents_to_filename(temporary_file)\n logger.debug(\n 'Finished downloading distribution archive from S3 bucket in %s.'\n , timer)\n return file_in_cache\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, filename, handle): if self.config.s3_cache_readonly: logger.info( 'Skipping upload to S3 bucket (using S3 in read only mode).') else: timer = Timer() self.check_prerequisites() with PatchedBotoConfig(): from boto.s3.key import Key raw_key = self.get_cache_key(filename) logger.info('Uploading distribution archive to S3 bucket: %s', raw_key) key = Key(self.s3_bucket) key.key = raw_key try: key.set_contents_from_file(handle) except Exception as e: logger.info( 'Encountered error writing to S3 bucket, falling back to read only mode (exception: %s)' , e) self.config.s3_cache_readonly = True else: logger.info( 'Finished uploading distribution archive to S3 bucket in %s.' , timer)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, handle):\n if self.config.s3_cache_readonly:\n logger.info(\n 'Skipping upload to S3 bucket (using S3 in read only mode).')\n else:\n timer = Timer()\n self.check_prerequisites()\n with PatchedBotoConfig():\n from boto.s3.key import Key\n raw_key = self.get_cache_key(filename)\n logger.info('Uploading distribution archive to S3 bucket: %s',\n raw_key)\n key = Key(self.s3_bucket)\n key.key = raw_key\n try:\n key.set_contents_from_file(handle)\n except Exception as e:\n logger.info(\n 'Encountered error writing to S3 bucket, falling back to read only mode (exception: %s)'\n , e)\n self.config.s3_cache_readonly = True\n else:\n logger.info(\n 'Finished uploading distribution archive to S3 bucket in %s.'\n , timer)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self): if not hasattr(self, 'cached_bucket'): self.check_prerequisites() with PatchedBotoConfig(): from boto.exception import BotoClientError, BotoServerError, S3ResponseError try: try: logger.debug('Connecting to Amazon S3 bucket: %s', self .config.s3_cache_bucket) self.cached_bucket = self.s3_connection.get_bucket(self .config.s3_cache_bucket) except S3ResponseError as e: if e.status == 404 and self.config.s3_cache_create_bucket: logger.info( "Amazon S3 bucket doesn't exist yet, creating it now: %s" , self.config.s3_cache_bucket) self.s3_connection.create_bucket(self.config. s3_cache_bucket) self.cached_bucket = self.s3_connection.get_bucket(self .config.s3_cache_bucket) else: raise except (BotoClientError, BotoServerError): raise CacheBackendError( """ Failed to connect to the configured Amazon S3 bucket {bucket}! Are you sure the bucket exists and is accessible using the provided credentials? The Amazon S3 cache backend will be disabled for now. """ , bucket=repr(self.config.s3_cache_bucket)) return self.cached_bucket
s3_bucket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, 'cached_bucket'):\n self.check_prerequisites()\n with PatchedBotoConfig():\n from boto.exception import BotoClientError, BotoServerError, S3ResponseError\n try:\n try:\n logger.debug('Connecting to Amazon S3 bucket: %s', self\n .config.s3_cache_bucket)\n self.cached_bucket = self.s3_connection.get_bucket(self\n .config.s3_cache_bucket)\n except S3ResponseError as e:\n if e.status == 404 and self.config.s3_cache_create_bucket:\n logger.info(\n \"Amazon S3 bucket doesn't exist yet, creating it now: %s\"\n , self.config.s3_cache_bucket)\n self.s3_connection.create_bucket(self.config.\n s3_cache_bucket)\n self.cached_bucket = self.s3_connection.get_bucket(self\n .config.s3_cache_bucket)\n else:\n raise\n except (BotoClientError, BotoServerError):\n raise CacheBackendError(\n \"\"\"\n Failed to connect to the configured Amazon S3 bucket\n {bucket}! Are you sure the bucket exists and is accessible\n using the provided credentials? The Amazon S3 cache backend\n will be disabled for now.\n \"\"\"\n , bucket=repr(self.config.s3_cache_bucket))\n return self.cached_bucket\n", "role": "user" }, { "content": "s3_bucket", "role": "assistant" } ]
def x(self): if not hasattr(self, 'cached_connection'): self.check_prerequisites() with PatchedBotoConfig(): import boto from boto.exception import BotoClientError, BotoServerError, NoAuthHandlerFound from boto.s3.connection import S3Connection, SubdomainCallingFormat, OrdinaryCallingFormat try: if not boto.config.has_section(BOTO_CONFIG_SECTION): boto.config.add_section(BOTO_CONFIG_SECTION) boto.config.set(BOTO_CONFIG_SECTION, BOTO_CONFIG_NUM_RETRIES_OPTION, str(self.config. s3_cache_retries)) boto.config.set(BOTO_CONFIG_SECTION, BOTO_CONFIG_SOCKET_TIMEOUT_OPTION, str(self.config. s3_cache_timeout)) logger.debug('Connecting to Amazon S3 API ..') endpoint = urlparse(self.config.s3_cache_url) host, _, port = endpoint.netloc.partition(':') kw = dict(host=host, port=int(port) if port else None, is_secure=endpoint.scheme == 'https', calling_format= SubdomainCallingFormat() if host == S3Connection. DefaultHost else OrdinaryCallingFormat()) try: self.cached_connection = S3Connection(**kw) except NoAuthHandlerFound: logger.debug( 'Amazon S3 API credentials missing, retrying with anonymous connection ..' ) self.cached_connection = S3Connection(anon=True, **kw) except (BotoClientError, BotoServerError): raise CacheBackendError( """ Failed to connect to the Amazon S3 API! Most likely your credentials are not correctly configured. The Amazon S3 cache backend will be disabled for now. """ ) return self.cached_connection
s3_connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, 'cached_connection'):\n self.check_prerequisites()\n with PatchedBotoConfig():\n import boto\n from boto.exception import BotoClientError, BotoServerError, NoAuthHandlerFound\n from boto.s3.connection import S3Connection, SubdomainCallingFormat, OrdinaryCallingFormat\n try:\n if not boto.config.has_section(BOTO_CONFIG_SECTION):\n boto.config.add_section(BOTO_CONFIG_SECTION)\n boto.config.set(BOTO_CONFIG_SECTION,\n BOTO_CONFIG_NUM_RETRIES_OPTION, str(self.config.\n s3_cache_retries))\n boto.config.set(BOTO_CONFIG_SECTION,\n BOTO_CONFIG_SOCKET_TIMEOUT_OPTION, str(self.config.\n s3_cache_timeout))\n logger.debug('Connecting to Amazon S3 API ..')\n endpoint = urlparse(self.config.s3_cache_url)\n host, _, port = endpoint.netloc.partition(':')\n kw = dict(host=host, port=int(port) if port else None,\n is_secure=endpoint.scheme == 'https', calling_format=\n SubdomainCallingFormat() if host == S3Connection.\n DefaultHost else OrdinaryCallingFormat())\n try:\n self.cached_connection = S3Connection(**kw)\n except NoAuthHandlerFound:\n logger.debug(\n 'Amazon S3 API credentials missing, retrying with anonymous connection ..'\n )\n self.cached_connection = S3Connection(anon=True, **kw)\n except (BotoClientError, BotoServerError):\n raise CacheBackendError(\n \"\"\"\n Failed to connect to the Amazon S3 API! Most likely your\n credentials are not correctly configured. The Amazon S3\n cache backend will be disabled for now.\n \"\"\"\n )\n return self.cached_connection\n", "role": "user" }, { "content": "s3_connection", "role": "assistant" } ]
def x(self, section, name, default=None, **kw): try: return self.unbound_method(self.instance, section, name, **kw) except Exception: return default
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section, name, default=None, **kw):\n try:\n return self.unbound_method(self.instance, section, name, **kw)\n except Exception:\n return default\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self): name_pattern = escape_name(self.name) version_pattern = re.escape(self.version) extension_pattern = '|'.join(re.escape(ext) for ext in ARCHIVE_EXTENSIONS if ext != '.whl') pattern = '^%s-%s(%s)$' % (name_pattern, version_pattern, extension_pattern ) compiled_pattern = re.compile(pattern, re.IGNORECASE) return [os.path.join(self.config.source_index, fn) for fn in os.listdir (self.config.source_index) if compiled_pattern.match(fn)]
related_archives
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name_pattern = escape_name(self.name)\n version_pattern = re.escape(self.version)\n extension_pattern = '|'.join(re.escape(ext) for ext in\n ARCHIVE_EXTENSIONS if ext != '.whl')\n pattern = '^%s-%s(%s)$' % (name_pattern, version_pattern, extension_pattern\n )\n compiled_pattern = re.compile(pattern, re.IGNORECASE)\n return [os.path.join(self.config.source_index, fn) for fn in os.listdir\n (self.config.source_index) if compiled_pattern.match(fn)]\n", "role": "user" }, { "content": "related_archives", "role": "assistant" } ]
def x(self): mtimes = list(map(os.path.getmtime, self.related_archives)) return max(mtimes) if mtimes else time.time()
last_modified
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mtimes = list(map(os.path.getmtime, self.related_archives))\n return max(mtimes) if mtimes else time.time()\n", "role": "user" }, { "content": "last_modified", "role": "assistant" } ]
def x(self): probably_sdist = os.path.isfile(os.path.join(self.source_directory, 'setup.py')) probably_wheel = len(glob.glob(os.path.join(self.source_directory, '*.dist-info', 'WHEEL'))) > 0 if probably_wheel and not probably_sdist: return True elif probably_sdist and not probably_wheel: return False elif probably_sdist and probably_wheel: variables = dict(requirement=self.setuptools_requirement, directory =self.source_directory) raise UnknownDistributionFormat( """ The unpacked distribution of {requirement} in {directory} looks like a source distribution and a wheel distribution, I'm confused! """ , **variables) else: variables = dict(requirement=self.setuptools_requirement, directory =self.source_directory) raise UnknownDistributionFormat( """ The unpacked distribution of {requirement} in {directory} doesn't look like a source distribution and also doesn't look like a wheel distribution, I'm confused! """ , **variables)
is_wheel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n probably_sdist = os.path.isfile(os.path.join(self.source_directory,\n 'setup.py'))\n probably_wheel = len(glob.glob(os.path.join(self.source_directory,\n '*.dist-info', 'WHEEL'))) > 0\n if probably_wheel and not probably_sdist:\n return True\n elif probably_sdist and not probably_wheel:\n return False\n elif probably_sdist and probably_wheel:\n variables = dict(requirement=self.setuptools_requirement, directory\n =self.source_directory)\n raise UnknownDistributionFormat(\n \"\"\"\n The unpacked distribution of {requirement} in {directory} looks\n like a source distribution and a wheel distribution, I'm\n confused!\n \"\"\"\n , **variables)\n else:\n variables = dict(requirement=self.setuptools_requirement, directory\n =self.source_directory)\n raise UnknownDistributionFormat(\n \"\"\"\n The unpacked distribution of {requirement} in {directory}\n doesn't look like a source distribution and also doesn't look\n like a wheel distribution, I'm confused!\n \"\"\"\n , **variables)\n", "role": "user" }, { "content": "is_wheel", "role": "assistant" } ]
def x(self): if not self.is_wheel: raise TypeError('Requirement is not a wheel distribution!') for distribution in find_distributions(self.source_directory): return distribution msg = "pkg_resources didn't find a wheel distribution in %s!" raise Exception(msg % self.source_directory)
wheel_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.is_wheel:\n raise TypeError('Requirement is not a wheel distribution!')\n for distribution in find_distributions(self.source_directory):\n return distribution\n msg = \"pkg_resources didn't find a wheel distribution in %s!\"\n raise Exception(msg % self.source_directory)\n", "role": "user" }, { "content": "wheel_metadata", "role": "assistant" } ]
def x(self): environment = os.environ.get('VIRTUAL_ENV') if environment: if not same_directories(sys.prefix, environment): raise EnvironmentMismatchError( """ You are trying to install packages in environment #1 which is different from environment #2 where pip-accel is installed! Please install pip-accel under environment #1 to install packages there. Environment #1: {environment} (defined by $VIRTUAL_ENV) Environment #2: {prefix} (Python's installation prefix) """ , environment=environment, prefix=sys.prefix)
validate_environment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n environment = os.environ.get('VIRTUAL_ENV')\n if environment:\n if not same_directories(sys.prefix, environment):\n raise EnvironmentMismatchError(\n \"\"\"\n You are trying to install packages in environment #1 which\n is different from environment #2 where pip-accel is\n installed! Please install pip-accel under environment #1 to\n install packages there.\n\n Environment #1: {environment} (defined by $VIRTUAL_ENV)\n\n Environment #2: {prefix} (Python's installation prefix)\n \"\"\"\n , environment=environment, prefix=sys.prefix)\n", "role": "user" }, { "content": "validate_environment", "role": "assistant" } ]
def x(self): makedirs(self.config.source_index) makedirs(self.config.eggs_cache)
initialize_directories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n makedirs(self.config.source_index)\n makedirs(self.config.eggs_cache)\n", "role": "user" }, { "content": "initialize_directories", "role": "assistant" } ]
def x(self): cleanup_timer = Timer() cleanup_counter = 0 for entry in os.listdir(self.config.source_index): pathname = os.path.join(self.config.source_index, entry) if os.path.islink(pathname) and not os.path.exists(pathname): logger.warn('Cleaning up broken symbolic link: %s', pathname) os.unlink(pathname) cleanup_counter += 1 logger.debug('Cleaned up %i broken symbolic links from source index in %s.' , cleanup_counter, cleanup_timer)
clean_source_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cleanup_timer = Timer()\n cleanup_counter = 0\n for entry in os.listdir(self.config.source_index):\n pathname = os.path.join(self.config.source_index, entry)\n if os.path.islink(pathname) and not os.path.exists(pathname):\n logger.warn('Cleaning up broken symbolic link: %s', pathname)\n os.unlink(pathname)\n cleanup_counter += 1\n logger.debug('Cleaned up %i broken symbolic links from source index in %s.'\n , cleanup_counter, cleanup_timer)\n", "role": "user" }, { "content": "clean_source_index", "role": "assistant" } ]
def x(self, arguments, **kw): try: requirements = self.get_requirements(arguments, use_wheels=self. arguments_allow_wheels(arguments)) have_wheels = any(req.is_wheel for req in requirements) if have_wheels and not self.setuptools_supports_wheels(): logger.info( 'Preparing to upgrade to setuptools >= 0.8 to enable wheel support ..' ) requirements.extend(self.get_requirements(['setuptools >= 0.8'])) if requirements: if '--user' in arguments: from site import USER_BASE kw.setdefault('prefix', USER_BASE) return self.install_requirements(requirements, **kw) else: logger.info('Nothing to do! (requirements already installed)') return 0 finally: self.cleanup_temporary_directories()
install_from_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arguments, **kw):\n try:\n requirements = self.get_requirements(arguments, use_wheels=self.\n arguments_allow_wheels(arguments))\n have_wheels = any(req.is_wheel for req in requirements)\n if have_wheels and not self.setuptools_supports_wheels():\n logger.info(\n 'Preparing to upgrade to setuptools >= 0.8 to enable wheel support ..'\n )\n requirements.extend(self.get_requirements(['setuptools >= 0.8']))\n if requirements:\n if '--user' in arguments:\n from site import USER_BASE\n kw.setdefault('prefix', USER_BASE)\n return self.install_requirements(requirements, **kw)\n else:\n logger.info('Nothing to do! (requirements already installed)')\n return 0\n finally:\n self.cleanup_temporary_directories()\n", "role": "user" }, { "content": "install_from_arguments", "role": "assistant" } ]
def x(self, arguments, max_retries=None, use_wheels=False): arguments = self.decorate_arguments(arguments) with DownloadLogFilter(): with SetupRequiresPatch(self.config, self.eggs_links): self.create_build_directory() if any(match_option(a, '-U', '--upgrade') for a in arguments): logger.info( 'Checking index(es) for new version (-U or --upgrade was given) ..' ) else: try: return self.unpack_source_dists(arguments, use_wheels= use_wheels) except DistributionNotFound: logger.info("We don't have all distribution archives yet!") if max_retries is None: max_retries = self.config.max_retries for i in range(max_retries): try: return self.download_source_dists(arguments, use_wheels =use_wheels) except Exception as e: if i + 1 < max_retries: logger.warning( 'pip raised exception while downloading distributions: %s' , e) else: raise logger.info('Retrying after pip failed (%i/%i) ..', i + 1, max_retries)
get_requirements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arguments, max_retries=None, use_wheels=False):\n arguments = self.decorate_arguments(arguments)\n with DownloadLogFilter():\n with SetupRequiresPatch(self.config, self.eggs_links):\n self.create_build_directory()\n if any(match_option(a, '-U', '--upgrade') for a in arguments):\n logger.info(\n 'Checking index(es) for new version (-U or --upgrade was given) ..'\n )\n else:\n try:\n return self.unpack_source_dists(arguments, use_wheels=\n use_wheels)\n except DistributionNotFound:\n logger.info(\"We don't have all distribution archives yet!\")\n if max_retries is None:\n max_retries = self.config.max_retries\n for i in range(max_retries):\n try:\n return self.download_source_dists(arguments, use_wheels\n =use_wheels)\n except Exception as e:\n if i + 1 < max_retries:\n logger.warning(\n 'pip raised exception while downloading distributions: %s'\n , e)\n else:\n raise\n logger.info('Retrying after pip failed (%i/%i) ..', i + 1,\n max_retries)\n", "role": "user" }, { "content": "get_requirements", "role": "assistant" } ]
def x(self, arguments): arguments = list(arguments) for i, value in enumerate(arguments): is_constraint_file = i >= 1 and match_option(arguments[i - 1], '-c', '--constraint') is_requirement_file = i >= 1 and match_option(arguments[i - 1], '-r', '--requirement') if (not is_constraint_file and not is_requirement_file and os.path. isfile(value)): arguments[i] = '%s#md5=%s' % (create_file_url(value), hash_files('md5', value)) return arguments
decorate_arguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arguments):\n arguments = list(arguments)\n for i, value in enumerate(arguments):\n is_constraint_file = i >= 1 and match_option(arguments[i - 1], '-c',\n '--constraint')\n is_requirement_file = i >= 1 and match_option(arguments[i - 1],\n '-r', '--requirement')\n if (not is_constraint_file and not is_requirement_file and os.path.\n isfile(value)):\n arguments[i] = '%s#md5=%s' % (create_file_url(value),\n hash_files('md5', value))\n return arguments\n", "role": "user" }, { "content": "decorate_arguments", "role": "assistant" } ]
def x(self, arguments, use_wheels=False): unpack_timer = Timer() logger.info('Unpacking distribution(s) ..') with PatchedAttribute(pip_install_module, 'PackageFinder', CustomPackageFinder): requirements = self.get_pip_requirement_set(arguments, use_remote_index=False, use_wheels=use_wheels) logger.info('Finished unpacking %s in %s.', pluralize(len( requirements), 'distribution'), unpack_timer) return requirements
unpack_source_dists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arguments, use_wheels=False):\n unpack_timer = Timer()\n logger.info('Unpacking distribution(s) ..')\n with PatchedAttribute(pip_install_module, 'PackageFinder',\n CustomPackageFinder):\n requirements = self.get_pip_requirement_set(arguments,\n use_remote_index=False, use_wheels=use_wheels)\n logger.info('Finished unpacking %s in %s.', pluralize(len(\n requirements), 'distribution'), unpack_timer)\n return requirements\n", "role": "user" }, { "content": "unpack_source_dists", "role": "assistant" } ]
def x(self, arguments, use_wheels=False): download_timer = Timer() logger.info('Downloading missing distribution(s) ..') requirements = self.get_pip_requirement_set(arguments, use_remote_index =True, use_wheels=use_wheels) logger.info('Finished downloading distribution(s) in %s.', download_timer) return requirements
download_source_dists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arguments, use_wheels=False):\n download_timer = Timer()\n logger.info('Downloading missing distribution(s) ..')\n requirements = self.get_pip_requirement_set(arguments, use_remote_index\n =True, use_wheels=use_wheels)\n logger.info('Finished downloading distribution(s) in %s.', download_timer)\n return requirements\n", "role": "user" }, { "content": "download_source_dists", "role": "assistant" } ]
def x(self, arguments, use_remote_index, use_wheels=False): command_line = [] command_line.append('--download=%s' % self.config.source_index) command_line.append('--find-links=%s' % create_file_url(self.config. source_index)) if not use_wheels and self.arguments_allow_wheels(arguments): command_line.append('--no-binary=:all:') if not use_remote_index: command_line.append('--no-index') command_line.append('--no-clean') command_line.append('--build-directory=%s' % self.build_directory) command_line.extend(arguments) logger.info('Executing command: pip install %s', ' '.join(command_line)) self.clear_build_directory() os.environ.setdefault('PIP_EXISTS_ACTION', 'w') command = InstallCommand() opts, args = command.parse_args(command_line) if not opts.ignore_installed: opts = AttributeOverrides(opts, ignore_installed=False) requirement_set = command.run(opts, args) sys.stdout.flush() if requirement_set is None: raise NothingToDoError( """ pip didn't generate a requirement set, most likely you specified an empty requirements file? """ ) else: return self.transform_pip_requirement_set(requirement_set)
get_pip_requirement_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arguments, use_remote_index, use_wheels=False):\n command_line = []\n command_line.append('--download=%s' % self.config.source_index)\n command_line.append('--find-links=%s' % create_file_url(self.config.\n source_index))\n if not use_wheels and self.arguments_allow_wheels(arguments):\n command_line.append('--no-binary=:all:')\n if not use_remote_index:\n command_line.append('--no-index')\n command_line.append('--no-clean')\n command_line.append('--build-directory=%s' % self.build_directory)\n command_line.extend(arguments)\n logger.info('Executing command: pip install %s', ' '.join(command_line))\n self.clear_build_directory()\n os.environ.setdefault('PIP_EXISTS_ACTION', 'w')\n command = InstallCommand()\n opts, args = command.parse_args(command_line)\n if not opts.ignore_installed:\n opts = AttributeOverrides(opts, ignore_installed=False)\n requirement_set = command.run(opts, args)\n sys.stdout.flush()\n if requirement_set is None:\n raise NothingToDoError(\n \"\"\"\n pip didn't generate a requirement set, most likely you\n specified an empty requirements file?\n \"\"\"\n )\n else:\n return self.transform_pip_requirement_set(requirement_set)\n", "role": "user" }, { "content": "get_pip_requirement_set", "role": "assistant" } ]
def x(self, requirement_set): filtered_requirements = [] for requirement in requirement_set.requirements.values(): if requirement.satisfied_by: continue if requirement.constraint: continue filtered_requirements.append(requirement) self.reported_requirements.append(requirement) return sorted([Requirement(self.config, r) for r in filtered_requirements], key=lambda r: r.name.lower())
transform_pip_requirement_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirement_set):\n filtered_requirements = []\n for requirement in requirement_set.requirements.values():\n if requirement.satisfied_by:\n continue\n if requirement.constraint:\n continue\n filtered_requirements.append(requirement)\n self.reported_requirements.append(requirement)\n return sorted([Requirement(self.config, r) for r in\n filtered_requirements], key=lambda r: r.name.lower())\n", "role": "user" }, { "content": "transform_pip_requirement_set", "role": "assistant" } ]
def x(self, requirements, **kw): install_timer = Timer() install_types = [] if any(not req.is_wheel for req in requirements): install_types.append('binary') if any(req.is_wheel for req in requirements): install_types.append('wheel') logger.info('Installing from %s distributions ..', concatenate( install_types)) kw.setdefault('track_installed_files', True) num_installed = 0 for requirement in requirements: if requirement.name == 'setuptools' and is_installed('distribute'): uninstall('distribute') if requirement.is_editable: logger.debug('Installing %s in editable form using pip.', requirement) with TransactionalUpdate(requirement): command = InstallCommand() opts, args = command.parse_args(['--no-deps', '--editable', requirement.source_directory]) command.run(opts, args) elif requirement.is_wheel: logger.info('Installing %s wheel distribution using pip ..', requirement) with TransactionalUpdate(requirement): wheel_version = pip_wheel_module.wheel_version(requirement. source_directory) pip_wheel_module.check_compatibility(wheel_version, requirement.name) requirement.pip_requirement.move_wheel_files(requirement. source_directory) else: logger.info('Installing %s binary distribution using pip-accel ..', requirement) with TransactionalUpdate(requirement): binary_distribution = self.bdists.get_binary_dist(requirement) self.bdists.install_binary_dist(binary_distribution, **kw) num_installed += 1 logger.info('Finished installing %s in %s.', pluralize(num_installed, 'requirement'), install_timer) return num_installed
install_requirements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requirements, **kw):\n install_timer = Timer()\n install_types = []\n if any(not req.is_wheel for req in requirements):\n install_types.append('binary')\n if any(req.is_wheel for req in requirements):\n install_types.append('wheel')\n logger.info('Installing from %s distributions ..', concatenate(\n install_types))\n kw.setdefault('track_installed_files', True)\n num_installed = 0\n for requirement in requirements:\n if requirement.name == 'setuptools' and is_installed('distribute'):\n uninstall('distribute')\n if requirement.is_editable:\n logger.debug('Installing %s in editable form using pip.',\n requirement)\n with TransactionalUpdate(requirement):\n command = InstallCommand()\n opts, args = command.parse_args(['--no-deps', '--editable',\n requirement.source_directory])\n command.run(opts, args)\n elif requirement.is_wheel:\n logger.info('Installing %s wheel distribution using pip ..',\n requirement)\n with TransactionalUpdate(requirement):\n wheel_version = pip_wheel_module.wheel_version(requirement.\n source_directory)\n pip_wheel_module.check_compatibility(wheel_version,\n requirement.name)\n requirement.pip_requirement.move_wheel_files(requirement.\n source_directory)\n else:\n logger.info('Installing %s binary distribution using pip-accel ..',\n requirement)\n with TransactionalUpdate(requirement):\n binary_distribution = self.bdists.get_binary_dist(requirement)\n self.bdists.install_binary_dist(binary_distribution, **kw)\n num_installed += 1\n logger.info('Finished installing %s in %s.', pluralize(num_installed,\n 'requirement'), install_timer)\n return num_installed\n", "role": "user" }, { "content": "install_requirements", "role": "assistant" } ]
def x(self): stat = os.stat(self.build_directory) shutil.rmtree(self.build_directory) os.makedirs(self.build_directory, stat.st_mode)
clear_build_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n stat = os.stat(self.build_directory)\n shutil.rmtree(self.build_directory)\n os.makedirs(self.build_directory, stat.st_mode)\n", "role": "user" }, { "content": "clear_build_directory", "role": "assistant" } ]
def x(self): while self.build_directories: shutil.rmtree(self.build_directories.pop()) for requirement in self.reported_requirements: requirement.remove_temporary_source() while self.eggs_links: symbolic_link = self.eggs_links.pop() if os.path.islink(symbolic_link): os.unlink(symbolic_link)
cleanup_temporary_directories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while self.build_directories:\n shutil.rmtree(self.build_directories.pop())\n for requirement in self.reported_requirements:\n requirement.remove_temporary_source()\n while self.eggs_links:\n symbolic_link = self.eggs_links.pop()\n if os.path.islink(symbolic_link):\n os.unlink(symbolic_link)\n", "role": "user" }, { "content": "cleanup_temporary_directories", "role": "assistant" } ]
def x(self, record): if isinstance(record.msg, basestring): message = record.msg.lower() if all(kw in message for kw in self.KEYWORDS): record.levelname = 'DEBUG' record.levelno = logging.DEBUG return 1
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record):\n if isinstance(record.msg, basestring):\n message = record.msg.lower()\n if all(kw in message for kw in self.KEYWORDS):\n record.levelname = 'DEBUG'\n record.levelno = logging.DEBUG\n return 1\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(): arguments = sys.argv[1:] if not arguments: usage() sys.exit(0) if 'install' not in arguments: os.execvp('pip', ['pip'] + arguments) else: arguments = [arg for arg in arguments if arg != 'install'] config = Config() coloredlogs.install(fmt=config.log_format, level=config.log_verbosity) for argument in list(arguments): if match_option(argument, '-v', '--verbose'): coloredlogs.increase_verbosity() elif match_option(argument, '-q', '--quiet'): coloredlogs.decrease_verbosity() try: accelerator = PipAccelerator(config) accelerator.install_from_arguments(arguments) except NothingToDoError as e: logger.warning('%s', e) sys.exit(0) except Exception: logger.exception('Caught unhandled exception!') sys.exit(1)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n arguments = sys.argv[1:]\n if not arguments:\n usage()\n sys.exit(0)\n if 'install' not in arguments:\n os.execvp('pip', ['pip'] + arguments)\n else:\n arguments = [arg for arg in arguments if arg != 'install']\n config = Config()\n coloredlogs.install(fmt=config.log_format, level=config.log_verbosity)\n for argument in list(arguments):\n if match_option(argument, '-v', '--verbose'):\n coloredlogs.increase_verbosity()\n elif match_option(argument, '-q', '--quiet'):\n coloredlogs.decrease_verbosity()\n try:\n accelerator = PipAccelerator(config)\n accelerator.install_from_arguments(arguments)\n except NothingToDoError as e:\n logger.warning('%s', e)\n sys.exit(0)\n except Exception:\n logger.exception('Caught unhandled exception!')\n sys.exit(1)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, filename): pathname = os.path.join(self.config.binary_cache, filename) if os.path.isfile(pathname): logger.debug('Distribution archive exists in local cache (%s).', pathname) return pathname else: logger.debug("Distribution archive doesn't exist in local cache (%s).", pathname) return None
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n pathname = os.path.join(self.config.binary_cache, filename)\n if os.path.isfile(pathname):\n logger.debug('Distribution archive exists in local cache (%s).',\n pathname)\n return pathname\n else:\n logger.debug(\"Distribution archive doesn't exist in local cache (%s).\",\n pathname)\n return None\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, filename, handle): file_in_cache = os.path.join(self.config.binary_cache, filename) logger.debug('Storing distribution archive in local cache: %s', file_in_cache) makedirs(os.path.dirname(file_in_cache)) with AtomicReplace(file_in_cache) as temporary_file: with open(temporary_file, 'wb') as temporary_file_handle: shutil.copyfileobj(handle, temporary_file_handle) logger.debug('Finished caching distribution archive in local cache.')
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, handle):\n file_in_cache = os.path.join(self.config.binary_cache, filename)\n logger.debug('Storing distribution archive in local cache: %s',\n file_in_cache)\n makedirs(os.path.dirname(file_in_cache))\n with AtomicReplace(file_in_cache) as temporary_file:\n with open(temporary_file, 'wb') as temporary_file_handle:\n shutil.copyfileobj(handle, temporary_file_handle)\n logger.debug('Finished caching distribution archive in local cache.')\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, value): if not value: return [] return [v.strip() for v in value.splitlines() if v != '']
to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not value:\n return []\n return [v.strip() for v in value.splitlines() if v != '']\n", "role": "user" }, { "content": "to_python", "role": "assistant" } ]
def x(self, value): super(MultiEmailField, self).validate(value) try: for email in value: validate_email(email) except ValidationError: raise ValidationError(self.message, code=self.code)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n super(MultiEmailField, self).validate(value)\n try:\n for email in value:\n validate_email(email)\n except ValidationError:\n raise ValidationError(self.message, code=self.code)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, value): if value in MULTI_EMAIL_FIELD_EMPTY_VALUES: return '' elif isinstance(value, six.string_types): return value elif isinstance(value, list): return '\n'.join(value) raise ValidationError('Invalid format.')
prep_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value in MULTI_EMAIL_FIELD_EMPTY_VALUES:\n return ''\n elif isinstance(value, six.string_types):\n return value\n elif isinstance(value, list):\n return '\\n'.join(value)\n raise ValidationError('Invalid format.')\n", "role": "user" }, { "content": "prep_value", "role": "assistant" } ]
def x() ->None: if _logger is not None: _log(INFO, 'Process', local.name, 'pause') Process.current().rsim()._gr.switch()
pause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->None:\n if _logger is not None:\n _log(INFO, 'Process', local.name, 'pause')\n Process.current().rsim()._gr.switch()\n", "role": "user" }, { "content": "pause", "role": "assistant" } ]
def x(delay: float) ->None: if _logger is not None: _log(INFO, 'Process', local.name, 'advance', delay=delay) curr = Process.current() rsim = curr.rsim id_wakeup = rsim()._schedule(delay, curr.switch) try: rsim()._gr.switch() except Interrupt: rsim()._cancel(id_wakeup) raise
advance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(delay: float) ->None:\n if _logger is not None:\n _log(INFO, 'Process', local.name, 'advance', delay=delay)\n curr = Process.current()\n rsim = curr.rsim\n id_wakeup = rsim()._schedule(delay, curr.switch)\n try:\n rsim()._gr.switch()\n except Interrupt:\n rsim()._cancel(id_wakeup)\n raise\n", "role": "user" }, { "content": "advance", "role": "assistant" } ]
def x(intervals: Iterable[float], name: Optional[str]=None) ->Callable: def x(event: Callable): def x(*args_event: Any, **kwargs_event: Any) ->None: if name is not None: local.name = cast(str, name) for interval in intervals: advance(interval) add(event, *args_event, **kwargs_event) return make_happen return hook
happens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(intervals: Iterable[float], name: Optional[str]=None) ->Callable:\n\n def x(event: Callable):\n\n def x(*args_event: Any, **kwargs_event: Any) ->None:\n if name is not None:\n local.name = cast(str, name)\n for interval in intervals:\n advance(interval)\n add(event, *args_event, **kwargs_event)\n return make_happen\n return hook\n", "role": "user" }, { "content": "happens", "role": "assistant" } ]
def x(*tags: Tags) ->Callable: global GREENSIM_TAG_ATTRIBUTE """ Decorator for adding a label to the process. These labels are applied to any child Processes produced by event """ def x(event: Callable): def x(*args, **kwargs): event(*args, **kwargs) setattr(wrapper, GREENSIM_TAG_ATTRIBUTE, tags) return wrapper return hook
tagged
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*tags: Tags) ->Callable:\n global GREENSIM_TAG_ATTRIBUTE\n \"\"\"\n Decorator for adding a label to the process.\n These labels are applied to any child Processes produced by event\n \"\"\"\n\n def x(event: Callable):\n\n def x(*args, **kwargs):\n event(*args, **kwargs)\n setattr(wrapper, GREENSIM_TAG_ATTRIBUTE, tags)\n return wrapper\n return hook\n", "role": "user" }, { "content": "tagged", "role": "assistant" } ]
def x(*signals: Signal, **kwargs) ->List[Signal]: class CleanUp(Interrupt): pass timeout = kwargs.get('timeout', None) if not isinstance(timeout, (float, int, type(None))): raise ValueError( 'The timeout keyword parameter can be either None or a number.') def x(signal: Signal, common: Signal) ->None: try: signal.wait() common.turn_on() except CleanUp: pass common = Signal(name=local.name + '-selector').turn_off() if _logger is not None: _log(INFO, 'select', 'select', 'select', signals=[sig.name for sig in signals]) procs = [] for signal in signals: procs.append(add(wait_one, signal, common)) try: common.wait(timeout) finally: for proc in procs: proc.interrupt(CleanUp()) return [signal for signal in signals if signal.is_on]
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*signals: Signal, **kwargs) ->List[Signal]:\n\n\n class CleanUp(Interrupt):\n pass\n timeout = kwargs.get('timeout', None)\n if not isinstance(timeout, (float, int, type(None))):\n raise ValueError(\n 'The timeout keyword parameter can be either None or a number.')\n\n def x(signal: Signal, common: Signal) ->None:\n try:\n signal.wait()\n common.turn_on()\n except CleanUp:\n pass\n common = Signal(name=local.name + '-selector').turn_off()\n if _logger is not None:\n _log(INFO, 'select', 'select', 'select', signals=[sig.name for sig in\n signals])\n procs = []\n for signal in signals:\n procs.append(add(wait_one, signal, common))\n try:\n common.wait(timeout)\n finally:\n for proc in procs:\n proc.interrupt(CleanUp())\n return [signal for signal in signals if signal.is_on]\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self) ->Iterable[Tuple[Optional[float], Callable, Sequence[Any], Mapping[str, Any]]]: return ((event.timestamp, event.fn, event.args, event.kwargs) for event in self._events if not event.is_cancelled)
events
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Iterable[Tuple[Optional[float], Callable, Sequence[Any],\n Mapping[str, Any]]]:\n return ((event.timestamp, event.fn, event.args, event.kwargs) for event in\n self._events if not event.is_cancelled)\n", "role": "user" }, { "content": "events", "role": "assistant" } ]
def x(self, delay: float, event: Callable, *args: Any, **kwargs: Any) ->int: if _logger is not None: self._log(DEBUG, 'schedule', delay=delay, fn=event, args=args, kwargs=kwargs, counter=self._counter, __now=self.now()) delay = float(delay) if delay < 0.0: raise ValueError('Delay must be positive.') id_event = self._counter heappush(self._events, _Event(self._ts_now + delay, id_event, event, * args, **kwargs)) self._counter += 1 return id_event
schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, delay: float, event: Callable, *args: Any, **kwargs: Any) ->int:\n if _logger is not None:\n self._log(DEBUG, 'schedule', delay=delay, fn=event, args=args,\n kwargs=kwargs, counter=self._counter, __now=self.now())\n delay = float(delay)\n if delay < 0.0:\n raise ValueError('Delay must be positive.')\n id_event = self._counter\n heappush(self._events, _Event(self._ts_now + delay, id_event, event, *\n args, **kwargs))\n self._counter += 1\n return id_event\n", "role": "user" }, { "content": "schedule", "role": "assistant" } ]
def x(self, id_cancel) ->None: if _logger is not None: self._log(DEBUG, 'cancel', id=id_cancel) for event in self._events: if event.identifier == id_cancel: event.cancel() break
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id_cancel) ->None:\n if _logger is not None:\n self._log(DEBUG, 'cancel', id=id_cancel)\n for event in self._events:\n if event.identifier == id_cancel:\n event.cancel()\n break\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(self, fn_process: Callable, *args: Any, **kwargs: Any) ->'Process': return self.add_in(0.0, fn_process, *args, **kwargs)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn_process: Callable, *args: Any, **kwargs: Any) ->'Process':\n return self.add_in(0.0, fn_process, *args, **kwargs)\n", "role": "user" }, { "content": "add", "role": "assistant" } ]
def x(self, delay: float, fn_process: Callable, *args: Any, **kwargs: Any ) ->'Process': process = Process(self, fn_process, self._gr) if _logger is not None: self._log(INFO, 'add', __now=self.now(), fn=fn_process, args=args, kwargs=kwargs) self._schedule(delay, process.switch, *args, **kwargs) return process
add_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, delay: float, fn_process: Callable, *args: Any, **kwargs: Any\n ) ->'Process':\n process = Process(self, fn_process, self._gr)\n if _logger is not None:\n self._log(INFO, 'add', __now=self.now(), fn=fn_process, args=args,\n kwargs=kwargs)\n self._schedule(delay, process.switch, *args, **kwargs)\n return process\n", "role": "user" }, { "content": "add_in", "role": "assistant" } ]
def x(self, moment: float, fn_process: Callable, *args: Any, **kwargs: Any ) ->'Process': delay = moment - self.now() if delay < 0.0: raise ValueError( f'The given moment to start the process ({moment:f}) is in the past (now is {self.now():f}).' ) return self.add_in(delay, fn_process, *args, **kwargs)
add_at
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, moment: float, fn_process: Callable, *args: Any, **kwargs: Any\n ) ->'Process':\n delay = moment - self.now()\n if delay < 0.0:\n raise ValueError(\n f'The given moment to start the process ({moment:f}) is in the past (now is {self.now():f}).'\n )\n return self.add_in(delay, fn_process, *args, **kwargs)\n", "role": "user" }, { "content": "add_at", "role": "assistant" } ]
def x(self, duration: float=inf) ->None: if _logger is not None: self._log(INFO, 'run', __now=self.now(), duration=duration) counter_stop_event = None if duration != inf: counter_stop_event = self._counter self._schedule(duration, self.stop) self._is_running = True while self.is_running and len(self._events) > 0: event = heappop(self._events) self._ts_now = event.timestamp or self._ts_now event.execute(self) if len(self._events) == 0: if _logger is not None: self._log(DEBUG, 'out-of-events', __now=self.now()) self.stop() if counter_stop_event is not None: for i, event in enumerate(self._events): if event.identifier == counter_stop_event: if _logger is not None: self._log(DEBUG, 'cancel-stop', counter=counter_stop_event) event.cancel() break
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, duration: float=inf) ->None:\n if _logger is not None:\n self._log(INFO, 'run', __now=self.now(), duration=duration)\n counter_stop_event = None\n if duration != inf:\n counter_stop_event = self._counter\n self._schedule(duration, self.stop)\n self._is_running = True\n while self.is_running and len(self._events) > 0:\n event = heappop(self._events)\n self._ts_now = event.timestamp or self._ts_now\n event.execute(self)\n if len(self._events) == 0:\n if _logger is not None:\n self._log(DEBUG, 'out-of-events', __now=self.now())\n self.stop()\n if counter_stop_event is not None:\n for i, event in enumerate(self._events):\n if event.identifier == counter_stop_event:\n if _logger is not None:\n self._log(DEBUG, 'cancel-stop', counter=counter_stop_event)\n event.cancel()\n break\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self) ->None: event = heappop(self._events) self._ts_now = event.timestamp or self._ts_now event.execute(self)
step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n event = heappop(self._events)\n self._ts_now = event.timestamp or self._ts_now\n event.execute(self)\n", "role": "user" }, { "content": "step", "role": "assistant" } ]
def x(self) ->None: if self.is_running: if _logger is not None: self._log(INFO, 'stop', __now=self.now()) self._is_running = False
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n if self.is_running:\n if _logger is not None:\n self._log(INFO, 'stop', __now=self.now())\n self._is_running = False\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self) ->None: for _, event, _, _ in self.events(): if hasattr(event, '__self__') and isinstance(event.__self__, Process): event.__self__.throw() self._events.clear() self._ts_now = 0.0
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n for _, event, _, _ in self.events():\n if hasattr(event, '__self__') and isinstance(event.__self__, Process):\n event.__self__.throw()\n self._events.clear()\n self._ts_now = 0.0\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, *args: Any, **kwargs: Any) ->None: try: self._body(*args, **kwargs) if _logger is not None: _log(INFO, 'Process', self.local.name, 'die-finish') except Interrupt: if _logger is not None: _log(INFO, 'Process', self.local.name, 'die-interrupt')
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args: Any, **kwargs: Any) ->None:\n try:\n self._body(*args, **kwargs)\n if _logger is not None:\n _log(INFO, 'Process', self.local.name, 'die-finish')\n except Interrupt:\n if _logger is not None:\n _log(INFO, 'Process', self.local.name, 'die-interrupt')\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, t: type, *args) ->None: t.__init__.__get__(self)(*args)
bind_and_call_constructor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, t: type, *args) ->None:\n t.__init__.__get__(self)(*args)\n", "role": "user" }, { "content": "bind_and_call_constructor", "role": "assistant" } ]
def x() ->'Process': curr = greenlet.getcurrent() if not isinstance(curr, Process): raise TypeError( 'Current greenlet does not correspond to a Process instance.') return cast(Process, greenlet.getcurrent())
current
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->'Process':\n curr = greenlet.getcurrent()\n if not isinstance(curr, Process):\n raise TypeError(\n 'Current greenlet does not correspond to a Process instance.')\n return cast(Process, greenlet.getcurrent())\n", "role": "user" }, { "content": "current", "role": "assistant" } ]
def x(self) ->None: if _logger is not None: _log(INFO, 'Process', self.local.name, 'resume') self.rsim()._schedule(0.0, self.switch)
resume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n if _logger is not None:\n _log(INFO, 'Process', self.local.name, 'resume')\n self.rsim()._schedule(0.0, self.switch)\n", "role": "user" }, { "content": "resume", "role": "assistant" } ]
def x(self, inter: Optional[Interrupt]=None) ->None: if inter is None: inter = Interrupt() if _logger is not None: _log(INFO, 'Process', self.local.name, 'interrupt', type=type(inter ).__name__) self.rsim()._schedule(0.0, self.throw, inter)
interrupt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inter: Optional[Interrupt]=None) ->None:\n if inter is None:\n inter = Interrupt()\n if _logger is not None:\n _log(INFO, 'Process', self.local.name, 'interrupt', type=type(inter\n ).__name__)\n self.rsim()._schedule(0.0, self.throw, inter)\n", "role": "user" }, { "content": "interrupt", "role": "assistant" } ]
def x(self, timeout: Optional[float]=None): class CancelBalk(Interrupt): pass self._counter += 1 if _logger is not None: self._log(INFO, 'join') heappush(self._waiting, (self._get_order_token(self._counter), Process. current())) proc_balk = None if timeout is not None: def x(proc): nonlocal proc_balk try: advance(cast(float, timeout)) proc.interrupt(Timeout()) except CancelBalk: pass finally: proc_balk = None proc_balk = add(balk, Process.current()) try: pause() except Interrupt: current = Process.current() for index in reversed([i for i, (_, proc) in enumerate(self. _waiting) if proc is current]): del self._waiting[index] heapify(self._waiting) raise finally: if proc_balk is not None: proc_balk.interrupt(CancelBalk())
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout: Optional[float]=None):\n\n\n class CancelBalk(Interrupt):\n pass\n self._counter += 1\n if _logger is not None:\n self._log(INFO, 'join')\n heappush(self._waiting, (self._get_order_token(self._counter), Process.\n current()))\n proc_balk = None\n if timeout is not None:\n\n def x(proc):\n nonlocal proc_balk\n try:\n advance(cast(float, timeout))\n proc.interrupt(Timeout())\n except CancelBalk:\n pass\n finally:\n proc_balk = None\n proc_balk = add(balk, Process.current())\n try:\n pause()\n except Interrupt:\n current = Process.current()\n for index in reversed([i for i, (_, proc) in enumerate(self.\n _waiting) if proc is current]):\n del self._waiting[index]\n heapify(self._waiting)\n raise\n finally:\n if proc_balk is not None:\n proc_balk.interrupt(CancelBalk())\n", "role": "user" }, { "content": "join", "role": "assistant" } ]
def x(self): if not self.is_empty(): _, process = heappop(self._waiting) if _logger is not None: self._log(INFO, 'pop', process=process.local.name) process.resume()
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.is_empty():\n _, process = heappop(self._waiting)\n if _logger is not None:\n self._log(INFO, 'pop', process=process.local.name)\n process.resume()\n", "role": "user" }, { "content": "pop", "role": "assistant" } ]
def x(self) ->'Signal': if _logger is not None: self._log(INFO, 'turn-on') self._is_on = True while not self._queue.is_empty(): self._queue.pop() return self
turn_on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->'Signal':\n if _logger is not None:\n self._log(INFO, 'turn-on')\n self._is_on = True\n while not self._queue.is_empty():\n self._queue.pop()\n return self\n", "role": "user" }, { "content": "turn_on", "role": "assistant" } ]
def x(self) ->'Signal': if _logger is not None: self._log(INFO, 'turn-off') self._is_on = False return self
turn_off
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->'Signal':\n if _logger is not None:\n self._log(INFO, 'turn-off')\n self._is_on = False\n return self\n", "role": "user" }, { "content": "turn_off", "role": "assistant" } ]
def x(self, timeout: Optional[float]=None) ->None: if _logger is not None: self._log(INFO, 'wait') while not self.is_on: self._queue.join(timeout)
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout: Optional[float]=None) ->None:\n if _logger is not None:\n self._log(INFO, 'wait')\n while not self.is_on:\n self._queue.join(timeout)\n", "role": "user" }, { "content": "wait", "role": "assistant" } ]
def x(self, num_instances: int=1, timeout: Optional[float]=None) ->None: if num_instances < 1: raise ValueError( f'Process must request at least 1 instance; here requested {num_instances}.' ) if num_instances > self.num_instances_total: raise ValueError( f'Process must request at most {self.num_instances_total} instances; here requested {num_instances}.' ) if _logger is not None: self._log(INFO, 'take', num_instances=num_instances, free=self. num_instances_free) proc = Process.current() if self._num_instances_free < num_instances: proc.local.__num_instances_required = num_instances try: self._waiting.join(timeout) finally: del proc.local.__num_instances_required self._num_instances_free -= num_instances if _logger is not None and proc in self._usage: self._log(WARNING, 'take-again', already=self._usage[proc], more= num_instances) self._usage.setdefault(proc, 0) self._usage[proc] += num_instances
take
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num_instances: int=1, timeout: Optional[float]=None) ->None:\n if num_instances < 1:\n raise ValueError(\n f'Process must request at least 1 instance; here requested {num_instances}.'\n )\n if num_instances > self.num_instances_total:\n raise ValueError(\n f'Process must request at most {self.num_instances_total} instances; here requested {num_instances}.'\n )\n if _logger is not None:\n self._log(INFO, 'take', num_instances=num_instances, free=self.\n num_instances_free)\n proc = Process.current()\n if self._num_instances_free < num_instances:\n proc.local.__num_instances_required = num_instances\n try:\n self._waiting.join(timeout)\n finally:\n del proc.local.__num_instances_required\n self._num_instances_free -= num_instances\n if _logger is not None and proc in self._usage:\n self._log(WARNING, 'take-again', already=self._usage[proc], more=\n num_instances)\n self._usage.setdefault(proc, 0)\n self._usage[proc] += num_instances\n", "role": "user" }, { "content": "take", "role": "assistant" } ]
def x(self, num_instances: int=1) ->None: proc = Process.current() error_format = ( 'Process %s holds %s instances, but requests to release more (%s)') if self._usage.get(proc, 0) > 0: if num_instances > self._usage[proc]: raise ValueError(error_format % (proc.local.name, self._usage[ proc], num_instances)) self._usage[proc] -= num_instances self._num_instances_free += num_instances if _logger is not None: self._log(INFO, 'release', num_instances=num_instances, keeping =self._usage[proc], free=self.num_instances_free) if self._usage[proc] <= 0: del self._usage[proc] if not self._waiting.is_empty(): num_instances_next = cast(int, self._waiting.peek().local. __num_instances_required) if num_instances_next <= self.num_instances_free: self._waiting.pop() elif _logger is not None: self._log(DEBUG, 'release-nopop', next_requires= num_instances_next, free=self.num_instances_free) elif _logger is not None: self._log(DEBUG, 'release-queueempty') else: raise RuntimeError( f'Process {proc.local.name} tries to release {num_instances} instances, but is holding none.)' )
release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num_instances: int=1) ->None:\n proc = Process.current()\n error_format = (\n 'Process %s holds %s instances, but requests to release more (%s)')\n if self._usage.get(proc, 0) > 0:\n if num_instances > self._usage[proc]:\n raise ValueError(error_format % (proc.local.name, self._usage[\n proc], num_instances))\n self._usage[proc] -= num_instances\n self._num_instances_free += num_instances\n if _logger is not None:\n self._log(INFO, 'release', num_instances=num_instances, keeping\n =self._usage[proc], free=self.num_instances_free)\n if self._usage[proc] <= 0:\n del self._usage[proc]\n if not self._waiting.is_empty():\n num_instances_next = cast(int, self._waiting.peek().local.\n __num_instances_required)\n if num_instances_next <= self.num_instances_free:\n self._waiting.pop()\n elif _logger is not None:\n self._log(DEBUG, 'release-nopop', next_requires=\n num_instances_next, free=self.num_instances_free)\n elif _logger is not None:\n self._log(DEBUG, 'release-queueempty')\n else:\n raise RuntimeError(\n f'Process {proc.local.name} tries to release {num_instances} instances, but is holding none.)'\n )\n", "role": "user" }, { "content": "release", "role": "assistant" } ]
def x(self, num_instances: int=1, timeout: Optional[float]=None): self.take(num_instances, timeout) yield self self.release(num_instances)
using
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num_instances: int=1, timeout: Optional[float]=None):\n self.take(num_instances, timeout)\n yield self\n self.release(num_instances)\n", "role": "user" }, { "content": "using", "role": "assistant" } ]
def x(file_dest_maybe: Optional[IO]=None): file_dest: IO = file_dest_maybe or sys.stderr def x(progress_min: float, rt_remaining: float, _mc: MeasureComparison ) ->None: nonlocal file_dest percent_progress = progress_min * 100.0 time_remaining, unit = _display_time(rt_remaining) print( f'Progress: {percent_progress:.1f}% -- Time remaining: {time_remaining} {unit} ' , end='\r', file=file_dest) return _print_progress
capture_print
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_dest_maybe: Optional[IO]=None):\n file_dest: IO = file_dest_maybe or sys.stderr\n\n def x(progress_min: float, rt_remaining: float, _mc: MeasureComparison\n ) ->None:\n nonlocal file_dest\n percent_progress = progress_min * 100.0\n time_remaining, unit = _display_time(rt_remaining)\n print(\n f'Progress: {percent_progress:.1f}% -- Time remaining: {time_remaining} {unit} '\n , end='\\r', file=file_dest)\n return _print_progress\n", "role": "user" }, { "content": "capture_print", "role": "assistant" } ]
def x(measure: MeasureProgress, target: MetricProgress, interval_check: float, capture_maybe: Optional[CaptureProgress]=None) ->None: def x() ->MeasureComparison: return list(zip(measure(), target)) def x(progress: MeasureComparison) ->bool: return all(p >= t for p, t in progress) capture = capture_maybe or capture_print() rt_started = now_real() while True: advance(interval_check) rt_elapsed = now_real() - rt_started progress = measure_to_target() ratio_progress_min = min(m / t for m, t in progress) if ratio_progress_min == 0.0: rt_total_projected = inf else: rt_total_projected = rt_elapsed / ratio_progress_min capture(ratio_progress_min, rt_total_projected - rt_elapsed, progress) if is_finished(progress): stop() break
track_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(measure: MeasureProgress, target: MetricProgress, interval_check:\n float, capture_maybe: Optional[CaptureProgress]=None) ->None:\n\n def x() ->MeasureComparison:\n return list(zip(measure(), target))\n\n def x(progress: MeasureComparison) ->bool:\n return all(p >= t for p, t in progress)\n capture = capture_maybe or capture_print()\n rt_started = now_real()\n while True:\n advance(interval_check)\n rt_elapsed = now_real() - rt_started\n progress = measure_to_target()\n ratio_progress_min = min(m / t for m, t in progress)\n if ratio_progress_min == 0.0:\n rt_total_projected = inf\n else:\n rt_total_projected = rt_elapsed / ratio_progress_min\n capture(ratio_progress_min, rt_total_projected - rt_elapsed, progress)\n if is_finished(progress):\n stop()\n break\n", "role": "user" }, { "content": "track_progress", "role": "assistant" } ]
def x(seq, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, max_nn_length =60, tm_method='santalucia', salt_corrections_method='santalucia'): tm_meth = _tm_methods.get(tm_method) if tm_meth is None: raise ValueError('{} is not a valid tm calculation method'.format( tm_method)) salt_meth = _salt_corrections_methods.get(salt_corrections_method) if salt_meth is None: raise ValueError('{} is not a valid salt correction method'.format( salt_corrections_method)) args = [pjoin(PRIMER3_HOME, 'oligotm'), '-mv', str(mv_conc), '-dv', str (dv_conc), '-n', str(dntp_conc), '-d', str(dna_conc), '-tp', str( tm_meth), '-sc', str(salt_meth), seq] tm = subprocess.check_output(args, stderr=DEV_NULL, env=os.environ) return float(tm)
calcTm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, max_nn_length\n =60, tm_method='santalucia', salt_corrections_method='santalucia'):\n tm_meth = _tm_methods.get(tm_method)\n if tm_meth is None:\n raise ValueError('{} is not a valid tm calculation method'.format(\n tm_method))\n salt_meth = _salt_corrections_methods.get(salt_corrections_method)\n if salt_meth is None:\n raise ValueError('{} is not a valid salt correction method'.format(\n salt_corrections_method))\n args = [pjoin(PRIMER3_HOME, 'oligotm'), '-mv', str(mv_conc), '-dv', str\n (dv_conc), '-n', str(dntp_conc), '-d', str(dna_conc), '-tp', str(\n tm_meth), '-sc', str(salt_meth), seq]\n tm = subprocess.check_output(args, stderr=DEV_NULL, env=os.environ)\n return float(tm)\n", "role": "user" }, { "content": "calcTm", "role": "assistant" } ]
def x(ntthal_output): parsed_vals = re.search(_ntthal_re, ntthal_output) return THERMORESULT(True, float(parsed_vals.group(1)), float( parsed_vals.group(2)), float(parsed_vals.group(3)), float( parsed_vals.group(4))) if parsed_vals else NULLTHERMORESULT
parse_ntthal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ntthal_output):\n parsed_vals = re.search(_ntthal_re, ntthal_output)\n return THERMORESULT(True, float(parsed_vals.group(1)), float(\n parsed_vals.group(2)), float(parsed_vals.group(3)), float(\n parsed_vals.group(4))) if parsed_vals else NULLTHERMORESULT\n", "role": "user" }, { "content": "parse_ntthal", "role": "assistant" } ]
def x(seq1, seq2, calc_type='ANY', mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c=37, max_loop=30, temp_only=False): args = [pjoin(PRIMER3_HOME, 'ntthal'), '-a', str(calc_type), '-mv', str (mv_conc), '-dv', str(dv_conc), '-n', str(dntp_conc), '-d', str( dna_conc), '-t', str(temp_c), '-maxloop', str(max_loop), '-path', THERMO_PATH, '-s1', seq1, '-s2', seq2] if temp_only: args += ['-r'] out = subprocess.check_output(args, stderr=DEV_NULL, env=os.environ) return _parse_ntthal(out)
calcThermo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seq2, calc_type='ANY', mv_conc=50, dv_conc=0, dntp_conc=0.8,\n dna_conc=50, temp_c=37, max_loop=30, temp_only=False):\n args = [pjoin(PRIMER3_HOME, 'ntthal'), '-a', str(calc_type), '-mv', str\n (mv_conc), '-dv', str(dv_conc), '-n', str(dntp_conc), '-d', str(\n dna_conc), '-t', str(temp_c), '-maxloop', str(max_loop), '-path',\n THERMO_PATH, '-s1', seq1, '-s2', seq2]\n if temp_only:\n args += ['-r']\n out = subprocess.check_output(args, stderr=DEV_NULL, env=os.environ)\n return _parse_ntthal(out)\n", "role": "user" }, { "content": "calcThermo", "role": "assistant" } ]
def x(seq, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c=37, max_loop=30, temp_only=False): return calcThermo(seq, seq, 'HAIRPIN', mv_conc, dv_conc, dntp_conc, dna_conc, temp_c, max_loop, temp_only)
calcHairpin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c=37,\n max_loop=30, temp_only=False):\n return calcThermo(seq, seq, 'HAIRPIN', mv_conc, dv_conc, dntp_conc,\n dna_conc, temp_c, max_loop, temp_only)\n", "role": "user" }, { "content": "calcHairpin", "role": "assistant" } ]
def x(seq1, seq2, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c =37, max_loop=30, temp_only=False): return calcThermo(seq1, seq2, 'ANY', mv_conc, dv_conc, dntp_conc, dna_conc, temp_c, max_loop, temp_only)
calcHeterodimer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seq2, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c\n =37, max_loop=30, temp_only=False):\n return calcThermo(seq1, seq2, 'ANY', mv_conc, dv_conc, dntp_conc,\n dna_conc, temp_c, max_loop, temp_only)\n", "role": "user" }, { "content": "calcHeterodimer", "role": "assistant" } ]
def x(seq): hairpin_out = calcHairpin(seq) homodimer_out = calcHomodimer(seq) return hairpin_out, homodimer_out
assessOligo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq):\n hairpin_out = calcHairpin(seq)\n homodimer_out = calcHomodimer(seq)\n return hairpin_out, homodimer_out\n", "role": "user" }, { "content": "assessOligo", "role": "assistant" } ]
def x(p3_args, input_log=None, output_log=None, err_log=None): sp = subprocess.Popen([pjoin(PRIMER3_HOME, 'primer3_core')], stdout= subprocess.PIPE, stdin=subprocess.PIPE, stderr=subprocess.STDOUT) p3_args.setdefault('PRIMER_THERMODYNAMIC_PARAMETERS_PATH', pjoin( PRIMER3_HOME, 'primer3_config/')) in_str = _formatBoulderIO(p3_args) if input_log: input_log.write(in_str) input_log.flush() out_str, err_str = sp.communicate(input=in_str) if output_log: output_log.write(out_str) output_log.flush() if err_log and err_str is not None: err_log.write(err_str) err_log.flush() return _parseBoulderIO(out_str)
designPrimers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p3_args, input_log=None, output_log=None, err_log=None):\n sp = subprocess.Popen([pjoin(PRIMER3_HOME, 'primer3_core')], stdout=\n subprocess.PIPE, stdin=subprocess.PIPE, stderr=subprocess.STDOUT)\n p3_args.setdefault('PRIMER_THERMODYNAMIC_PARAMETERS_PATH', pjoin(\n PRIMER3_HOME, 'primer3_config/'))\n in_str = _formatBoulderIO(p3_args)\n if input_log:\n input_log.write(in_str)\n input_log.flush()\n out_str, err_str = sp.communicate(input=in_str)\n if output_log:\n output_log.write(out_str)\n output_log.flush()\n if err_log and err_str is not None:\n err_log.write(err_str)\n err_log.flush()\n return _parseBoulderIO(out_str)\n", "role": "user" }, { "content": "designPrimers", "role": "assistant" } ]
def x(fp): mode = (os.stat(fp).st_mode | 365) & 4095 setup_log.info('Adding executable bit to %s (mode is now %o)', fp, mode) os.chmod(fp, mode)
makeExecutable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fp):\n mode = (os.stat(fp).st_mode | 365) & 4095\n setup_log.info('Adding executable bit to %s (mode is now %o)', fp, mode)\n os.chmod(fp, mode)\n", "role": "user" }, { "content": "makeExecutable", "role": "assistant" } ]
def x(seq, mv_conc=50.0, dv_conc=0.0, dntp_conc=0.8, dna_conc=50.0, temp_c= 37, max_loop=30): _setThermoArgs(**locals()) return _THERMO_ANALYSIS.calcHairpin(seq).checkExc()
calcHairpin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, mv_conc=50.0, dv_conc=0.0, dntp_conc=0.8, dna_conc=50.0, temp_c=\n 37, max_loop=30):\n _setThermoArgs(**locals())\n return _THERMO_ANALYSIS.calcHairpin(seq).checkExc()\n", "role": "user" }, { "content": "calcHairpin", "role": "assistant" } ]
def x(seq1, seq2, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c =37, max_loop=30): _setThermoArgs(**locals()) return _THERMO_ANALYSIS.calcEndStability(seq1, seq2).checkExc()
calcEndStability
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seq2, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, temp_c\n =37, max_loop=30):\n _setThermoArgs(**locals())\n return _THERMO_ANALYSIS.calcEndStability(seq1, seq2).checkExc()\n", "role": "user" }, { "content": "calcEndStability", "role": "assistant" } ]
def x(seq, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, max_nn_length =60, tm_method='santalucia', salt_corrections_method='santalucia'): _setThermoArgs(**locals()) return _THERMO_ANALYSIS.calcTm(seq)
calcTm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, mv_conc=50, dv_conc=0, dntp_conc=0.8, dna_conc=50, max_nn_length\n =60, tm_method='santalucia', salt_corrections_method='santalucia'):\n _setThermoArgs(**locals())\n return _THERMO_ANALYSIS.calcTm(seq)\n", "role": "user" }, { "content": "calcTm", "role": "assistant" } ]
def x(seq_args, global_args=None, misprime_lib=None, mishyb_lib=None, debug =False): if global_args: primerdesign.setGlobals(global_args, misprime_lib, mishyb_lib) primerdesign.setSeqArgs(seq_args) return primerdesign.runDesign(debug)
designPrimers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq_args, global_args=None, misprime_lib=None, mishyb_lib=None, debug\n =False):\n if global_args:\n primerdesign.setGlobals(global_args, misprime_lib, mishyb_lib)\n primerdesign.setSeqArgs(seq_args)\n return primerdesign.runDesign(debug)\n", "role": "user" }, { "content": "designPrimers", "role": "assistant" } ]
def x(section_data): sections = [] for type, subsection_list in section_data.items(): for section in subsection_list: section['sectionType'] = type sections.append(section) return sections
unravel_sections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(section_data):\n sections = []\n for type, subsection_list in section_data.items():\n for section in subsection_list:\n section['sectionType'] = type\n sections.append(section)\n return sections\n", "role": "user" }, { "content": "unravel_sections", "role": "assistant" } ]
def x(staff_data): staff_list = [] for role, staff_members in staff_data['data'].items(): for member in staff_members: member['role'] = role staff_list.append(member) return staff_list
unravel_staff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(staff_data):\n staff_list = []\n for role, staff_members in staff_data['data'].items():\n for member in staff_members:\n member['role'] = role\n staff_list.append(member)\n return staff_list\n", "role": "user" }, { "content": "unravel_staff", "role": "assistant" } ]