source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, **attrs):
for k, v in attrs.items():
include = getattr(self, '_include_' + k, None)
if include:
include(v)
else:
self._include_misc(k, v)
| include | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **attrs):\n for k, v in attrs.items():\n include = getattr(self, '_include_' + k, None)\n if include:\n include(v)\n e... |
def x(self, package):
pfx = package + '.'
if self.packages:
self.packages = [p for p in self.packages if p != package and not p
.startswith(pfx)]
if self.py_modules:
self.py_modules = [p for p in self.py_modules if p != package and
not p.startswith(pfx)]
if self.ext_modules:
self.ext_modules = [p for p in self.ext_modules if p.name !=
package and not p.name.startswith(pfx)]
| exclude_package | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package):\n pfx = package + '.'\n if self.packages:\n self.packages = [p for p in self.packages if p != package and not p\n .star... |
def x(self, package):
pfx = package + '.'
for p in self.iter_distribution_names():
if p == package or p.startswith(pfx):
return True
| has_contents_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package):\n pfx = package + '.'\n for p in self.iter_distribution_names():\n if p == package or p.startswith(pfx):\n return True\... |
def x(self, **attrs):
for k, v in attrs.items():
exclude = getattr(self, '_exclude_' + k, None)
if exclude:
exclude(v)
else:
self._exclude_misc(k, v)
| exclude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **attrs):\n for k, v in attrs.items():\n exclude = getattr(self, '_exclude_' + k, None)\n if exclude:\n exclude(v)\n e... |
def x(self):
d = {}
for cmd, opts in self.command_options.items():
for opt, (src, val) in opts.items():
if src != 'command line':
continue
opt = opt.replace('_', '-')
if val == 0:
cmdobj = self.get_command_obj(cmd)
neg_opt = self.negative_opt.copy()
neg_opt.update(getattr(cmdobj, 'negative_opt', {}))
for neg, pos in neg_opt.items():
if pos == opt:
opt = neg
val = None
break
else:
raise AssertionError("Shouldn't be able to get here")
elif val == 1:
val = None
d.setdefault(cmd, {})[opt] = val
return d
| get_cmdline_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = {}\n for cmd, opts in self.command_options.items():\n for opt, (src, val) in opts.items():\n if src != 'command line':\n ... |
def x(self):
for pkg in (self.packages or ()):
yield pkg
for module in (self.py_modules or ()):
yield module
for ext in (self.ext_modules or ()):
if isinstance(ext, tuple):
name, buildinfo = ext
else:
name = ext.name
if name.endswith('module'):
name = name[:-6]
yield name
| iter_distribution_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for pkg in (self.packages or ()):\n yield pkg\n for module in (self.py_modules or ()):\n yield module\n for ext in (self.ext_mo... |
def x(self, dist):
if not self.available:
raise DistutilsPlatformError(self.description +
' is required, but is not available on this platform')
dist.include(**self.extras)
for f in self.require_features:
dist.include_feature(f)
| include_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dist):\n if not self.available:\n raise DistutilsPlatformError(self.description +\n ' is required, but is not available on this plat... |
def x(self, dist):
dist.exclude(**self.extras)
if self.remove:
for item in self.remove:
dist.exclude_package(item)
| exclude_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dist):\n dist.exclude(**self.extras)\n if self.remove:\n for item in self.remove:\n dist.exclude_package(item)\n",
"role": "u... |
def x(self, dist):
for item in self.remove:
if not dist.has_contents_for(item):
raise DistutilsSetupError(
"%s wants to be able to remove %s, but the distribution doesn't contain any packages or modules under %s"
% (self.description, item, item))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dist):\n for item in self.remove:\n if not dist.has_contents_for(item):\n raise DistutilsSetupError(\n \"%s wants to ... |
def x(path):
invalid = os.path.pardir in path.split(posixpath.sep) or posixpath.isabs(
path) or ntpath.isabs(path)
if not invalid:
return
msg = 'Use of .. or absolute path in a resource path is not allowed.'
if ntpath.isabs(path) and not posixpath.isabs(path):
raise ValueError(msg)
warnings.warn(msg[:-1] +
' and will raise exceptions in a future release.',
DeprecationWarning, stacklevel=4)
| validate_resource_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n invalid = os.path.pardir in path.split(posixpath.sep) or posixpath.isabs(\n path) or ntpath.isabs(path)\n if not invalid:\n return... |
def x(self, name):
try:
path = self._provider._get_metadata_path(name)
except Exception:
return '[could not detect]'
return path
| get_metadata_path_for_display | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n path = self._provider._get_metadata_path(name)\n except Exception:\n return '[could not detect]'\n return path\n",... |
def x(self):
md_version = self._get_version()
if md_version:
self._version = md_version
return self
| reload_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n md_version = self._get_version()\n if md_version:\n self._version = md_version\n return self\n",
"role": "user"
},
{
"cont... |
def x(name):
lower = name.lower()
base, py_ver, plat = None, None, None
if lower.endswith('.exe'):
if lower.endswith('.win32.exe'):
base = name[:-10]
plat = 'win32'
elif lower.startswith('.win32-py', -16):
py_ver = name[-7:-4]
base = name[:-16]
plat = 'win32'
elif lower.endswith('.win-amd64.exe'):
base = name[:-14]
plat = 'win-amd64'
elif lower.startswith('.win-amd64-py', -20):
py_ver = name[-7:-4]
base = name[:-20]
plat = 'win-amd64'
return base, py_ver, plat
| parse_bdist_wininst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n lower = name.lower()\n base, py_ver, plat = None, None, None\n if lower.endswith('.exe'):\n if lower.endswith('.win32.exe'):\n ... |
def x(url, metadata=None):
base, fragment = egg_info_for_url(url)
for dist in distros_for_location(url, base, metadata):
yield dist
if fragment:
match = EGG_FRAGMENT.match(fragment)
if match:
for dist in interpret_distro_name(url, match.group(1), metadata,
precedence=CHECKOUT_DIST):
yield dist
| distros_for_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, metadata=None):\n base, fragment = egg_info_for_url(url)\n for dist in distros_for_location(url, base, metadata):\n yield dist\n if fragme... |
def x(location, basename, metadata=None):
if basename.endswith('.egg.zip'):
basename = basename[:-4]
if basename.endswith('.egg') and '-' in basename:
return [Distribution.from_location(location, basename, metadata)]
if basename.endswith('.whl') and '-' in basename:
wheel = Wheel(basename)
if not wheel.is_compatible():
return []
return [Distribution(location=location, project_name=wheel.
project_name, version=wheel.version, precedence=EGG_DIST + 1)]
if basename.endswith('.exe'):
win_base, py_ver, platform = parse_bdist_wininst(basename)
if win_base is not None:
return interpret_distro_name(location, win_base, metadata,
py_ver, BINARY_DIST, platform)
for ext in EXTENSIONS:
if basename.endswith(ext):
basename = basename[:-len(ext)]
return interpret_distro_name(location, basename, metadata)
return []
| distros_for_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location, basename, metadata=None):\n if basename.endswith('.egg.zip'):\n basename = basename[:-4]\n if basename.endswith('.egg') and '-' in basen... |
def x(filename, metadata=None):
return distros_for_location(normalize_path(filename), os.path.basename(
filename), metadata)
| distros_for_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, metadata=None):\n return distros_for_location(normalize_path(filename), os.path.basename(\n filename), metadata)\n",
"role": "user"
}... |
def x(location, basename, metadata, py_version=None, precedence=SOURCE_DIST,
platform=None):
parts = basename.split('-')
if not py_version and any(re.match('py\\d\\.\\d$', p) for p in parts[2:]):
return
for p in range(1, len(parts) + 1):
yield Distribution(location, metadata, '-'.join(parts[:p]), '-'.
join(parts[p:]), py_version=py_version, precedence=precedence,
platform=platform)
| interpret_distro_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(location, basename, metadata, py_version=None, precedence=SOURCE_DIST,\n platform=None):\n parts = basename.split('-')\n if not py_version and any(re.... |
def x(func):
@wraps(func)
def x(*args, **kwargs):
return unique_everseen(func(*args, **kwargs))
return wrapper
| unique_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n return unique_everseen(func(*args, **kwargs))\n return wrapper\n",
"role": "user"
},
... |
def x(auth):
auth_s = urllib.parse.unquote(auth)
auth_bytes = auth_s.encode()
encoded_bytes = base64.b64encode(auth_bytes)
encoded = encoded_bytes.decode()
return encoded.replace('\n', '')
| encode_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth):\n auth_s = urllib.parse.unquote(auth)\n auth_bytes = auth_s.encode()\n encoded_bytes = base64.b64encode(auth_bytes)\n encoded = encoded_byte... |
def x(host):
user, delim, host = host.rpartition('@')
return user if delim else None, host
| splituser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host):\n user, delim, host = host.rpartition('@')\n return user if delim else None, host\n",
"role": "user"
},
{
"content": "splituser",
... |
def x(url):
scheme, server, path, param, query, frag = urllib.parse.urlparse(url)
filename = urllib.request.url2pathname(path)
if os.path.isfile(filename):
return urllib.request.urlopen(url)
elif path.endswith('/') and os.path.isdir(filename):
files = []
for f in os.listdir(filename):
filepath = os.path.join(filename, f)
if f == 'index.html':
with open(filepath, 'r') as fp:
body = fp.read()
break
elif os.path.isdir(filepath):
f += '/'
files.append('<a href="{name}">{name}</a>'.format(name=f))
else:
tmpl = (
'<html><head><title>{url}</title></head><body>{files}</body></html>'
)
body = tmpl.format(url=url, files='\n'.join(files))
status, message = 200, 'OK'
else:
status, message, body = 404, 'Path not found', 'Not found'
headers = {'content-type': 'text/html'}
body_stream = six.StringIO(body)
return urllib.error.HTTPError(url, status, message, headers, body_stream)
| local_open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n scheme, server, path, param, query, frag = urllib.parse.urlparse(url)\n filename = urllib.request.url2pathname(path)\n if os.path.isfile(filen... |
def x(self, url, page):
def x(link):
if link.startswith(self.index_url):
parts = list(map(urllib.parse.unquote, link[len(self.index_url)
:].split('/')))
if len(parts) == 2 and '#' not in parts[1]:
pkg = safe_name(parts[0])
ver = safe_version(parts[1])
self.package_pages.setdefault(pkg.lower(), {})[link] = True
return to_filename(pkg), to_filename(ver)
return None, None
for match in HREF.finditer(page):
try:
scan(urllib.parse.urljoin(url, htmldecode(match.group(1))))
except ValueError:
pass
pkg, ver = scan(url)
if pkg:
for new_url in find_external_links(url, page):
base, frag = egg_info_for_url(new_url)
if base.endswith('.py') and not frag:
if ver:
new_url += '#egg=%s-%s' % (pkg, ver)
else:
self.need_version_info(url)
self.scan_url(new_url)
return PYPI_MD5.sub(lambda m: '<a href="%s#md5=%s">%s</a>' % m.
group(1, 3, 2), page)
else:
return ''
| process_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, page):\n\n def x(link):\n if link.startswith(self.index_url):\n parts = list(map(urllib.parse.unquote, link[len(self.index_url)... |
def x(self, checker, filename, tfp):
checker.report(self.debug, 'Validating %%s checksum for %s' % filename)
if not checker.is_valid():
tfp.close()
os.unlink(filename)
raise DistutilsError(
'%s validation failed for %s; possible download problem?' % (
checker.hash.name, os.path.basename(filename)))
| check_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, checker, filename, tfp):\n checker.report(self.debug, 'Validating %%s checksum for %s' % filename)\n if not checker.is_valid():\n tfp.close(... |
def x(self, urls):
for url in urls:
if self.to_scan is None or not URL_SCHEME(url) or url.startswith(
'file:') or list(distros_for_url(url)):
self.scan_url(url)
else:
self.to_scan.append(url)
| add_find_links | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, urls):\n for url in urls:\n if self.to_scan is None or not URL_SCHEME(url) or url.startswith(\n 'file:') or list(distros_for_url(url... |
def x(self):
if self.to_scan:
list(map(self.scan_url, self.to_scan))
self.to_scan = None
| prescan | [
{
"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.to_scan:\n list(map(self.scan_url, self.to_scan))\n self.to_scan = None\n",
"role": "user"
},
{
"content": "prescan",... |
def x(self, spec, tmpdir):
if not isinstance(spec, Requirement):
scheme = URL_SCHEME(spec)
if scheme:
found = self._download_url(scheme.group(1), spec, tmpdir)
base, fragment = egg_info_for_url(spec)
if base.endswith('.py'):
found = self.gen_setup(found, fragment, tmpdir)
return found
elif os.path.exists(spec):
return spec
else:
spec = parse_requirement_arg(spec)
return getattr(self.fetch_distribution(spec, tmpdir), 'location', None)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec, tmpdir):\n if not isinstance(spec, Requirement):\n scheme = URL_SCHEME(spec)\n if scheme:\n found = self._download_url(... |
def x(self, requirement, tmpdir, force_scan=False, source=False):
dist = self.fetch_distribution(requirement, tmpdir, force_scan, source)
if dist is not None:
return dist.location
return None
| fetch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, requirement, tmpdir, force_scan=False, source=False):\n dist = self.fetch_distribution(requirement, tmpdir, force_scan, source)\n if dist is not No... |
def x(self, url):
for repository, cred in self.creds_by_repository.items():
if url.startswith(repository):
return cred
| find_credential | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n for repository, cred in self.creds_by_repository.items():\n if url.startswith(repository):\n return cred\n",
"role": "us... |
def x(kind='local'):
if kind == 'local':
return 'setup.cfg'
if kind == 'global':
return os.path.join(os.path.dirname(distutils.__file__),
'distutils.cfg')
if kind == 'user':
dot = os.name == 'posix' and '.' or ''
return os.path.expanduser(convert_path('~/%spydistutils.cfg' % dot))
raise ValueError("config_file() type must be 'local', 'global', or 'user'",
kind)
| config_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kind='local'):\n if kind == 'local':\n return 'setup.cfg'\n if kind == 'global':\n return os.path.join(os.path.dirname(distutils.__file__),... |
def x(filename, settings, dry_run=False):
log.debug('Reading configuration from %s', filename)
opts = configparser.RawConfigParser()
opts.read([filename])
for section, options in settings.items():
if options is None:
log.info('Deleting section [%s] from %s', section, filename)
opts.remove_section(section)
else:
if not opts.has_section(section):
log.debug('Adding new section [%s] to %s', section, filename)
opts.add_section(section)
for option, value in options.items():
if value is None:
log.debug('Deleting %s.%s from %s', section, option,
filename)
opts.remove_option(section, option)
if not opts.options(section):
log.info('Deleting empty [%s] section from %s',
section, filename)
opts.remove_section(section)
else:
log.debug('Setting %s.%s to %r in %s', section, option,
value, filename)
opts.set(section, option, value)
log.info('Writing %s', filename)
if not dry_run:
with open(filename, 'w') as f:
opts.write(f)
| edit_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, settings, dry_run=False):\n log.debug('Reading configuration from %s', filename)\n opts = configparser.RawConfigParser()\n opts.read([filena... |
def x(path):
__import__('ctypes.wintypes')
SetFileAttributes = ctypes.windll.kernel32.SetFileAttributesW
SetFileAttributes.argtypes = ctypes.wintypes.LPWSTR, ctypes.wintypes.DWORD
SetFileAttributes.restype = ctypes.wintypes.BOOL
FILE_ATTRIBUTE_HIDDEN = 2
ret = SetFileAttributes(path, FILE_ATTRIBUTE_HIDDEN)
if not ret:
raise ctypes.WinError()
| hide_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n __import__('ctypes.wintypes')\n SetFileAttributes = ctypes.windll.kernel32.SetFileAttributesW\n SetFileAttributes.argtypes = ctypes.wintypes.... |
def x(self, fullname, path=None):
root, base, target = fullname.partition(self.root_name + '.')
if root:
return
if not any(map(target.startswith, self.vendored_names)):
return
return self
| find_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname, path=None):\n root, base, target = fullname.partition(self.root_name + '.')\n if root:\n return\n if not any(map(target.startsw... |
def x(self, fullname):
root, base, target = fullname.partition(self.root_name + '.')
for prefix in self.search_path:
try:
extant = prefix + target
__import__(extant)
mod = sys.modules[extant]
sys.modules[fullname] = mod
if prefix and sys.version_info > (3, 3):
del sys.modules[extant]
return mod
except ImportError:
pass
else:
raise ImportError(
"The '{target}' package is required; normally this is bundled with this package so if you get this warning, consult the packager of your distribution."
.format(**locals()))
| load_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fullname):\n root, base, target = fullname.partition(self.root_name + '.')\n for prefix in self.search_path:\n try:\n extant = pr... |
def x(self):
self._add_defaults_standards()
self._add_defaults_optional()
self._add_defaults_python()
self._add_defaults_data_files()
self._add_defaults_ext()
self._add_defaults_c_libs()
self._add_defaults_scripts()
| add_defaults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._add_defaults_standards()\n self._add_defaults_optional()\n self._add_defaults_python()\n self._add_defaults_data_files()\n self._... |
def x(fspath):
if not os.path.exists(fspath):
return False
abspath = os.path.abspath(fspath)
directory, filename = os.path.split(abspath)
return filename in os.listdir(directory)
| cs_path_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fspath):\n if not os.path.exists(fspath):\n return False\n abspath = os.path.abspath(fspath)\n directory, filename = os.path.split(abspath)\n ... |
def x(path):
if isinstance(path, six.text_type):
return path
fs_enc = sys.getfilesystemencoding() or 'utf-8'
candidates = fs_enc, 'utf-8'
for enc in candidates:
try:
return path.decode(enc)
except UnicodeDecodeError:
continue
| filesys_decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if isinstance(path, six.text_type):\n return path\n fs_enc = sys.getfilesystemencoding() or 'utf-8'\n candidates = fs_enc, 'utf-8'\n ... |
def x(var, fallback, expected=True, warn=True):
val = get_config_var(var)
if val is None:
if warn:
log.debug(
"Config variable '%s' is unset, Python ABI tag may be incorrect"
, var)
return fallback()
return val == expected
| get_flag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(var, fallback, expected=True, warn=True):\n val = get_config_var(var)\n if val is None:\n if warn:\n log.debug(\n \"Conf... |
def x(major, minor, machine):
arches = []
def x(major, minor, arch):
if arch == 'ppc':
return (major, minor) <= (10, 5)
if arch == 'ppc64':
return (major, minor) == (10, 5)
if arch == 'i386':
return (major, minor) >= (10, 4)
if arch == 'x86_64':
return (major, minor) >= (10, 5)
if arch in groups:
for garch in groups[arch]:
if _supports_arch(major, minor, garch):
return True
return False
groups = OrderedDict([('fat', ('i386', 'ppc')), ('intel', ('x86_64',
'i386')), ('fat64', ('x86_64', 'ppc64')), ('fat32', ('x86_64',
'i386', 'ppc'))])
if _supports_arch(major, minor, machine):
arches.append(machine)
for garch in groups:
if machine in groups[garch] and _supports_arch(major, minor, garch):
arches.append(garch)
arches.append('universal')
return arches
| get_darwin_arches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(major, minor, machine):\n arches = []\n\n def x(major, minor, arch):\n if arch == 'ppc':\n return (major, minor) <= (10, 5)\n if... |
def x(versions=None, noarch=False, platform=None, impl=None, abi=None):
supported = []
if versions is None:
versions = []
version_info = get_impl_version_info()
major = version_info[:-1]
for minor in range(version_info[-1], -1, -1):
versions.append(''.join(map(str, major + (minor,))))
impl = impl or get_abbr_impl()
abis = []
abi = abi or get_abi_tag()
if abi:
abis[0:0] = [abi]
abi3s = set()
import imp
for suffix in imp.get_suffixes():
if suffix[0].startswith('.abi'):
abi3s.add(suffix[0].split('.', 2)[1])
abis.extend(sorted(list(abi3s)))
abis.append('none')
if not noarch:
arch = platform or get_platform()
if arch.startswith('macosx'):
match = _osx_arch_pat.match(arch)
if match:
name, major, minor, actual_arch = match.groups()
tpl = '{}_{}_%i_%s'.format(name, major)
arches = []
for m in reversed(range(int(minor) + 1)):
for a in get_darwin_arches(int(major), m, actual_arch):
arches.append(tpl % (m, a))
else:
arches = [arch]
elif platform is None and is_manylinux1_compatible():
arches = [arch.replace('linux', 'manylinux1'), arch]
else:
arches = [arch]
for abi in abis:
for arch in arches:
supported.append(('%s%s' % (impl, versions[0]), abi, arch))
for version in versions[1:]:
if version in {'31', '30'}:
break
for abi in abi3s:
for arch in arches:
supported.append(('%s%s' % (impl, version), abi, arch))
for arch in arches:
supported.append(('py%s' % versions[0][0], 'none', arch))
supported.append(('%s%s' % (impl, versions[0]), 'none', 'any'))
supported.append(('%s%s' % (impl, versions[0][0]), 'none', 'any'))
for i, version in enumerate(versions):
supported.append(('py%s' % (version,), 'none', 'any'))
if i == 0:
supported.append(('py%s' % version[0], 'none', 'any'))
return supported
| get_supported | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(versions=None, noarch=False, platform=None, impl=None, abi=None):\n supported = []\n if versions is None:\n versions = []\n version_info = ... |
def x(path):
results = (os.path.join(base, file) for base, dirs, files in os.walk(
path, followlinks=True) for file in files)
return filter(os.path.isfile, results)
| find_all_simple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n results = (os.path.join(base, file) for base, dirs, files in os.walk(\n path, followlinks=True) for file in files)\n return filter(os.pat... |
def x(dir=os.curdir):
files = _find_all_simple(dir)
if dir == os.curdir:
make_rel = functools.partial(os.path.relpath, start=dir)
files = map(make_rel, files)
return list(files)
| findall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dir=os.curdir):\n files = _find_all_simple(dir)\n if dir == os.curdir:\n make_rel = functools.partial(os.path.relpath, start=dir)\n files =... |
def x(cls, where='.', exclude=(), include=('*',)):
return list(cls._find_packages_iter(convert_path(where), cls.
_build_filter('ez_setup', '*__pycache__', *exclude), cls.
_build_filter(*include)))
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, where='.', exclude=(), include=('*',)):\n return list(cls._find_packages_iter(convert_path(where), cls.\n _build_filter('ez_setup', '*__pycache_... |
def x(cls, where, exclude, include):
for root, dirs, files in os.walk(where, followlinks=True):
all_dirs = dirs[:]
dirs[:] = []
for dir in all_dirs:
full_path = os.path.join(root, dir)
rel_path = os.path.relpath(full_path, where)
package = rel_path.replace(os.path.sep, '.')
if '.' in dir or not cls._looks_like_package(full_path):
continue
if include(package) and not exclude(package):
yield package
dirs.append(dir)
| find_packages_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, where, exclude, include):\n for root, dirs, files in os.walk(where, followlinks=True):\n all_dirs = dirs[:]\n dirs[:] = []\n for d... |
def x(*patterns):
return lambda name: any(fnmatchcase(name, pat=pat) for pat in patterns)
| build_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*patterns):\n return lambda name: any(fnmatchcase(name, pat=pat) for pat in patterns)\n",
"role": "user"
},
{
"content": "build_filter",
"ro... |
def x(self, option):
val = getattr(self, option)
if val is None:
return
elif isinstance(val, string_types):
setattr(self, option, re.split(',\\s*|\\s+', val))
else:
if isinstance(val, list):
ok = all(isinstance(v, string_types) for v in val)
else:
ok = False
if not ok:
raise DistutilsOptionError(
"'%s' must be a list of strings (got %r)" % (option, val))
| ensure_string_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, option):\n val = getattr(self, option)\n if val is None:\n return\n elif isinstance(val, string_types):\n setattr(self, option, re... |
def x(run_frame):
if run_frame is None:
msg = 'Call stack not available. bdist_* commands may fail.'
warnings.warn(msg)
if platform.python_implementation() == 'IronPython':
msg = 'For best results, pass -X:Frames to enable call stack.'
warnings.warn(msg)
return True
res = inspect.getouterframes(run_frame)[2]
caller, = res[:1]
info = inspect.getframeinfo(caller)
caller_module = caller.f_globals.get('__name__', '')
return (caller_module == 'distutils.dist' and info.function ==
'run_commands')
| called_from_setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(run_frame):\n if run_frame is None:\n msg = 'Call stack not available. bdist_* commands may fail.'\n warnings.warn(msg)\n if platform.p... |
def x(sources_groups, targets):
if len(sources_groups) != len(targets):
raise ValueError(
"'sources_group' and 'targets' must be the same length")
n_sources = []
n_targets = []
for i in range(len(sources_groups)):
if newer_group(sources_groups[i], targets[i]):
n_sources.append(sources_groups[i])
n_targets.append(targets[i])
return n_sources, n_targets
| newer_pairwise_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sources_groups, targets):\n if len(sources_groups) != len(targets):\n raise ValueError(\n \"'sources_group' and 'targets' must be the same... |
def x(dir):
for base, dirs, files in os.walk(dir):
dirs.sort()
files.sort()
yield base, dirs, files
| sorted_walk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dir):\n for base, dirs, files in os.walk(dir):\n dirs.sort()\n files.sort()\n yield base, dirs, files\n",
"role": "user"
},
{
... |
def x(egg_dir):
walker = sorted_walk(egg_dir)
base, dirs, files = next(walker)
if 'EGG-INFO' in dirs:
dirs.remove('EGG-INFO')
yield base, dirs, files
for bdf in walker:
yield bdf
| walk_egg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg_dir):\n walker = sorted_walk(egg_dir)\n base, dirs, files = next(walker)\n if 'EGG-INFO' in dirs:\n dirs.remove('EGG-INFO')\n yield base... |
def x(code):
for name in code.co_names:
yield name
for const in code.co_consts:
if isinstance(const, six.string_types):
yield const
elif isinstance(const, CodeType):
for name in iter_symbols(const):
yield name
| iter_symbols | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code):\n for name in code.co_names:\n yield name\n for const in code.co_consts:\n if isinstance(const, six.string_types):\n yiel... |
def x(zip_filename, base_dir, verbose=0, dry_run=0, compress=True, mode='w'):
import zipfile
mkpath(os.path.dirname(zip_filename), dry_run=dry_run)
log.info("creating '%s' and adding '%s' to it", zip_filename, base_dir)
def x(z, dirname, names):
for name in names:
path = os.path.normpath(os.path.join(dirname, name))
if os.path.isfile(path):
p = path[len(base_dir) + 1:]
if not dry_run:
z.write(path, p)
log.debug("adding '%s'", p)
compression = zipfile.ZIP_DEFLATED if compress else zipfile.ZIP_STORED
if not dry_run:
z = zipfile.ZipFile(zip_filename, mode, compression=compression)
for dirname, dirs, files in sorted_walk(base_dir):
visit(z, dirname, files)
z.close()
else:
for dirname, dirs, files in sorted_walk(base_dir):
visit(None, dirname, files)
return zip_filename
| make_zipfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(zip_filename, base_dir, verbose=0, dry_run=0, compress=True, mode='w'):\n import zipfile\n mkpath(os.path.dirname(zip_filename), dry_run=dry_run)\n lo... |
def x(self, cmdname, **kw):
for dirname in INSTALL_DIRECTORY_ATTRS:
kw.setdefault(dirname, self.bdist_dir)
kw.setdefault('skip_build', self.skip_build)
kw.setdefault('dry_run', self.dry_run)
cmd = self.reinitialize_command(cmdname, **kw)
self.run_command(cmdname)
return cmd
| call_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmdname, **kw):\n for dirname in INSTALL_DIRECTORY_ATTRS:\n kw.setdefault(dirname, self.bdist_dir)\n kw.setdefault('skip_build', self.skip_b... |
def x(self, target_dir):
norm_egg_info = os.path.normpath(self.egg_info)
prefix = os.path.join(norm_egg_info, '')
for path in self.ei_cmd.filelist.files:
if path.startswith(prefix):
target = os.path.join(target_dir, path[len(prefix):])
ensure_directory(target)
self.copy_file(path, target)
| copy_metadata_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_dir):\n norm_egg_info = os.path.normpath(self.egg_info)\n prefix = os.path.join(norm_egg_info, '')\n for path in self.ei_cmd.filelist.fil... |
def x(self):
all_outputs = []
ext_outputs = []
paths = {self.bdist_dir: ''}
for base, dirs, files in sorted_walk(self.bdist_dir):
for filename in files:
if os.path.splitext(filename)[1].lower() in NATIVE_EXTENSIONS:
all_outputs.append(paths[base] + filename)
for filename in dirs:
paths[os.path.join(base, filename)] = paths[base] + filename + '/'
if self.distribution.has_ext_modules():
build_cmd = self.get_finalized_command('build_ext')
for ext in build_cmd.extensions:
if isinstance(ext, Library):
continue
fullname = build_cmd.get_ext_fullname(ext.name)
filename = build_cmd.get_ext_filename(fullname)
if not os.path.basename(filename).startswith('dl-'):
if os.path.exists(os.path.join(self.bdist_dir, filename)):
ext_outputs.append(filename)
return all_outputs, ext_outputs
| get_ext_outputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n all_outputs = []\n ext_outputs = []\n paths = {self.bdist_dir: ''}\n for base, dirs, files in sorted_walk(self.bdist_dir):\n for fi... |
def x(glob):
pat = ''
chunks = glob.split(os.path.sep)
sep = re.escape(os.sep)
valid_char = '[^%s]' % (sep,)
for c, chunk in enumerate(chunks):
last_chunk = c == len(chunks) - 1
if chunk == '**':
if last_chunk:
pat += '.*'
else:
pat += '(?:%s+%s)*' % (valid_char, sep)
continue
i = 0
chunk_len = len(chunk)
while i < chunk_len:
char = chunk[i]
if char == '*':
pat += valid_char + '*'
elif char == '?':
pat += valid_char
elif char == '[':
inner_i = i + 1
if inner_i < chunk_len and chunk[inner_i] == '!':
inner_i = inner_i + 1
if inner_i < chunk_len and chunk[inner_i] == ']':
inner_i = inner_i + 1
while inner_i < chunk_len and chunk[inner_i] != ']':
inner_i = inner_i + 1
if inner_i >= chunk_len:
pat += re.escape(char)
else:
inner = chunk[i + 1:inner_i]
char_class = ''
if inner[0] == '!':
char_class = '^'
inner = inner[1:]
char_class += re.escape(inner)
pat += '[%s]' % (char_class,)
i = inner_i
else:
pat += re.escape(char)
i += 1
if not last_chunk:
pat += sep
pat += '\\Z'
return re.compile(pat, flags=re.MULTILINE | re.DOTALL)
| translate_pattern | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(glob):\n pat = ''\n chunks = glob.split(os.path.sep)\n sep = re.escape(os.sep)\n valid_char = '[^%s]' % (sep,)\n for c, chunk in enumerate(chunk... |
def x(filename, contents):
contents = '\n'.join(contents)
contents = contents.encode('utf-8')
with open(filename, 'wb') as f:
f.write(contents)
| write_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, contents):\n contents = '\\n'.join(contents)\n contents = contents.encode('utf-8')\n with open(filename, 'wb') as f:\n f.write(conten... |
def x():
warnings.warn('get_pkg_info_revision is deprecated.',
EggInfoDeprecationWarning)
if os.path.exists('PKG-INFO'):
with io.open('PKG-INFO') as f:
for line in f:
match = re.match('Version:.*-r(\\d+)\\s*$', line)
if match:
return int(match.group(1))
return 0
| get_pkg_info_revision | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n warnings.warn('get_pkg_info_revision is deprecated.',\n EggInfoDeprecationWarning)\n if os.path.exists('PKG-INFO'):\n with io.open('PK... |
def x(self, filename):
egg_info = collections.OrderedDict()
egg_info['tag_build'] = self.tags()
egg_info['tag_date'] = 0
edit_config(filename, dict(egg_info=egg_info))
| save_version_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n egg_info = collections.OrderedDict()\n egg_info['tag_build'] = self.tags()\n egg_info['tag_date'] = 0\n edit_config(filename, di... |
def x(self, what, filename, data, force=False):
if data:
self.write_file(what, filename, data)
elif os.path.exists(filename):
if data is None and not force:
log.warn('%s not set in setup(), but %s exists', what, filename)
return
else:
self.delete_file(filename)
| write_or_delete_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, what, filename, data, force=False):\n if data:\n self.write_file(what, filename, data)\n elif os.path.exists(filename):\n if data is ... |
def x(self, filename):
log.info('deleting %s', filename)
if not self.dry_run:
os.unlink(filename)
| delete_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n log.info('deleting %s', filename)\n if not self.dry_run:\n os.unlink(filename)\n",
"role": "user"
},
{
"content": "... |
def x(self):
manifest_filename = os.path.join(self.egg_info, 'SOURCES.txt')
mm = manifest_maker(self.distribution)
mm.manifest = manifest_filename
mm.run()
self.filelist = mm.filelist
| find_sources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n manifest_filename = os.path.join(self.egg_info, 'SOURCES.txt')\n mm = manifest_maker(self.distribution)\n mm.manifest = manifest_filename\n ... |
def x(self, predicate):
found = False
for i in range(len(self.files) - 1, -1, -1):
if predicate(self.files[i]):
self.debug_print(' removing ' + self.files[i])
del self.files[i]
found = True
return found
| remove_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, predicate):\n found = False\n for i in range(len(self.files) - 1, -1, -1):\n if predicate(self.files[i]):\n self.debug_print(' re... |
def x(self, pattern):
found = [f for f in glob(pattern) if not os.path.isdir(f)]
self.extend(found)
return bool(found)
| include | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n found = [f for f in glob(pattern) if not os.path.isdir(f)]\n self.extend(found)\n return bool(found)\n",
"role": "user"
},
{... |
def x(self, pattern):
match = translate_pattern(pattern)
return self._remove_files(match.match)
| exclude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n match = translate_pattern(pattern)\n return self._remove_files(match.match)\n",
"role": "user"
},
{
"content": "exclude",
... |
def x(self, dir, pattern):
full_pattern = os.path.join(dir, '**', pattern)
found = [f for f in glob(full_pattern, recursive=True) if not os.path.
isdir(f)]
self.extend(found)
return bool(found)
| recursive_include | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir, pattern):\n full_pattern = os.path.join(dir, '**', pattern)\n found = [f for f in glob(full_pattern, recursive=True) if not os.path.\n ... |
def x(self, dir, pattern):
match = translate_pattern(os.path.join(dir, '**', pattern))
return self._remove_files(match.match)
| recursive_exclude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir, pattern):\n match = translate_pattern(os.path.join(dir, '**', pattern))\n return self._remove_files(match.match)\n",
"role": "user"
},
... |
def x(self, dir):
found = [item for match_dir in glob(dir) for item in distutils.filelist
.findall(match_dir)]
self.extend(found)
return bool(found)
| graft | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir):\n found = [item for match_dir in glob(dir) for item in distutils.filelist\n .findall(match_dir)]\n self.extend(found)\n return bool... |
def x(self, dir):
match = translate_pattern(os.path.join(dir, '**'))
return self._remove_files(match.match)
| prune | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir):\n match = translate_pattern(os.path.join(dir, '**'))\n return self._remove_files(match.match)\n",
"role": "user"
},
{
"content": ... |
def x(self, pattern):
if self.allfiles is None:
self.findall()
match = translate_pattern(os.path.join('**', pattern))
found = [f for f in self.allfiles if match.match(f)]
self.extend(found)
return bool(found)
| global_include | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n if self.allfiles is None:\n self.findall()\n match = translate_pattern(os.path.join('**', pattern))\n found = [f for f in sel... |
def x(self, pattern):
match = translate_pattern(os.path.join('**', pattern))
return self._remove_files(match.match)
| global_exclude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n match = translate_pattern(os.path.join('**', pattern))\n return self._remove_files(match.match)\n",
"role": "user"
},
{
"co... |
def x(self):
self.files = list(filter(self._safe_path, self.files))
| repair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.files = list(filter(self._safe_path, self.files))\n",
"role": "user"
},
{
"content": "repair",
"role": "assistant"
}
] |
def x(self):
self.filelist._repair()
files = [self._manifest_normalize(f) for f in self.filelist.files]
msg = "writing manifest file '%s'" % self.manifest
self.execute(write_file, (self.manifest, files), msg)
| write_manifest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.filelist._repair()\n files = [self._manifest_normalize(f) for f in self.filelist.files]\n msg = \"writing manifest file '%s'\" % self.ma... |
def x(dirname=''):
for ep in pkg_resources.iter_entry_points('setuptools.file_finders'):
for item in ep.load()(dirname):
yield item
| walk_revctrl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirname=''):\n for ep in pkg_resources.iter_entry_points('setuptools.file_finders'):\n for item in ep.load()(dirname):\n yield item\n",
... |
def x():
class NoValue:
pass
orig_val = getattr(os, 'link', NoValue)
try:
del os.link
except Exception:
pass
try:
yield
finally:
if orig_val is not NoValue:
setattr(os, 'link', orig_val)
| remove_os_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n\n\n class NoValue:\n pass\n orig_val = getattr(os, 'link', NoValue)\n try:\n del os.link\n except Exception:\n pass\n ... |
def x(self):
if self.distribution.has_pure_modules():
build_py = self.get_finalized_command('build_py')
self.filelist.extend(build_py.get_source_files())
if not self.distribution.include_package_data:
for _, src_dir, _, filenames in build_py.data_files:
self.filelist.extend([os.path.join(src_dir, filename) for
filename in filenames])
| add_defaults_python | [
{
"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.distribution.has_pure_modules():\n build_py = self.get_finalized_command('build_py')\n self.filelist.extend(build_py.get_sour... |
def x(self):
log.info("reading manifest file '%s'", self.manifest)
manifest = open(self.manifest, 'rb')
for line in manifest:
if six.PY3:
try:
line = line.decode('UTF-8')
except UnicodeDecodeError:
log.warn('%r not UTF-8 decodable -- skipping' % line)
continue
line = line.strip()
if line.startswith('#') or not line:
continue
self.filelist.append(line)
manifest.close()
| read_manifest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.info(\"reading manifest file '%s'\", self.manifest)\n manifest = open(self.manifest, 'rb')\n for line in manifest:\n if six.PY3:\n... |
def x(self):
opts = self.distribution.get_option_dict('metadata')
_, license_file = opts.get('license_file', (None, None))
if license_file is None:
log.debug("'license_file' option was not specified")
return
if not os.path.exists(license_file):
log.warn("warning: Failed to find the configured license file '%s'",
license_file)
return
self.filelist.append(license_file)
| check_license | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n opts = self.distribution.get_option_dict('metadata')\n _, license_file = opts.get('license_file', (None, None))\n if license_file is None:\n ... |
def x(self):
all_packages = (pkg for ns_pkg in self._get_SVEM_NSPs() for pkg in self
._all_packages(ns_pkg))
excl_specs = product(all_packages, self._gen_exclusion_paths())
return set(starmap(self._exclude_pkg_path, excl_specs))
| get_exclusions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n all_packages = (pkg for ns_pkg in self._get_SVEM_NSPs() for pkg in self\n ._all_packages(ns_pkg))\n excl_specs = product(all_packages, se... |
def x(self, pkg, exclusion_path):
parts = pkg.split('.') + [exclusion_path]
return os.path.join(self.install_dir, *parts)
| exclude_pkg_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pkg, exclusion_path):\n parts = pkg.split('.') + [exclusion_path]\n return os.path.join(self.install_dir, *parts)\n",
"role": "user"
},
{
... |
def x(self):
if not self.distribution.namespace_packages:
return []
install_cmd = self.get_finalized_command('install')
svem = install_cmd.single_version_externally_managed
return self.distribution.namespace_packages if svem else []
| get_SVEM_NSPs | [
{
"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.distribution.namespace_packages:\n return []\n install_cmd = self.get_finalized_command('install')\n svem = install_cmd.si... |
def x():
yield '__init__.py'
yield '__init__.pyc'
yield '__init__.pyo'
if not hasattr(imp, 'get_tag'):
return
base = os.path.join('__pycache__', '__init__.' + imp.get_tag())
yield base + '.pyc'
yield base + '.pyo'
yield base + '.opt-1.pyc'
yield base + '.opt-2.pyc'
| gen_exclusion_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n yield '__init__.py'\n yield '__init__.pyc'\n yield '__init__.pyo'\n if not hasattr(imp, 'get_tag'):\n return\n base = os.path.join('... |
def x(egg_base, install_dir, egg_path):
path_to_setup = egg_base.replace(os.sep, '/').rstrip('/')
if path_to_setup != os.curdir:
path_to_setup = '../' * (path_to_setup.count('/') + 1)
resolved = pkg_resources.normalize_path(os.path.join(install_dir,
egg_path, path_to_setup))
if resolved != pkg_resources.normalize_path(os.curdir):
raise DistutilsOptionError(
"Can't get a consistent path to setup script from installation directory"
, resolved, pkg_resources.normalize_path(os.curdir))
return path_to_setup
| resolve_setup_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(egg_base, install_dir, egg_path):\n path_to_setup = egg_base.replace(os.sep, '/').rstrip('/')\n if path_to_setup != os.curdir:\n path_to_setup = '... |
def x(module, paths=None):
parts = module.split('.')
while parts:
part = parts.pop(0)
f, path, (suffix, mode, kind) = info = imp.find_module(part, paths)
if kind == PKG_DIRECTORY:
parts = parts or ['__init__']
paths = [path]
elif parts:
raise ImportError("Can't find %r in %s" % (parts, module))
return info
| find_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module, paths=None):\n parts = module.split('.')\n while parts:\n part = parts.pop(0)\n f, path, (suffix, mode, kind) = info = imp.find_mod... |
def x(module, symbol, default=-1, paths=None):
try:
f, path, (suffix, mode, kind) = find_module(module, paths)
except ImportError:
return None
try:
if kind == PY_COMPILED:
f.read(8)
code = marshal.load(f)
elif kind == PY_FROZEN:
code = imp.get_frozen_object(module)
elif kind == PY_SOURCE:
code = compile(f.read(), path, 'exec')
else:
if module not in sys.modules:
imp.load_module(module, f, path, (suffix, mode, kind))
return getattr(sys.modules[module], symbol, None)
finally:
if f:
f.close()
return extract_constant(code, symbol, default)
| get_module_constant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module, symbol, default=-1, paths=None):\n try:\n f, path, (suffix, mode, kind) = find_module(module, paths)\n except ImportError:\n return... |
def x(code, symbol, default=-1):
if symbol not in code.co_names:
return None
name_idx = list(code.co_names).index(symbol)
STORE_NAME = 90
STORE_GLOBAL = 97
LOAD_CONST = 100
const = default
for byte_code in Bytecode(code):
op = byte_code.opcode
arg = byte_code.arg
if op == LOAD_CONST:
const = code.co_consts[arg]
elif arg == name_idx and (op == STORE_NAME or op == STORE_GLOBAL):
return const
else:
const = default
| extract_constant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(code, symbol, default=-1):\n if symbol not in code.co_names:\n return None\n name_idx = list(code.co_names).index(symbol)\n STORE_NAME = 90\n ... |
def x():
if not sys.platform.startswith('java') and sys.platform != 'cli':
return
incompatible = 'extract_constant', 'get_module_constant'
for name in incompatible:
del globals()[name]
__all__.remove(name)
| update_globals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not sys.platform.startswith('java') and sys.platform != 'cli':\n return\n incompatible = 'extract_constant', 'get_module_constant'\n fo... |
def x(self):
if self.requested_version is not None:
return '%s-%s' % (self.name, self.requested_version)
return self.name
| full_name | [
{
"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.requested_version is not None:\n return '%s-%s' % (self.name, self.requested_version)\n return self.name\n",
"role": "user"
... |
def x(self, version):
return self.attribute is None or self.format is None or str(version
) != 'unknown' and version >= self.requested_version
| version_ok | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version):\n return self.attribute is None or self.format is None or str(version\n ) != 'unknown' and version >= self.requested_version\n",
... |
def x(self, paths=None, default='unknown'):
if self.attribute is None:
try:
f, p, i = find_module(self.module, paths)
if f:
f.close()
return default
except ImportError:
return None
v = get_module_constant(self.module, self.attribute, default, paths)
if v is not None and v is not default and self.format is not None:
return self.format(v)
return v
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths=None, default='unknown'):\n if self.attribute is None:\n try:\n f, p, i = find_module(self.module, paths)\n if f:\n... |
def x(self, paths=None):
version = self.get_version(paths)
if version is None:
return False
return self.version_ok(version)
| is_current | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths=None):\n version = self.get_version(paths)\n if version is None:\n return False\n return self.version_ok(version)\n",
"role": "... |
def x(self):
pkgs = self.distribution.namespace_packages or []
return sorted(flatten(map(self._pkg_names, pkgs)))
| get_all_ns_packages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pkgs = self.distribution.namespace_packages or []\n return sorted(flatten(map(self._pkg_names, pkgs)))\n",
"role": "user"
},
{
"cont... |
def x(pkg):
parts = pkg.split('.')
while parts:
yield '.'.join(parts)
parts.pop()
| pkg_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pkg):\n parts = pkg.split('.')\n while parts:\n yield '.'.join(parts)\n parts.pop()\n",
"role": "user"
},
{
"content": "pkg_nam... |
def x():
extant_cert_paths = filter(os.path.isfile, cert_paths)
return get_win_certfile() or next(extant_cert_paths, None
) or _certifi_where()
| find_ca_bundle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n extant_cert_paths = filter(os.path.isfile, cert_paths)\n return get_win_certfile() or next(extant_cert_paths, None\n ) or _certifi_where()\n"... |
def x(pkg_files, new_root):
for file in pkg_files.glob('*.py'):
text = file.text()
text = re.sub(' (pyparsing|six)', f' {new_root}.\\1', text)
file.write_text(text)
| rewrite_packaging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pkg_files, new_root):\n for file in pkg_files.glob('*.py'):\n text = file.text()\n text = re.sub(' (pyparsing|six)', f' {new_root}.\\\\1', tex... |
def x(pos_seq):
global tag2coarse
tags = [tag2coarse.get(tag, 'O') for tag in pos_seq]
return ''.join(tags)
| coarse_tag_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos_seq):\n global tag2coarse\n tags = [tag2coarse.get(tag, 'O') for tag in pos_seq]\n return ''.join(tags)\n",
"role": "user"
},
{
"conte... |
def x(pos_seq, regex=SimpleNP):
ss = coarse_tag_str(pos_seq)
def x():
for m in re.finditer(regex, ss):
yield m.start(), m.end()
return list(gen())
| extract_finditer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos_seq, regex=SimpleNP):\n ss = coarse_tag_str(pos_seq)\n\n def x():\n for m in re.finditer(regex, ss):\n yield m.start(), m.end()\n ... |
def x(pos_seq, regex=SimpleNP, minlen=1, maxlen=8):
ss = coarse_tag_str(pos_seq)
def x():
for s in xrange(len(ss)):
for n in xrange(minlen, 1 + min(maxlen, len(ss) - s)):
e = s + n
substr = ss[s:e]
if re.match(regex + '$', substr):
yield s, e
return list(gen())
| extract_ngram_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos_seq, regex=SimpleNP, minlen=1, maxlen=8):\n ss = coarse_tag_str(pos_seq)\n\n def x():\n for s in xrange(len(ss)):\n for n in xrange... |
def x(pos_seq):
def x(input_list, num_):
return zip(*[input_list[i:] for i in range(num_)])
patterns = set(['AN', 'NN', 'AAN', 'ANN', 'NAN', 'NNN', 'NPN'])
pos_seq = [tag2coarse.get(tag, 'O') for tag in pos_seq]
pos_seq = [(i, p) for i, p in enumerate(pos_seq)]
ngrams = [ngram for n in range(1, 4) for ngram in find_ngrams(pos_seq, n)]
def x(s):
return ''.join(a[1] for a in s)
def x(s):
return tuple(a[0] for a in s)
ngrams = filter(lambda x: stringify(x) in patterns, ngrams)
return [set(positionify(n)) for n in ngrams]
| extract_JK | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pos_seq):\n\n def x(input_list, num_):\n return zip(*[input_list[i:] for i in range(num_)])\n patterns = set(['AN', 'NN', 'AAN', 'ANN', 'NAN', 'NN... |
def x(text=None, tokens=None, postags=None, tagger='nltk', grammar=
'SimpleNP', regex=None, minlen=2, maxlen=8, output='counts'):
global SimpleNP
if postags is None:
try:
tagger = TAGGER_NAMES[tagger]()
except:
raise Exception("We don't support tagger %s" % tagger)
d = None
if tokens is not None:
d = tagger.tag_tokens(tokens)
elif text is not None:
d = tagger.tag_text(text)
else:
raise Exception('Need to supply text or tokens.')
postags = d['pos']
tokens = d['tokens']
if regex is None:
if grammar == 'SimpleNP':
regex = SimpleNP
else:
assert False, "Don't know grammar %s" % grammar
phrase_tokspans = extract_ngram_filter(postags, minlen=minlen, maxlen=
maxlen)
if isinstance(output, str):
output = [output]
our_options = set()
def x(x):
our_options.add(x)
return x in output
ret = {}
ret['num_tokens'] = len(postags)
if retopt('token_spans'):
ret['token_spans'] = phrase_tokspans
if retopt('counts'):
counts = Counter()
for start, end in phrase_tokspans:
phrase = safejoin([tokens[i] for i in xrange(start, end)])
phrase = phrase.lower()
counts[phrase] += 1
ret['counts'] = counts
if retopt('pos'):
ret['pos'] = postags
if retopt('tokens'):
ret['tokens'] = tokens
xx = set(output) - our_options
if xx:
raise Exception("Don't know how to handle output options: %s" %
list(xx))
return ret
| get_phrases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text=None, tokens=None, postags=None, tagger='nltk', grammar=\n 'SimpleNP', regex=None, minlen=2, maxlen=8, output='counts'):\n global SimpleNP\n if p... |
def x(self, text):
sents = self.sent_detector.tokenize(text)
word_pos_pairs = []
all_tokens = []
for sent in sents:
tokens = self.tokenize(sent)
all_tokens = all_tokens + tokens
word_pos_pairs = word_pos_pairs + self.tagger.tag(tokens)
return {'tokens': all_tokens, 'pos': [tag for w, tag in word_pos_pairs]}
| tag_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n sents = self.sent_detector.tokenize(text)\n word_pos_pairs = []\n all_tokens = []\n for sent in sents:\n tokens = self.tokeni... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.