source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(command, name, doc, is_bool=False):
dist = get_dummy_distribution()
cmdcls = dist.get_command_class(command)
if hasattr(cmdcls, '_astropy_helpers_options'
) and name in cmdcls._astropy_helpers_options:
return
attr = name.replace('-', '_')
if hasattr(cmdcls, attr):
raise RuntimeError(
'{0!r} already has a {1!r} class attribute, barring {2!r} from being usable as a custom option name.'
.format(cmdcls, attr, name))
for idx, cmd in enumerate(cmdcls.user_options):
if cmd[0] == name:
log.warn('Overriding existing {0!r} option {1!r}'.format(
command, name))
del cmdcls.user_options[idx]
if name in cmdcls.boolean_options:
cmdcls.boolean_options.remove(name)
break
cmdcls.user_options.append((name, None, doc))
if is_bool:
cmdcls.boolean_options.append(name)
setattr(cmdcls, attr, None)
if not hasattr(cmdcls, '_astropy_helpers_options'):
cmdcls._astropy_helpers_options = set([name])
else:
cmdcls._astropy_helpers_options.add(name)
| add_command_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, name, doc, is_bool=False):\n dist = get_dummy_distribution()\n cmdcls = dist.get_command_class(command)\n if hasattr(cmdcls, '_astropy_helper... |
def x():
short_display_opts = set('-' + o[1] for o in Distribution.
display_options if o[1])
long_display_opts = set('--' + o[0] for o in Distribution.display_options)
short_display_opts.add('-h')
long_display_opts.add('--help')
display_commands = set(['clean', 'register', 'setopt', 'saveopts',
'egg_info', 'alias'])
return short_display_opts.union(long_display_opts.union(display_commands))
| get_distutils_display_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n short_display_opts = set('-' + o[1] for o in Distribution.\n display_options if o[1])\n long_display_opts = set('--' + o[0] for o in Distribu... |
def x():
sys_path_inserts = []
sphinx_astropy_version = None
try:
from sphinx_astropy import __version__ as sphinx_astropy_version
except ImportError:
from setuptools import Distribution
dist = Distribution()
if SPHINX_LT_16:
dist.fetch_build_eggs('numpydoc<0.9')
if LooseVersion(sys.version) < LooseVersion('3.6'):
dist.fetch_build_eggs('matplotlib<3.1')
eggs = dist.fetch_build_eggs('sphinx-astropy')
if eggs is not None:
for egg in eggs:
if egg.project_name == 'sphinx-astropy':
sphinx_astropy_version = egg.parsed_version.public
break
eggs_path = os.path.abspath('.eggs')
for egg in glob.glob(os.path.join(eggs_path, '*.egg')):
sys_path_inserts.append(egg)
return sphinx_astropy_version, sys_path_inserts
| ensure_sphinx_astropy_installed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n sys_path_inserts = []\n sphinx_astropy_version = None\n try:\n from sphinx_astropy import __version__ as sphinx_astropy_version\n excep... |
def x(cmd):
plat_specifier = '.{0}-{1}'.format(cmd.plat_name, sys.version[0:3])
return os.path.join(cmd.build_base, 'lib' + plat_specifier)
| get_platlib_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd):\n plat_specifier = '.{0}-{1}'.format(cmd.plat_name, sys.version[0:3])\n return os.path.join(cmd.build_base, 'lib' + plat_specifier)\n",
"role":... |
def x():
import builtins
if hasattr(builtins, '__NUMPY_SETUP__'):
del builtins.__NUMPY_SETUP__
import imp
import numpy
imp.reload(numpy)
try:
numpy_include = numpy.get_include()
except AttributeError:
numpy_include = numpy.get_numpy_include()
return numpy_include
| get_numpy_include_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n import builtins\n if hasattr(builtins, '__NUMPY_SETUP__'):\n del builtins.__NUMPY_SETUP__\n import imp\n import numpy\n imp.reload(n... |
def x(filepath):
name = os.path.basename(os.path.abspath(filepath))
if isinstance(name, bytes):
is_dotted = name.startswith(b'.')
else:
is_dotted = name.startswith('.')
return is_dotted or _has_hidden_attribute(filepath)
| is_path_hidden | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filepath):\n name = os.path.basename(os.path.abspath(filepath))\n if isinstance(name, bytes):\n is_dotted = name.startswith(b'.')\n else:\n ... |
def x(top, onerror=None, followlinks=False):
for root, dirs, files in os.walk(top, topdown=True, onerror=onerror,
followlinks=followlinks):
dirs[:] = [d for d in dirs if not is_path_hidden(d)]
files[:] = [f for f in files if not is_path_hidden(f)]
yield root, dirs, files
| walk_skip_hidden | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(top, onerror=None, followlinks=False):\n for root, dirs, files in os.walk(top, topdown=True, onerror=onerror,\n followlinks=followlinks):\n di... |
def x(filename, data):
assert isinstance(data, bytes)
if os.path.exists(filename):
with open(filename, 'rb') as fd:
original_data = fd.read()
else:
original_data = None
if original_data != data:
with open(filename, 'wb') as fd:
fd.write(data)
| write_if_different | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, data):\n assert isinstance(data, bytes)\n if os.path.exists(filename):\n with open(filename, 'rb') as fd:\n original_data = f... |
def x(filename, name=None):
mode = 'r'
if name is None:
basename = os.path.splitext(filename)[0]
name = '_'.join(os.path.relpath(basename).split(os.sep)[1:])
if not os.path.exists(filename):
raise ImportError('Could not import file {0}'.format(filename))
if import_machinery:
loader = import_machinery.SourceFileLoader(name, filename)
mod = loader.load_module()
else:
with open(filename, mode) as fd:
mod = imp.load_module(name, fd, filename, ('.py', mode, 1))
return mod
| import_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, name=None):\n mode = 'r'\n if name is None:\n basename = os.path.splitext(filename)[0]\n name = '_'.join(os.path.relpath(basename... |
def x(name):
parts = name.split('.')
cursor = len(parts) - 1
module_name = parts[:cursor]
attr_name = parts[-1]
while cursor > 0:
try:
ret = __import__('.'.join(module_name), fromlist=[attr_name])
break
except ImportError:
if cursor == 0:
raise
cursor -= 1
module_name = parts[:cursor]
attr_name = parts[cursor]
ret = ''
for part in parts[cursor:]:
try:
ret = getattr(ret, part)
except AttributeError:
raise ImportError(name)
return ret
| resolve_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n parts = name.split('.')\n cursor = len(parts) - 1\n module_name = parts[:cursor]\n attr_name = parts[-1]\n while cursor > 0:\n t... |
def x(extended_func):
def x(func):
if not (extended_func.__doc__ is None or func.__doc__ is None):
func.__doc__ = '\n\n'.join([extended_func.__doc__.rstrip('\n'),
func.__doc__.lstrip('\n')])
return func
return decorator
| extends_doc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(extended_func):\n\n def x(func):\n if not (extended_func.__doc__ is None or func.__doc__ is None):\n func.__doc__ = '\\n\\n'.join([extende... |
def x(package, pattern):
return glob.glob(os.path.join(package, pattern), recursive=True)
| find_data_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package, pattern):\n return glob.glob(os.path.join(package, pattern), recursive=True)\n",
"role": "user"
},
{
"content": "find_data_files",
... |
def x(version):
parsed_version = pkg_resources.parse_version(version)
if hasattr(parsed_version, 'base_version'):
if parsed_version.base_version:
parts = [int(part) for part in parsed_version.base_version.
split('.')]
else:
parts = []
else:
parts = []
for part in parsed_version:
if part.startswith('*'):
break
parts.append(int(part))
if len(parts) < 3:
parts += [0] * (3 - len(parts))
return tuple(parts[:3])
| version_split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version):\n parsed_version = pkg_resources.parse_version(version)\n if hasattr(parsed_version, 'base_version'):\n if parsed_version.base_version:\... |
def x(packagename, version, githash):
loader = pkgutil.get_loader(git_helpers)
source = loader.get_source(git_helpers.__name__) or ''
source_lines = source.splitlines()
if not source_lines:
log.warn(
'Cannot get source code for astropy_helpers.git_helpers; git support disabled.'
)
return ''
idx = 0
for idx, line in enumerate(source_lines):
if line.startswith('# BEGIN'):
break
git_helpers_py = '\n'.join(source_lines[idx + 1:])
verstr = version
new_githash = git_helpers.get_git_devstr(sha=True, show_warning=False)
if new_githash:
githash = new_githash
return _FROZEN_VERSION_PY_WITH_GIT_HEADER.format(git_helpers=
git_helpers_py, packagename=packagename, verstr=verstr, githash=githash
)
| generate_git_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packagename, version, githash):\n loader = pkgutil.get_loader(git_helpers)\n source = loader.get_source(git_helpers.__name__) or ''\n source_lines = s... |
def x(packagename=None, version=None, release=None, debug=None, uses_git=
None, srcdir='.'):
if packagename is not None:
warnings.warn(
'The packagename argument to generate_version_py has been deprecated and will be removed in future. Specify the package name in setup.cfg instead'
, AstropyDeprecationWarning)
if version is not None:
warnings.warn(
'The version argument to generate_version_py has been deprecated and will be removed in future. Specify the version number in setup.cfg instead'
, AstropyDeprecationWarning)
if release is not None:
warnings.warn(
'The release argument to generate_version_py has been deprecated and will be removed in future. We now use the presence of the "dev" string in the version to determine whether this is a release'
, AstropyDeprecationWarning)
conf = ConfigParser()
conf.read('setup.cfg')
if conf.has_option('metadata', 'name'):
packagename = conf.get('metadata', 'name')
elif conf.has_option('metadata', 'package_name'):
warnings.warn(
'Specifying the package name using the "package_name" option in setup.cfg is deprecated - use the "name" option instead.'
, AstropyDeprecationWarning)
packagename = conf.get('metadata', 'package_name')
elif packagename is not None:
pass
else:
sys.stderr.write('ERROR: Could not read package name from setup.cfg\n')
sys.exit(1)
if conf.has_option('metadata', 'version'):
version = conf.get('metadata', 'version')
add_git_devstr = True
elif version is not None:
add_git_devstr = False
else:
sys.stderr.write(
'ERROR: Could not read package version from setup.cfg\n')
sys.exit(1)
if release is None:
release = 'dev' not in version
if not release and add_git_devstr:
version += get_git_devstr(False)
if uses_git is None:
uses_git = not release
packagename = packagename.replace('-', '_')
try:
version_module = get_pkg_version_module(packagename)
try:
last_generated_version = version_module._last_generated_version
except AttributeError:
last_generated_version = version_module.version
try:
last_githash = version_module._last_githash
except AttributeError:
last_githash = version_module.githash
current_release = version_module.release
current_debug = version_module.debug
except ImportError:
version_module = None
last_generated_version = None
last_githash = None
current_release = None
current_debug = None
if release is None:
release = bool(current_release)
if debug is None:
debug = bool(current_debug)
package_srcdir = os.path.join(srcdir, *packagename.split('.'))
version_py = os.path.join(package_srcdir, 'version.py')
if (last_generated_version != version or current_release != release or
current_debug != debug):
if '-q' not in sys.argv and '--quiet' not in sys.argv:
log.set_threshold(log.INFO)
if is_distutils_display_option():
log.set_threshold(log.WARN)
log.info('Freezing version number to {0}'.format(version_py))
with open(version_py, 'w') as f:
f.write(_get_version_py_str(packagename, version, last_githash,
release, debug, uses_git=uses_git))
return version
| generate_version_py | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packagename=None, version=None, release=None, debug=None, uses_git=\n None, srcdir='.'):\n if packagename is not None:\n warnings.warn(\n ... |
def x(packagename, fromlist=None):
version = import_file(os.path.join(packagename, 'version.py'), name=
'version')
if fromlist:
return tuple(getattr(version, member) for member in fromlist)
else:
return version
| get_pkg_version_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packagename, fromlist=None):\n version = import_file(os.path.join(packagename, 'version.py'), name=\n 'version')\n if fromlist:\n return tu... |
def x(**kwargs):
conf = read_configuration('setup.cfg')
builtins._ASTROPY_PACKAGE_NAME_ = conf['metadata']['name']
cmdclass = register_commands()
version = generate_version_py()
package_info = get_package_info()
package_info['cmdclass'] = cmdclass
package_info['version'] = version
package_info.update(kwargs)
setuptools_setup(**package_info)
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n conf = read_configuration('setup.cfg')\n builtins._ASTROPY_PACKAGE_NAME_ = conf['metadata']['name']\n cmdclass = register_commands()\n ... |
def x(packagename):
try:
current_debug = get_pkg_version_module(packagename, fromlist=['debug']
)[0]
except (ImportError, AttributeError):
current_debug = None
dist = get_dummy_distribution()
if any(cmd in dist.commands for cmd in ['build', 'build_ext']):
debug = bool(get_distutils_build_option('debug'))
else:
debug = bool(current_debug)
if current_debug is not None and current_debug != debug:
build_ext_cmd = dist.get_command_class('build_ext')
build_ext_cmd._force_rebuild = True
return debug
| get_debug_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packagename):\n try:\n current_debug = get_pkg_version_module(packagename, fromlist=['debug']\n )[0]\n except (ImportError, AttributeEr... |
def x(package=None, version=None, release=None, srcdir='.'):
if package is not None:
warnings.warn(
'The package argument to generate_version_py has been deprecated and will be removed in future. Specify the package name in setup.cfg instead'
, AstropyDeprecationWarning)
if version is not None:
warnings.warn(
'The version argument to generate_version_py has been deprecated and will be removed in future. Specify the version number in setup.cfg instead'
, AstropyDeprecationWarning)
if release is not None:
warnings.warn(
'The release argument to generate_version_py has been deprecated and will be removed in future. We now use the presence of the "dev" string in the version to determine whether this is a release'
, AstropyDeprecationWarning)
conf = ConfigParser()
conf.read('setup.cfg')
if conf.has_option('metadata', 'name'):
package = conf.get('metadata', 'name')
elif conf.has_option('metadata', 'package_name'):
warnings.warn(
'Specifying the package name using the "package_name" option in setup.cfg is deprecated - use the "name" option instead.'
, AstropyDeprecationWarning)
package = conf.get('metadata', 'package_name')
elif package is not None:
pass
else:
sys.stderr.write('ERROR: Could not read package name from setup.cfg\n')
sys.exit(1)
if _module_state['registered_commands'] is not None:
return _module_state['registered_commands']
if _module_state['have_sphinx']:
try:
from .commands.build_sphinx import AstropyBuildSphinx, AstropyBuildDocs
except ImportError:
AstropyBuildSphinx = AstropyBuildDocs = FakeBuildSphinx
else:
AstropyBuildSphinx = AstropyBuildDocs = FakeBuildSphinx
_module_state['registered_commands'] = registered_commands = {'test':
generate_test_command(package), 'sdist': DistutilsSdist,
'build_ext': AstropyHelpersBuildExt, 'build_sphinx':
AstropyBuildSphinx, 'build_docs': AstropyBuildDocs}
for name, cls in registered_commands.items():
cls.__name__ = name
for option in [('use-system-libraries',
'Use system libraries whenever possible', True)]:
add_command_option('build', *option)
add_command_option('install', *option)
add_command_hooks(registered_commands, srcdir=srcdir)
return registered_commands
| register_commands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package=None, version=None, release=None, srcdir='.'):\n if package is not None:\n warnings.warn(\n 'The package argument to generate_vers... |
def x(commands, srcdir='.'):
hook_re = re.compile('^(pre|post)_(.+)_hook$')
def x(cmdcls):
if hasattr(cmdcls, 'command_name'):
return cmdcls.command_name
else:
return cmdcls.__name__
packages = find_packages(srcdir)
dist = get_dummy_distribution()
hooks = collections.defaultdict(dict)
for setuppkg in iter_setup_packages(srcdir, packages):
for name, obj in vars(setuppkg).items():
match = hook_re.match(name)
if not match:
continue
hook_type = match.group(1)
cmd_name = match.group(2)
if hook_type not in hooks[cmd_name]:
hooks[cmd_name][hook_type] = []
hooks[cmd_name][hook_type].append((setuppkg.__name__, obj))
for cmd_name, cmd_hooks in hooks.items():
commands[cmd_name] = generate_hooked_command(cmd_name, dist.
get_command_class(cmd_name), cmd_hooks)
| add_command_hooks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commands, srcdir='.'):\n hook_re = re.compile('^(pre|post)_(.+)_hook$')\n\n def x(cmdcls):\n if hasattr(cmdcls, 'command_name'):\n retu... |
def x(cmd_name, cmd_cls, hooks):
def x(self, orig_run=cmd_cls.run):
self.run_command_hooks('pre_hooks')
orig_run(self)
self.run_command_hooks('post_hooks')
return type(cmd_name, (cmd_cls, object), {'run': run,
'run_command_hooks': run_command_hooks, 'pre_hooks': hooks.get(
'pre', []), 'post_hooks': hooks.get('post', [])})
| generate_hooked_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd_name, cmd_cls, hooks):\n\n def x(self, orig_run=cmd_cls.run):\n self.run_command_hooks('pre_hooks')\n orig_run(self)\n self.run_com... |
def x(cmd_obj, hook_kind):
hooks = getattr(cmd_obj, hook_kind, None)
if not hooks:
return
for modname, hook in hooks:
if isinstance(hook, str):
try:
hook_obj = resolve_name(hook)
except ImportError as exc:
raise DistutilsModuleError('cannot find hook {0}: {1}'.
format(hook, exc))
else:
hook_obj = hook
if not callable(hook_obj):
raise DistutilsOptionError('hook {0!r} is not callable' % hook)
log.info('running {0} from {1} for {2} command'.format(hook_kind.
rstrip('s'), modname, cmd_obj.get_command_name()))
try:
hook_obj(cmd_obj)
except Exception:
log.error('{0} command hook {1} raised an exception: %s\n'.
format(hook_obj.__name__, cmd_obj.get_command_name()))
log.error(traceback.format_exc())
sys.exit(1)
| run_command_hooks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd_obj, hook_kind):\n hooks = getattr(cmd_obj, hook_kind, None)\n if not hooks:\n return\n for modname, hook in hooks:\n if isinstance(... |
def x(srcdir, extensions, package_data, packagenames, package_dirs):
info = get_package_info(srcdir)
extensions.extend(info['ext_modules'])
package_data.update(info['package_data'])
packagenames = list(set(packagenames + info['packages']))
package_dirs.update(info['package_dir'])
| update_package_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcdir, extensions, package_data, packagenames, package_dirs):\n info = get_package_info(srcdir)\n extensions.extend(info['ext_modules'])\n package_da... |
def x(srcdir='.', exclude=()):
ext_modules = []
packages = []
package_dir = {}
setup_cfg = os.path.join(srcdir, 'setup.cfg')
if os.path.exists(setup_cfg):
conf = read_configuration(setup_cfg)
if 'options' in conf and 'package_data' in conf['options']:
package_data = conf['options']['package_data']
else:
package_data = {}
else:
package_data = {}
if exclude:
warnings.warn(
'Use of the exclude parameter is no longer supported since it does not work as expected. Use add_exclude_packages instead. Note that it must be called prior to any other calls from setup helpers.'
, AstropyDeprecationWarning)
packages = find_packages(srcdir, exclude=exclude)
if srcdir != '.':
package_dir[''] = srcdir
for setuppkg in iter_setup_packages(srcdir, packages):
if hasattr(setuppkg, 'get_build_options'):
options = setuppkg.get_build_options()
for option in options:
add_command_option('build', *option)
if hasattr(setuppkg, 'get_external_libraries'):
libraries = setuppkg.get_external_libraries()
for library in libraries:
add_external_library(library)
for setuppkg in iter_setup_packages(srcdir, packages):
if hasattr(setuppkg, 'get_extensions'):
ext_modules.extend(setuppkg.get_extensions())
if hasattr(setuppkg, 'get_package_data'):
package_data.update(setuppkg.get_package_data())
ext_modules.extend(get_cython_extensions(srcdir, packages, ext_modules,
['numpy']))
for i, ext in reversed(list(enumerate(ext_modules))):
if ext.name == 'skip_cython':
del ext_modules[i]
if get_compiler_option() == 'msvc':
for ext in ext_modules:
ext.extra_link_args.append('/MANIFEST')
return {'ext_modules': ext_modules, 'packages': packages, 'package_dir':
package_dir, 'package_data': package_data}
| get_package_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcdir='.', exclude=()):\n ext_modules = []\n packages = []\n package_dir = {}\n setup_cfg = os.path.join(srcdir, 'setup.cfg')\n if os.path.exis... |
def x(srcdir, packages):
for packagename in packages:
package_parts = packagename.split('.')
package_path = os.path.join(srcdir, *package_parts)
setup_package = os.path.relpath(os.path.join(package_path,
'setup_package.py'))
if os.path.isfile(setup_package):
module = import_file(setup_package, name=packagename +
'.setup_package')
yield module
| iter_setup_packages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcdir, packages):\n for packagename in packages:\n package_parts = packagename.split('.')\n package_path = os.path.join(srcdir, *package_part... |
def x(package_dir, package_name):
for dirpath, dirnames, filenames in walk_skip_hidden(package_dir):
for fn in filenames:
if fn.endswith('.pyx'):
fullfn = os.path.relpath(os.path.join(dirpath, fn))
extmod = '.'.join([package_name, fn[:-4]])
yield extmod, fullfn
break
| iter_pyx_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_dir, package_name):\n for dirpath, dirnames, filenames in walk_skip_hidden(package_dir):\n for fn in filenames:\n if fn.endswith('... |
def x(srcdir, packages, prevextensions=tuple(), extincludedirs=None):
prevsourcepaths = []
ext_modules = []
for ext in prevextensions:
for s in ext.sources:
if s.endswith(('.pyx', '.c', '.cpp')):
sourcepath = os.path.realpath(os.path.splitext(s)[0])
prevsourcepaths.append(sourcepath)
for package_name in packages:
package_parts = package_name.split('.')
package_path = os.path.join(srcdir, *package_parts)
for extmod, pyxfn in iter_pyx_files(package_path, package_name):
sourcepath = os.path.realpath(os.path.splitext(pyxfn)[0])
if sourcepath not in prevsourcepaths:
ext_modules.append(Extension(extmod, [pyxfn], include_dirs=
extincludedirs))
return ext_modules
| get_cython_extensions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(srcdir, packages, prevextensions=tuple(), extincludedirs=None):\n prevsourcepaths = []\n ext_modules = []\n for ext in prevextensions:\n for s ... |
def x(packages, default_libraries, executable='pkg-config'):
flag_map = {'-I': 'include_dirs', '-L': 'library_dirs', '-l':
'libraries', '-D': 'define_macros', '-U': 'undef_macros'}
command = '{0} --libs --cflags {1}'.format(executable, ' '.join(packages)),
result = DistutilsExtensionArgs()
try:
pipe = subprocess.Popen(command, shell=True, stdout=subprocess.PIPE)
output = pipe.communicate()[0].strip()
except subprocess.CalledProcessError as e:
lines = ['{0} failed. This may cause the build to fail below.'.
format(executable), ' command: {0}'.format(e.cmd),
' returncode: {0}'.format(e.returncode), ' output: {0}'.
format(e.output)]
log.warn('\n'.join(lines))
result['libraries'].extend(default_libraries)
else:
if pipe.returncode != 0:
lines = ['pkg-config could not lookup up package(s) {0}.'.
format(', '.join(packages)),
'This may cause the build to fail below.']
log.warn('\n'.join(lines))
result['libraries'].extend(default_libraries)
else:
for token in output.split():
arg = token[:2].decode('ascii')
value = token[2:].decode(sys.getfilesystemencoding())
if arg in flag_map:
if arg == '-D':
value = tuple(value.split('=', 1))
result[flag_map[arg]].append(value)
else:
result['extra_compile_args'].append(value)
return result
| pkg_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packages, default_libraries, executable='pkg-config'):\n flag_map = {'-I': 'include_dirs', '-L': 'library_dirs', '-l':\n 'libraries', '-D': 'define_m... |
def x(library):
for command in ['build', 'build_ext', 'install']:
add_command_option(command, str('use-system-' + library),
'Use the system {0} library'.format(library), is_bool=True)
| add_external_library | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(library):\n for command in ['build', 'build_ext', 'install']:\n add_command_option(command, str('use-system-' + library),\n 'Use the syste... |
def x(where='.', exclude=(), invalidate_cache=False):
if exclude:
warnings.warn(
'Use of the exclude parameter is no longer supported since it does not work as expected. Use add_exclude_packages instead. Note that it must be called prior to any other calls from setup helpers.'
, AstropyDeprecationWarning)
_module_state['excludes_too_late'] = True
if not invalidate_cache and _module_state['package_cache'] is not None:
return _module_state['package_cache']
packages = _find_packages(where=where, exclude=list(_module_state[
'exclude_packages']))
_module_state['package_cache'] = packages
return packages
| find_packages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(where='.', exclude=(), invalidate_cache=False):\n if exclude:\n warnings.warn(\n 'Use of the exclude parameter is no longer supported sinc... |
def x(previous_cython_version, is_release):
have_cython = False
try:
from Cython import __version__ as cython_version
have_cython = True
except ImportError:
pass
if have_cython and (not is_release or previous_cython_version == 'unknown'
):
return cython_version
else:
return False
| should_build_with_cython | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(previous_cython_version, is_release):\n have_cython = False\n try:\n from Cython import __version__ as cython_version\n have_cython = True\... |
def x(self, extension):
if self.compiler is None:
compiler = get_default_compiler()
else:
compiler = self.compiler
for jdx, src in enumerate(extension.sources):
base, ext = os.path.splitext(src)
pyxfn = base + '.pyx'
cfn = base + '.c'
cppfn = base + '.cpp'
if not os.path.isfile(pyxfn):
continue
if self._uses_cython:
extension.sources[jdx] = pyxfn
elif os.path.isfile(cfn):
extension.sources[jdx] = cfn
elif os.path.isfile(cppfn):
extension.sources[jdx] = cppfn
else:
msg = (
'Could not find C/C++ file {0}.(c/cpp) for Cython file {1} when building extension {2}. Cython must be installed to build from a git checkout.'
.format(base, pyxfn, extension.name))
raise IOError(errno.ENOENT, msg, cfn)
if compiler == 'unix':
extension.extra_compile_args.extend(['-Wp,-w',
'-Wno-unused-function'])
| check_cython_sources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, extension):\n if self.compiler is None:\n compiler = get_default_compiler()\n else:\n compiler = self.compiler\n for jdx, src in e... |
def x(flag, var, delim=' '):
if sys.platform.startswith('win'):
return None
if not var or not flag:
return None
flag_length = len(flag)
if not flag_length:
return None
if var in os.environ:
flags = os.environ[var]
else:
try:
flags = get_config_var(var)
except KeyError:
return None
if flags:
for item in flags.split(delim):
if item.startswith(flag):
return item[flag_length:]
| get_flag_value_from_var | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flag, var, delim=' '):\n if sys.platform.startswith('win'):\n return None\n if not var or not flag:\n return None\n flag_length = len(fl... |
def x():
compile_flags = []
link_flags = []
if get_compiler_option() == 'msvc':
compile_flags.append('-openmp')
else:
include_path = _get_flag_value_from_var('-I', 'CFLAGS')
if include_path:
compile_flags.append('-I' + include_path)
lib_path = _get_flag_value_from_var('-L', 'LDFLAGS')
if lib_path:
link_flags.append('-L' + lib_path)
link_flags.append('-Wl,-rpath,' + lib_path)
compile_flags.append('-fopenmp')
link_flags.append('-fopenmp')
return {'compiler_flags': compile_flags, 'linker_flags': link_flags}
| get_openmp_flags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n compile_flags = []\n link_flags = []\n if get_compiler_option() == 'msvc':\n compile_flags.append('-openmp')\n else:\n include_p... |
def x(openmp_flags=None):
ccompiler = new_compiler()
customize_compiler(ccompiler)
if not openmp_flags:
openmp_flags = get_openmp_flags()
compile_flags = openmp_flags.get('compiler_flags')
link_flags = openmp_flags.get('linker_flags')
if '-coverage' in compile_flags and '-coverage' not in link_flags:
link_flags.append('-coverage')
tmp_dir = tempfile.mkdtemp()
start_dir = os.path.abspath('.')
try:
os.chdir(tmp_dir)
with open('test_openmp.c', 'w') as f:
f.write(CCODE)
os.mkdir('objects')
ccompiler.compile(['test_openmp.c'], output_dir='objects',
extra_postargs=compile_flags)
objects = glob.glob(os.path.join('objects', '*' + ccompiler.
obj_extension))
ccompiler.link_executable(objects, 'test_openmp', extra_postargs=
link_flags)
output = subprocess.check_output('./test_openmp')
output = output.decode(sys.stdout.encoding or 'utf-8').splitlines()
if 'nthreads=' in output[0]:
nthreads = int(output[0].strip().split('=')[1])
if len(output) == nthreads:
is_openmp_supported = True
else:
log.warn(
'Unexpected number of lines from output of test OpenMP program (output was {0})'
.format(output))
is_openmp_supported = False
else:
log.warn(
'Unexpected output from test OpenMP program (output was {0})'
.format(output))
is_openmp_supported = False
except (CompileError, LinkError, subprocess.CalledProcessError):
is_openmp_supported = False
finally:
os.chdir(start_dir)
return is_openmp_supported
| check_openmp_support | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(openmp_flags=None):\n ccompiler = new_compiler()\n customize_compiler(ccompiler)\n if not openmp_flags:\n openmp_flags = get_openmp_flags()\n ... |
def x():
log_threshold = log.set_threshold(log.FATAL)
ret = check_openmp_support()
log.set_threshold(log_threshold)
return ret
| is_openmp_supported | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log_threshold = log.set_threshold(log.FATAL)\n ret = check_openmp_support()\n log.set_threshold(log_threshold)\n return ret\n",
"role": "u... |
def x(extension):
if _ASTROPY_DISABLE_SETUP_WITH_OPENMP_:
log.info('OpenMP support has been explicitly disabled.')
return False
openmp_flags = get_openmp_flags()
using_openmp = check_openmp_support(openmp_flags=openmp_flags)
if using_openmp:
compile_flags = openmp_flags.get('compiler_flags')
link_flags = openmp_flags.get('linker_flags')
log.info('Compiling Cython/C/C++ extension with OpenMP support')
extension.extra_compile_args.extend(compile_flags)
extension.extra_link_args.extend(link_flags)
else:
log.warn(
'Cannot compile Cython/C/C++ extension with OpenMP, reverting to non-parallel code'
)
return using_openmp
| add_openmp_flags_if_available | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(extension):\n if _ASTROPY_DISABLE_SETUP_WITH_OPENMP_:\n log.info('OpenMP support has been explicitly disabled.')\n return False\n openmp_fl... |
def x(packagename, srcdir='.', disable_openmp=None):
if packagename.lower() == 'astropy':
packagetitle = 'Astropy'
else:
packagetitle = packagename
epoch = int(os.environ.get('SOURCE_DATE_EPOCH', time.time()))
timestamp = datetime.datetime.utcfromtimestamp(epoch)
if disable_openmp is not None:
import builtins
builtins._ASTROPY_DISABLE_SETUP_WITH_OPENMP_ = disable_openmp
if _ASTROPY_DISABLE_SETUP_WITH_OPENMP_:
log.info('OpenMP support has been explicitly disabled.')
openmp_support = (False if _ASTROPY_DISABLE_SETUP_WITH_OPENMP_ else
is_openmp_supported())
src = _IS_OPENMP_ENABLED_SRC.format(packagetitle=packagetitle,
timestamp=timestamp, return_bool=openmp_support)
package_srcdir = os.path.join(srcdir, *packagename.split('.'))
is_openmp_enabled_py = os.path.join(package_srcdir, 'openmp_enabled.py')
with open(is_openmp_enabled_py, 'w') as f:
f.write(src)
| generate_openmp_enabled_py | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(packagename, srcdir='.', disable_openmp=None):\n if packagename.lower() == 'astropy':\n packagetitle = 'Astropy'\n else:\n packagetitle = p... |
def x(self, row, col):
if len(self.dataframe):
return str(self.dataframe.iloc[row, col])
return ''
| GetValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, col):\n if len(self.dataframe):\n return str(self.dataframe.iloc[row, col])\n return ''\n",
"role": "user"
},
{
"content": ... |
def x(self, row, col, value):
self.dataframe.iloc[row, col] = value
| SetValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, col, value):\n self.dataframe.iloc[row, col] = value\n",
"role": "user"
},
{
"content": "SetValue",
"role": "assistant"
}
] |
def x(self, col, value):
try:
self.dataframe.iloc[:, col] = value
except ValueError:
self.dataframe.loc[:, col] = value
| SetColumnValues | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col, value):\n try:\n self.dataframe.iloc[:, col] = value\n except ValueError:\n self.dataframe.loc[:, col] = value\n",
"role": "... |
def x(self, col):
if len(self.dataframe):
return self.dataframe.columns[col]
return ''
| GetColLabelValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col):\n if len(self.dataframe):\n return self.dataframe.columns[col]\n return ''\n",
"role": "user"
},
{
"content": "GetColLabel... |
def x(self, col, value):
if len(self.dataframe):
col_name = str(self.dataframe.columns[col])
self.dataframe.rename(columns={col_name: str(value)}, inplace=True)
return None
| SetColLabelValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col, value):\n if len(self.dataframe):\n col_name = str(self.dataframe.columns[col])\n self.dataframe.rename(columns={col_name: str(valu... |
def x(self):
try:
if len(self.row_labels) < 5:
show_horizontal = wx.SHOW_SB_NEVER
else:
show_horizontal = wx.SHOW_SB_DEFAULT
self.ShowScrollbars(show_horizontal, wx.SHOW_SB_DEFAULT)
except AttributeError:
pass
| set_scrollbars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if len(self.row_labels) < 5:\n show_horizontal = wx.SHOW_SB_NEVER\n else:\n show_horizontal = wx.SHOW_SB... |
def x(self, dataframe, hide_cols=()):
dataframe = dataframe.fillna('')
for col in hide_cols:
if col in dataframe.columns:
del dataframe[col]
self.AppendRows(len(dataframe))
columns = dataframe.columns
row_num = -1
for ind, row in dataframe.iterrows():
row_num += 1
for col_num, col in enumerate(columns):
value = row[col]
self.SetCellValue(row_num, col_num, str(value))
if col == 'citations':
citation = row['citations']
if citation is None or citation is np.nan:
self.SetCellValue(row_num, col_num, 'This study')
elif 'This study' not in citation:
if len(citation):
citation += ':'
citation += 'This study'
self.SetCellValue(row_num, col_num, citation)
self.row_labels.extend(dataframe.index)
| add_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataframe, hide_cols=()):\n dataframe = dataframe.fillna('')\n for col in hide_cols:\n if col in dataframe.columns:\n del datafra... |
def x(self, rows=None, verbose=False):
if rows:
rows = rows
else:
rows = list(range(self.GetNumberRows()))
cols = list(range(self.GetNumberCols()))
data = {}
for row in rows:
data[row] = {}
for col in cols:
col_name = self.GetColLabelValue(col)
if verbose:
print(col_name, ':', self.GetCellValue(row, col))
data[row][col_name] = self.GetCellValue(row, col)
return data
| save_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows=None, verbose=False):\n if rows:\n rows = rows\n else:\n rows = list(range(self.GetNumberRows()))\n cols = list(range(self.Ge... |
def x(self, event):
if not self.changes:
self.changes = {event.Row}
else:
self.changes.add(event.Row)
try:
editor = event.GetControl()
editor.Bind(wx.EVT_KEY_DOWN, self.onEditorKey)
except AttributeError:
pass
| on_edit_grid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if not self.changes:\n self.changes = {event.Row}\n else:\n self.changes.add(event.Row)\n try:\n editor = event.G... |
def x(self, event):
col_ind = self.GetGridCursorCol()
row_ind = self.GetGridCursorRow()
text_df = pd.read_clipboard(header=None, sep='\t').fillna('')
row_length_diff = len(text_df) - (len(self.row_labels) - row_ind)
if row_length_diff > 0:
for n in range(row_length_diff):
self.add_row()
col_length_diff = len(text_df.columns) - (len(self.col_labels) - col_ind)
if col_length_diff > 0:
text_df = text_df.iloc[:, :-col_length_diff].copy()
for label, row_data in text_df.iterrows():
col_range = list(range(col_ind, col_ind + len(row_data)))
if len(row_data) > 1:
cols = list(zip(col_range, row_data.index))
for column in cols:
value = row_data[column[1]]
this_col = column[0]
self.SetCellValue(row_ind, this_col, str(value))
else:
value = row_data[0]
self.SetCellValue(row_ind, col_ind, str(value))
row_ind += 1
self.size_grid()
event.Skip()
| do_paste | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n col_ind = self.GetGridCursorCol()\n row_ind = self.GetGridCursorRow()\n text_df = pd.read_clipboard(header=None, sep='\\t').fillna('')... |
def x(self, row_num):
if row_num in self.changes.copy():
self.changes.remove(row_num)
updated_rows = []
for changed_row in self.changes:
if changed_row == -1:
updated_rows.append(-1)
if changed_row > row_num:
updated_rows.append(changed_row - 1)
if changed_row < row_num:
updated_rows.append(changed_row)
self.changes = set(updated_rows)
| update_changes_after_row_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row_num):\n if row_num in self.changes.copy():\n self.changes.remove(row_num)\n updated_rows = []\n for changed_row in self.changes:\n ... |
def x(self, row, col, color='MEDIUM VIOLET RED', skip_cell=False):
self.SetColLabelRenderer(col, MyColLabelRenderer('#1101e0'))
if not skip_cell:
self.SetCellRenderer(row, col, MyCustomRenderer(color))
| paint_invalid_cell | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, col, color='MEDIUM VIOLET RED', skip_cell=False):\n self.SetColLabelRenderer(col, MyColLabelRenderer('#1101e0'))\n if not skip_cell:\n ... |
def x(self, label):
self.table.dataframe[label] = ''
self.AppendCols(1, updateLabels=False)
last_col = self.table.GetNumberCols() - 1
self.SetColLabelValue(last_col, label)
self.col_labels.append(label)
self.size_grid()
return last_col
| add_col | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label):\n self.table.dataframe[label] = ''\n self.AppendCols(1, updateLabels=False)\n last_col = self.table.GetNumberCols() - 1\n self.SetCol... |
def x(self, col_num):
label_value = self.GetColLabelValue(col_num).strip('**').strip('^^')
self.col_labels.remove(label_value)
del self.table.dataframe[label_value]
result = self.DeleteCols(pos=col_num, numCols=1, updateLabels=True)
self.size_grid()
return result
| remove_col | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, col_num):\n label_value = self.GetColLabelValue(col_num).strip('**').strip('^^')\n self.col_labels.remove(label_value)\n del self.table.datafram... |
def x():
fmt, plot = 'svg', 0
if len(sys.argv) > 0:
if '-h' in sys.argv:
print(main.__doc__)
sys.exit()
if '-fmt' in sys.argv:
ind = sys.argv.index('-fmt')
fmt = sys.argv[ind + 1]
if '-sav' in sys.argv:
plot = 1
if '-f' in sys.argv:
ind = sys.argv.index('-f')
file = sys.argv[ind + 1]
f = open(file, 'r')
data = f.readlines()
else:
data = sys.stdin.readlines()
DIs, Pars = [], []
for line in data:
pars = []
rec = line.split()
DIs.append([float(rec[0]), float(rec[1])])
pars.append(float(rec[0]))
pars.append(float(rec[1]))
pars.append(float(rec[2]))
pars.append(float(rec[0]))
isign = abs(float(rec[1])) / float(rec[1])
pars.append(float(rec[1]) - isign * 90.0)
pars.append(float(rec[2]))
pars.append(float(rec[0]) + 90.0)
pars.append(0.0)
Pars.append(pars)
EQ = {'eq': 1}
pmagplotlib.plot_init(EQ['eq'], 5, 5)
title = 'Equal area projection'
pmagplotlib.plot_eq(EQ['eq'], DIs, title)
for k in range(len(Pars)):
pmagplotlib.plot_ell(EQ['eq'], Pars[k], 'b', 0, 1)
files = {}
for key in list(EQ.keys()):
files[key] = key + '.' + fmt
titles = {}
titles['eq'] = 'Equal Area Plot'
if pmagplotlib.isServer:
black = '#000000'
purple = '#800080'
EQ = pmagplotlib.add_borders(EQ, titles, black, purple)
pmagplotlib.save_plots(EQ, files)
elif plot == 0:
pmagplotlib.draw_figs(EQ)
ans = input(' S[a]ve to save plot, [q]uit, Return to continue: ')
if ans == 'q':
sys.exit()
if ans == 'a':
pmagplotlib.save_plots(EQ, files)
else:
pmagplotlib.save_plots(EQ, files)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n fmt, plot = 'svg', 0\n if len(sys.argv) > 0:\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-fm... |
def x():
D, I = 0.0, 90.0
outfile = ''
infile = ''
if '-h' in sys.argv:
print(main.__doc__)
sys.exit()
if '-f' in sys.argv:
ind = sys.argv.index('-f')
infile = sys.argv[ind + 1]
data = numpy.loadtxt(infile)
else:
data = numpy.loadtxt(sys.stdin, dtype=numpy.float)
if '-F' in sys.argv:
ind = sys.argv.index('-F')
outfile = sys.argv[ind + 1]
out = open(outfile, 'w')
if '-D' in sys.argv:
ind = sys.argv.index('-D')
D = float(sys.argv[ind + 1])
if '-I' in sys.argv:
ind = sys.argv.index('-I')
I = float(sys.argv[ind + 1])
if len(data.shape) > 1:
N = data.shape[0]
DipDir, Dip = numpy.ones(N, dtype=numpy.float).transpose() * (D - 180.0
), numpy.ones(N, dtype=numpy.float).transpose() * (90.0 - I)
data = data.transpose()
data = numpy.array([data[0], data[1], DipDir, Dip]).transpose()
drot, irot = pmag.dotilt_V(data)
drot = (drot - 180.0) % 360.0
for k in range(N):
if outfile == '':
print('%7.1f %7.1f ' % (drot[k], irot[k]))
else:
out.write('%7.1f %7.1f\n' % (drot[k], irot[k]))
else:
d, i = pmag.dotilt(data[0], data[1], D - 180.0, 90.0 - I)
if outfile == '':
print('%7.1f %7.1f ' % ((d - 180.0) % 360.0, i))
else:
out.write('%7.1f %7.1f\n' % ((d - 180.0) % 360.0, i))
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n D, I = 0.0, 90.0\n outfile = ''\n infile = ''\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-f' in sys.argv... |
def x():
ofile = ''
if '-h' in sys.argv:
print(main.__doc__)
sys.exit()
if '-F' in sys.argv:
ind = sys.argv.index('-F')
ofile = sys.argv[ind + 1]
out = open(ofile, 'w')
if '-flt' in sys.argv:
ind = sys.argv.index('-flt')
flt = float(sys.argv[ind + 1])
else:
print(main.__doc__)
sys.exit()
if '-f' in sys.argv:
ind = sys.argv.index('-f')
file = sys.argv[ind + 1]
input = numpy.loadtxt(file)
else:
input = numpy.loadtxt(sys.stdin, dtype=numpy.float)
for line in input:
dec = float(line[0])
inc = float(line[1]) * numpy.pi / 180.0
tincnew = old_div(1, flt) * numpy.tan(inc)
incnew = numpy.arctan(tincnew) * 180.0 / numpy.pi
if ofile == '':
print('%7.1f %7.1f' % (dec, incnew))
else:
out.write('%7.1f %7.1f' % (dec, incnew) + '\n')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ofile = ''\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-F' in sys.argv:\n ind = sys.argv.index('-F')\n ... |
def x(tmin, tmax, ptrm_temps, ptrm_starting_temps):
ptrm_checks_included_temps = []
for num, check in enumerate(ptrm_temps):
if check > tmax:
pass
elif ptrm_starting_temps[num] > tmax:
pass
else:
ptrm_checks_included_temps.append(check)
return len(ptrm_checks_included_temps), ptrm_checks_included_temps
| get_n_ptrm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tmin, tmax, ptrm_temps, ptrm_starting_temps):\n ptrm_checks_included_temps = []\n for num, check in enumerate(ptrm_temps):\n if check > tmax:\n ... |
def x(ptrm_checks_included_temps, ptrm_checks_all_temps, ptrm_x, t_Arai, x_Arai
):
if not ptrm_checks_included_temps:
return [], float('nan'), float('nan'), float('nan'), float('nan')
diffs = []
abs_diffs = []
x_Arai_compare = []
ptrm_compare = []
check_percents = []
ptrm_checks_all_temps = list(ptrm_checks_all_temps)
for check in ptrm_checks_included_temps:
ptrm_ind = ptrm_checks_all_temps.index(check)
ptrm_check = ptrm_x[ptrm_ind]
ptrm_compare.append(ptrm_check)
arai_ind = t_Arai.index(check)
ptrm_orig = x_Arai[arai_ind]
x_Arai_compare.append(ptrm_orig)
diff = ptrm_orig - ptrm_check
diffs.append(diff)
abs_diffs.append(abs(diff))
if ptrm_orig == 0:
check_percents.append(0)
else:
check_percents.append(old_div(abs(diff), ptrm_orig) * 100)
max_diff = max(abs_diffs)
check_percent = max(check_percents)
sum_diffs = abs(sum(diffs))
sum_abs_diffs = sum(abs_diffs)
return diffs, max_diff, sum_diffs, check_percent, sum_abs_diffs
| get_max_ptrm_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ptrm_checks_included_temps, ptrm_checks_all_temps, ptrm_x, t_Arai, x_Arai\n ):\n if not ptrm_checks_included_temps:\n return [], float('nan'), flo... |
def x(delta_x_prime, delta_y_prime, max_ptrm_check):
L = numpy.sqrt(delta_x_prime ** 2 + delta_y_prime ** 2)
DRAT = old_div(max_ptrm_check, L) * 100
return DRAT, L
| get_DRAT | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(delta_x_prime, delta_y_prime, max_ptrm_check):\n L = numpy.sqrt(delta_x_prime ** 2 + delta_y_prime ** 2)\n DRAT = old_div(max_ptrm_check, L) * 100\n r... |
def x(L, sum_ptrm_checks, sum_abs_ptrm_checks):
CDRAT = old_div(sum_ptrm_checks, L) * 100.0
CDRAT_prime = old_div(sum_abs_ptrm_checks, L) * 100.0
return CDRAT, CDRAT_prime
| get_CDRAT | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(L, sum_ptrm_checks, sum_abs_ptrm_checks):\n CDRAT = old_div(sum_ptrm_checks, L) * 100.0\n CDRAT_prime = old_div(sum_abs_ptrm_checks, L) * 100.0\n retu... |
def x(sum_ptrm_checks, sum_abs_ptrm_checks, x_Arai, end):
DRATS = old_div(sum_ptrm_checks, x_Arai[end]) * 100.0
DRATS_prime = old_div(sum_abs_ptrm_checks, x_Arai[end]) * 100.0
return DRATS, DRATS_prime
| get_DRATS | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sum_ptrm_checks, sum_abs_ptrm_checks, x_Arai, end):\n DRATS = old_div(sum_ptrm_checks, x_Arai[end]) * 100.0\n DRATS_prime = old_div(sum_abs_ptrm_checks, ... |
def x(sum_ptrm_checks, sum_abs_ptrm_checks, n_pTRM, L):
if not n_pTRM:
return float('nan'), float('nan')
mean_DRAT = old_div(1.0, n_pTRM) * old_div(sum_ptrm_checks, L) * 100
mean_DRAT_prime = old_div(1.0, n_pTRM) * old_div(sum_abs_ptrm_checks, L
) * 100
return mean_DRAT, mean_DRAT_prime
| get_mean_DRAT | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sum_ptrm_checks, sum_abs_ptrm_checks, n_pTRM, L):\n if not n_pTRM:\n return float('nan'), float('nan')\n mean_DRAT = old_div(1.0, n_pTRM) * old_di... |
def x(sum_ptrm_checks, sum_abs_ptrm_checks, n_pTRM, delta_x_prime):
if not n_pTRM:
return float('nan'), float('nan')
mean_DEV = old_div(1.0, n_pTRM) * old_div(sum_ptrm_checks, delta_x_prime
) * 100
mean_DEV_prime = old_div(1.0, n_pTRM) * old_div(sum_abs_ptrm_checks,
delta_x_prime) * 100
return mean_DEV, mean_DEV_prime
| get_mean_DEV | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sum_ptrm_checks, sum_abs_ptrm_checks, n_pTRM, delta_x_prime):\n if not n_pTRM:\n return float('nan'), float('nan')\n mean_DEV = old_div(1.0, n_pTR... |
def x(PTRMS, PTRM_Checks, NRM):
PTRMS = numpy.array(PTRMS)
PTRM_Checks = numpy.array(PTRM_Checks)
TRM_1 = lib_direct.dir2cart(PTRMS[0, 1:3])
PTRMS_cart = []
Checks_cart = []
for num, ptrm in enumerate(PTRMS):
ptrm_cart = lib_direct.dir2cart([PTRMS[num][1], PTRMS[num][2],
old_div(PTRMS[num][3], NRM)])
PTRMS_cart.append(ptrm_cart)
for num, check in enumerate(PTRM_Checks):
check_cart = lib_direct.dir2cart([PTRM_Checks[num][1], PTRM_Checks[
num][2], old_div(PTRM_Checks[num][3], NRM)])
Checks_cart.append(check_cart)
return PTRMS_cart, Checks_cart, TRM_1
| get_delta_pal_vectors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(PTRMS, PTRM_Checks, NRM):\n PTRMS = numpy.array(PTRMS)\n PTRM_Checks = numpy.array(PTRM_Checks)\n TRM_1 = lib_direct.dir2cart(PTRMS[0, 1:3])\n PTRM... |
def x(ptrms_vectors, ptrm_checks_vectors, ptrms_orig, checks_orig):
ptrm_temps = numpy.array(ptrms_orig)[:, 0]
check_temps = numpy.array(checks_orig)[:, 0]
index = numpy.zeros(len(ptrm_temps))
for num, temp in enumerate(ptrm_temps):
if len(numpy.where(check_temps == temp)[0]):
index[num] = numpy.where(check_temps == temp)[0][0]
else:
index[num] = float('nan')
diffs = numpy.zeros((len(ptrms_vectors), 3))
for num, ptrm in enumerate(ptrms_vectors):
if numpy.isnan(index[num]):
diffs[num] = numpy.array([0, 0, 0])
else:
diffs[num] = ptrm_checks_vectors[int(index[num])] - ptrm
C = numpy.cumsum(diffs, 0)
return diffs, C
| get_diffs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ptrms_vectors, ptrm_checks_vectors, ptrms_orig, checks_orig):\n ptrm_temps = numpy.array(ptrms_orig)[:, 0]\n check_temps = numpy.array(checks_orig)[:, 0]... |
def x(C, ptrms_vectors, start, end):
TRM_star = numpy.zeros([len(ptrms_vectors), 3])
TRM_star[0] = [0.0, 0.0, 0.0]
x_star = numpy.zeros(len(ptrms_vectors))
for num, vec in enumerate(ptrms_vectors[1:]):
TRM_star[num + 1] = vec + C[num]
for num, trm in enumerate(TRM_star):
x_star[num] = numpy.linalg.norm(trm)
return TRM_star[start:end + 1], x_star[start:end + 1]
| get_TRM_star | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(C, ptrms_vectors, start, end):\n TRM_star = numpy.zeros([len(ptrms_vectors), 3])\n TRM_star[0] = [0.0, 0.0, 0.0]\n x_star = numpy.zeros(len(ptrms_vect... |
def x(x_star, y_err, y_mean, y_segment):
x_star_mean = numpy.mean(x_star)
x_err = x_star - x_star_mean
b_star = -1 * numpy.sqrt(old_div(sum(numpy.array(y_err) ** 2), sum(
numpy.array(x_err) ** 2)))
b_star = numpy.sign(sum(x_err * y_err)) * numpy.std(y_segment, ddof=1
) / numpy.std(x_star, ddof=1)
return b_star
| get_b_star | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x_star, y_err, y_mean, y_segment):\n x_star_mean = numpy.mean(x_star)\n x_err = x_star - x_star_mean\n b_star = -1 * numpy.sqrt(old_div(sum(numpy.arra... |
def x(b, b_star):
delta_pal = numpy.abs(old_div(b - b_star, b)) * 100
return delta_pal
| get_delta_pal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(b, b_star):\n delta_pal = numpy.abs(old_div(b - b_star, b)) * 100\n return delta_pal\n",
"role": "user"
},
{
"content": "get_delta_pal",
... |
def x(PTRMS, PTRM_Checks, NRM, y_err, y_mean, b, start, end, y_segment):
PTRMS_cart, checks, TRM_1 = get_delta_pal_vectors(PTRMS, PTRM_Checks, NRM)
diffs, C = get_diffs(PTRMS_cart, checks, PTRMS, PTRM_Checks)
TRM_star, x_star = get_TRM_star(C, PTRMS_cart, start, end)
b_star = get_b_star(x_star, y_err, y_mean, y_segment)
delta_pal = get_delta_pal(b, b_star)
return delta_pal
| get_full_delta_pal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(PTRMS, PTRM_Checks, NRM, y_err, y_mean, b, start, end, y_segment):\n PTRMS_cart, checks, TRM_1 = get_delta_pal_vectors(PTRMS, PTRM_Checks, NRM)\n diffs, ... |
def x(ptrms, ptrm_checks, tmax):
ptrms_included = []
checks_included = []
ptrms = numpy.array(ptrms)
for ptrm in ptrms:
if ptrm[0] <= tmax:
ptrms_included.append(ptrm)
for check in ptrm_checks:
if check[0] <= tmax:
checks_included.append(check)
return ptrms_included, checks_included
| get_segments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ptrms, ptrm_checks, tmax):\n ptrms_included = []\n checks_included = []\n ptrms = numpy.array(ptrms)\n for ptrm in ptrms:\n if ptrm[0] <= tm... |
def x(self):
if self.GUI == None:
return
self.GUI.current_fit = self
if self.tmax != None and self.tmin != None:
self.GUI.update_bounds_boxes()
if self.PCA_type != None:
self.GUI.update_PCA_box()
try:
self.GUI.zijplot
except AttributeError:
self.GUI.draw_figure(self.GUI.s)
self.GUI.fit_box.SetStringSelection(self.name)
self.GUI.get_new_PCA_parameters(-1)
| select | [
{
"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.GUI == None:\n return\n self.GUI.current_fit = self\n if self.tmax != None and self.tmin != None:\n self.GUI.update_bou... |
def x(self, coordinate_system):
if coordinate_system == 'DA-DIR' or coordinate_system == 'specimen':
return self.pars
elif coordinate_system == 'DA-DIR-GEO' or coordinate_system == 'geographic':
return self.geopars
elif coordinate_system == 'DA-DIR-TILT' or coordinate_system == 'tilt-corrected':
return self.tiltpars
else:
print('-E- no such parameters to fetch for ' + coordinate_system +
' in fit: ' + self.name)
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, coordinate_system):\n if coordinate_system == 'DA-DIR' or coordinate_system == 'specimen':\n return self.pars\n elif coordinate_system == 'D... |
def x(self, specimen, coordinate_system, new_pars):
if specimen != None:
if type(new_pars) == dict:
if 'er_specimen_name' not in list(new_pars.keys()):
new_pars['er_specimen_name'] = specimen
if 'specimen_comp_name' not in list(new_pars.keys()):
new_pars['specimen_comp_name'] = self.name
if type(new_pars) != dict or 'measurement_step_min' not in list(
new_pars.keys()) or 'measurement_step_max' not in list(new_pars
.keys()) or 'calculation_type' not in list(new_pars.keys()):
print(
"""-E- invalid parameters cannot assign to fit %s for specimen %s - was given:
%s"""
% (self.name, specimen, str(new_pars)))
return self.get(coordinate_system)
self.tmin = new_pars['measurement_step_min']
self.tmax = new_pars['measurement_step_max']
self.PCA_type = new_pars['calculation_type']
if self.GUI != None:
steps = self.GUI.Data[specimen]['zijdblock_steps']
tl = [self.tmin, self.tmax]
for i, t in enumerate(tl):
if str(t) in steps:
tl[i] = str(t)
elif str(int(t)) in steps:
tl[i] = str(int(t))
elif '%.1fmT' % t in steps:
tl[i] = '%.1fmT' % t
elif '%.0fC' % t in steps:
tl[i] = '%.0fC' % t
else:
print('-E- Step ' + str(tl[i]) +
' does not exsist (func: Fit.put)')
tl[i] = str(t)
self.tmin, self.tmax = tl
elif meas_data != None:
steps = meas_data[specimen]['zijdblock_steps']
tl = [self.tmin, self.tmax]
for i, t in enumerate(tl):
if str(t) in steps:
tl[i] = str(t)
elif str(int(t)) in steps:
tl[i] = str(int(t))
elif '%.1fmT' % t in steps:
tl[i] = '%.1fmT' % t
elif '%.0fC' % t in steps:
tl[i] = '%.0fC' % t
else:
print('-E- Step ' + str(tl[i]) +
' does not exsist (func: Fit.put)')
tl[i] = str(t)
self.tmin, self.tmax = tl
else:
self.tmin, self.tmax = list(map(str, tl))
if coordinate_system == 'DA-DIR' or coordinate_system == 'specimen':
self.pars = new_pars
elif coordinate_system == 'DA-DIR-GEO' or coordinate_system == 'geographic':
self.geopars = new_pars
elif coordinate_system == 'DA-DIR-TILT' or coordinate_system == 'tilt-corrected':
self.tiltpars = new_pars
else:
print(
'-E- no such coordinate system could not assign those parameters to fit'
)
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, specimen, coordinate_system, new_pars):\n if specimen != None:\n if type(new_pars) == dict:\n if 'er_specimen_name' not in list(new_... |
def x(self, name, tmin, tmax):
return str(self.name) == str(name) and str(self.tmin) == str(tmin) and str(
self.tmax) == str(tmax)
| has_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, tmin, tmax):\n return str(self.name) == str(name) and str(self.tmin) == str(tmin) and str(\n self.tmax) == str(tmax)\n",
"role": "use... |
def x(tmax, tail_temps):
t_index = 0
adj_tmax = 0
if tmax < tail_temps[0]:
return 0
try:
t_index = list(tail_temps).index(tmax)
except:
for temp in tail_temps:
if temp <= tmax:
adj_tmax = temp
t_index = list(tail_temps).index(adj_tmax)
incl_temps = tail_temps[0:t_index + 1]
return len(incl_temps)
| get_n_tail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tmax, tail_temps):\n t_index = 0\n adj_tmax = 0\n if tmax < tail_temps[0]:\n return 0\n try:\n t_index = list(tail_temps).index(tmax)... |
def x(y_Arai, y_tail, t_Arai, tail_temps, n_tail):
if not n_tail:
return float('nan'), []
tail_compare = []
y_Arai_compare = []
for temp in tail_temps[:n_tail]:
tail_index = list(tail_temps).index(temp)
tail_check = y_tail[tail_index]
tail_compare.append(tail_check)
arai_index = list(t_Arai).index(temp)
nrm_orig = y_Arai[arai_index]
y_Arai_compare.append(nrm_orig)
diffs = numpy.array(y_Arai_compare) - numpy.array(tail_compare)
abs_diffs = abs(diffs)
max_check = max(abs_diffs)
return max_check, diffs
| get_max_tail_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y_Arai, y_tail, t_Arai, tail_temps, n_tail):\n if not n_tail:\n return float('nan'), []\n tail_compare = []\n y_Arai_compare = []\n for temp... |
def x(max_check, L):
if max_check == 0:
return float('nan')
DRAT_tail = old_div(max_check, L) * 100.0
return DRAT_tail
| get_DRAT_tail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_check, L):\n if max_check == 0:\n return float('nan')\n DRAT_tail = old_div(max_check, L) * 100.0\n return DRAT_tail\n",
"role": "user"... |
def x(tail_check_max, y_int):
if tail_check_max == 0 or numpy.isnan(tail_check_max):
return float('nan')
delta_TR = old_div(tail_check_max, abs(y_int)) * 100.0
return delta_TR
| get_delta_TR | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tail_check_max, y_int):\n if tail_check_max == 0 or numpy.isnan(tail_check_max):\n return float('nan')\n delta_TR = old_div(tail_check_max, abs(y_... |
def x(tail_check_max, vds):
if tail_check_max == 0 or numpy.isnan(tail_check_max):
return float('nan')
MD_VDS = old_div(tail_check_max, vds) * 100
return MD_VDS
| get_MD_VDS | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tail_check_max, vds):\n if tail_check_max == 0 or numpy.isnan(tail_check_max):\n return float('nan')\n MD_VDS = old_div(tail_check_max, vds) * 100... |
def x():
dir_path = '.'
zfile = 'zeq_redo'
if '-WD' in sys.argv:
ind = sys.argv.index('-WD')
dir_path = sys.argv[ind + 1]
if '-h' in sys.argv:
print(main.__doc__)
sys.exit()
if '-f' in sys.argv:
ind = sys.argv.index('-f')
inspec = sys.argv[ind + 1]
if '-F' in sys.argv:
ind = sys.argv.index('-F')
zfile = sys.argv[ind + 1]
inspec = dir_path + '/' + inspec
zfile = dir_path + '/' + zfile
zredo = open(zfile, 'w')
specs = []
prior_spec_data = open(inspec, 'r').readlines()
for line in prior_spec_data:
line = line.replace('Dir', ' Dir')
line = line.replace('OKir', ' OKir')
line = line.replace('Fish', ' Fish')
line = line.replace('Man', ' Man')
line = line.replace('GC', ' GC')
line = line.replace('-T', ' - T')
line = line.replace('-M', ' - M')
rec = line.split()
if len(rec) < 2:
sys.exit()
if rec[1] == 'Dir' or rec[1] == 'GC':
spec = rec[0]
specs.append(spec)
comp_name = string.uppercase[specs.count(spec) - 1]
calculation_type = 'DE-FM'
if rec[1] == 'Dir' and rec[2] == 'Kir':
calculation_type = 'DE-BFL'
if rec[1] == 'Dir' and rec[2] == 'OKir':
calculation_type = 'DE-BFL-A'
if rec[1] == 'Dir' and rec[2] == 'Fish':
calculation_type = 'DE-FM'
if rec[1] == 'GC':
calculation_type = 'DE-BFP'
min, max = rec[3], rec[5]
beg, end = '', ''
if min == 'NRM':
beg = 0
if min[0] == 'M':
beg = float(min[1:]) * 0.001
elif min[0] == 'T':
beg = float(min[1:]) + 273
if max[0] == 'M':
end = float(max[1:]) * 0.001
elif max[0] == 'T':
end = float(max[1:]) + 273
if beg == 0:
beg = 273
outstring = '%s %s %s %s %s \n' % (spec, calculation_type, beg,
end, comp_name)
zredo.write(outstring)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n dir_path = '.'\n zfile = 'zeq_redo'\n if '-WD' in sys.argv:\n ind = sys.argv.index('-WD')\n dir_path = sys.argv[ind + 1]\n if '-... |
def x(self, num):
if self.data_model_num == 3:
self.btn1a.Enable()
else:
self.btn1a.Disable()
global pmag_gui_dialogs
if self.data_model_num == 2:
pmag_gui_dialogs = pgd2
wx.CallAfter(self.get_wd_data2)
elif self.data_model_num == 3:
pmag_gui_dialogs = pgd3
wx.CallAfter(self.get_wd_data)
menubar = pmag_gui_menu.MagICMenu(self, data_model_num=self.data_model_num)
self.SetMenuBar(menubar)
self.menubar = menubar
| set_dm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num):\n if self.data_model_num == 3:\n self.btn1a.Enable()\n else:\n self.btn1a.Disable()\n global pmag_gui_dialogs\n if self.d... |
def x(self):
wait = wx.BusyInfo(
'Reading in data from current working directory, please wait...')
print('-I- Read in any available data from working directory')
self.contribution = cb.Contribution(self.WD, dmodel=self.data_model)
del wait
| get_wd_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wait = wx.BusyInfo(\n 'Reading in data from current working directory, please wait...')\n print('-I- Read in any available data from work... |
def x(self):
wait = wx.BusyInfo(
'Reading in data from current working directory, please wait...')
print(
'-I- Read in any available data from working directory (data model 2)')
self.er_magic = builder.ErMagicBuilder(self.WD, data_model=self.data_model)
del wait
| get_wd_data2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wait = wx.BusyInfo(\n 'Reading in data from current working directory, please wait...')\n print(\n '-I- Read in any available data... |
def x(self):
if '-WD' in sys.argv and self.FIRST_RUN:
ind = sys.argv.index('-WD')
self.WD = os.path.abspath(sys.argv[ind + 1])
os.chdir(self.WD)
self.WD = os.getcwd()
self.dir_path.SetValue(self.WD)
else:
self.on_change_dir_button(None)
self.FIRST_RUN = False
| get_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if '-WD' in sys.argv and self.FIRST_RUN:\n ind = sys.argv.index('-WD')\n self.WD = os.path.abspath(sys.argv[ind + 1])\n os.chd... |
def x(self, event):
if not self.check_for_meas_file():
return
if not self.check_for_uncombined_files():
return
outstring = 'thellier_gui.py -WD %s' % self.WD
print('-I- running python script:\n %s' % outstring)
if self.data_model_num == 2.5:
thellier_gui.main(self.WD, standalone_app=False, parent=self, DM=
self.data_model_num)
else:
self.Disable()
self.Hide()
wait = wx.BusyInfo('Compiling required data, please wait...')
wx.SafeYield()
ThellierGuiExitEvent, EVT_THELLIER_GUI_EXIT = newevent.NewCommandEvent(
)
self.Bind(EVT_THELLIER_GUI_EXIT, self.on_analysis_gui_exit)
thellier_gui_frame = thellier_gui.Arai_GUI(self.WD, self,
standalone=False, DM=self.data_model_num, evt_quit=
ThellierGuiExitEvent)
if not thellier_gui_frame:
print('Thellier GUI failed to start aborting')
del wait
return
thellier_gui_frame.Centre()
thellier_gui_frame.Show()
del wait
| on_btn_thellier_gui | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if not self.check_for_meas_file():\n return\n if not self.check_for_uncombined_files():\n return\n outstring = 'thellier... |
def x(self, event):
if not self.check_for_meas_file():
return
if not self.check_for_uncombined_files():
return
outstring = 'demag_gui.py -WD %s' % self.WD
print('-I- running python script:\n %s' % outstring)
if self.data_model_num == 2:
demag_gui.start(self.WD, standalone_app=False, parent=self, DM=self
.data_model_num)
else:
self.Disable()
self.Hide()
wait = wx.BusyInfo('Compiling required data, please wait...')
wx.SafeYield()
DemagGuiExitEvent, EVT_DEMAG_GUI_EXIT = newevent.NewCommandEvent()
self.Bind(EVT_DEMAG_GUI_EXIT, self.on_analysis_gui_exit)
demag_gui_frame = demag_gui.Demag_GUI(self.WD, self,
write_to_log_file=False, data_model=self.data_model_num,
evt_quit=DemagGuiExitEvent)
demag_gui_frame.Centre()
demag_gui_frame.Show()
del wait
| on_btn_demag_gui | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if not self.check_for_meas_file():\n return\n if not self.check_for_uncombined_files():\n return\n outstring = 'demag_gu... |
def x(self, event):
dia = pw.UpgradeDialog(None)
dia.Center()
res = dia.ShowModal()
if res == wx.ID_CANCEL:
webbrowser.open('https://www2.earthref.org/MagIC/upgrade', new=2)
return
meas, upgraded, no_upgrade = pmag.convert_directory_2_to_3(
'magic_measurements.txt', input_dir=self.WD, output_dir=self.WD,
data_model=self.contribution.data_model)
if not meas:
wx.MessageBox(
'2.5 --> 3.0 failed. Do you have a magic_measurements.txt file in your working directory?'
, 'Info', wx.OK | wx.ICON_INFORMATION)
return
self.contribution = cb.Contribution(self.WD)
self.contribution.propagate_measurement_info()
upgraded_string = ', '.join(upgraded)
if no_upgrade:
no_upgrade_string = ', '.join(no_upgrade)
msg = (
"""2.5 --> 3.0 translation completed!
These 3.0 format files were created: {}.
However, these 2.5 format files could not be upgraded: {}.
To convert all 2.5 files, use the MagIC upgrade tool: https://www2.earthref.org/MagIC/upgrade
"""
.format(upgraded_string, no_upgrade_string))
if 'criteria.txt' in upgraded:
msg += """
Note: Please check your criteria file for completeness and accuracy, as not all 2.5 files will be fully upgraded."""
if 'pmag_criteria.txt' in no_upgrade:
msg += """
Note: Not all criteria files can be upgraded, even on the MagIC site. You may need to recreate an old pmag_criteria file from scratch in Thellier GUI or Demag GUI."""
wx.MessageBox(msg, 'Warning', wx.OK | wx.ICON_INFORMATION)
else:
msg = (
'2.5 --> 3.0 translation completed!\nThese files were converted: {}'
.format(upgraded_string))
wx.MessageBox(msg, 'Info', wx.OK | wx.ICON_INFORMATION)
| on_btn_convert_3 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n dia = pw.UpgradeDialog(None)\n dia.Center()\n res = dia.ShowModal()\n if res == wx.ID_CANCEL:\n webbrowser.open('https://www... |
def x(self, event):
if not self.check_for_meas_file():
return
if not self.check_for_uncombined_files():
return
if self.data_model_num == 2:
wait = wx.BusyInfo('Compiling required data, please wait...')
wx.SafeYield()
self.ErMagic_frame = ErMagicBuilder.MagIC_model_builder(self.WD,
self, self.er_magic)
elif self.data_model_num == 3:
wait = wx.BusyInfo('Compiling required data, please wait...')
wx.SafeYield()
self.ErMagic_frame = ErMagicBuilder.MagIC_model_builder3(self.WD,
self, self.contribution)
self.ErMagic_frame.Show()
self.ErMagic_frame.Center()
size = wx.DisplaySize()
size = size[0] - 0.3 * size[0], size[1] - 0.3 * size[1]
self.ErMagic_frame.Raise()
del wait
| on_btn_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if not self.check_for_meas_file():\n return\n if not self.check_for_uncombined_files():\n return\n if self.data_model_nu... |
def x(self):
self.check_dia = pmag_er_magic_dialogs.ErMagicCheckFrame(self,
'Check Data', self.WD, self.er_magic)
| init_check_window2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.check_dia = pmag_er_magic_dialogs.ErMagicCheckFrame(self,\n 'Check Data', self.WD, self.er_magic)\n",
"role": "user"
},
{
"... |
def x(self):
self.check_dia = pmag_er_magic_dialogs.ErMagicCheckFrame3(self,
'Check Data', self.WD, self.contribution)
| init_check_window | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.check_dia = pmag_er_magic_dialogs.ErMagicCheckFrame3(self,\n 'Check Data', self.WD, self.contribution)\n",
"role": "user"
},
{
... |
def x(self, event):
wait = wx.BusyInfo('Compiling required data, please wait...')
wx.SafeYield()
size = wx.DisplaySize()
size = size[0] - 0.1 * size[0], size[1] - 0.1 * size[1]
if self.data_model_num == 3:
frame = pmag_gui_dialogs.OrientFrameGrid3(self, -1,
'demag_orient.txt', self.WD, self.contribution, size)
else:
frame = pmag_gui_dialogs.OrientFrameGrid(self, -1,
'demag_orient.txt', self.WD, self.er_magic, size)
frame.Show(True)
frame.Centre()
self.Hide()
del wait
| on_btn_orientation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n wait = wx.BusyInfo('Compiling required data, please wait...')\n wx.SafeYield()\n size = wx.DisplaySize()\n size = size[0] - 0.1 * s... |
def x(self, event):
dlg = wx.FileDialog(None, message='choose txt file to unpack',
defaultDir=self.WD, defaultFile='', style=wx.FD_OPEN)
if dlg.ShowModal() == wx.ID_OK:
FILE = dlg.GetPath()
input_dir, f = os.path.split(FILE)
else:
return False
outstring = 'download_magic.py -f {} -WD {} -ID {} -DM {}'.format(f,
self.WD, input_dir, self.data_model_num)
print('-I- running python script:\n %s' % outstring)
wait = wx.BusyInfo('Please wait, working...')
wx.SafeYield()
ex = None
try:
if ipmag.download_magic(f, self.WD, input_dir, overwrite=True,
data_model=self.data_model):
text = """Successfully ran download_magic.py program.
MagIC files were saved in your working directory.
See Terminal/message window for details."""
else:
text = (
'Something went wrong. Make sure you chose a valid file downloaded from the MagIC database and try again.'
)
except Exception as ex:
text = (
'Something went wrong. Make sure you chose a valid file downloaded from the MagIC database and try again.'
)
del wait
dlg = wx.MessageDialog(self, caption='Saved', message=text, style=wx.OK
)
result = dlg.ShowModal()
if result == wx.ID_OK:
dlg.Destroy()
if ex:
raise ex
self.contribution = cb.Contribution(self.WD)
| on_btn_unpack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n dlg = wx.FileDialog(None, message='choose txt file to unpack',\n defaultDir=self.WD, defaultFile='', style=wx.FD_OPEN)\n if dlg.Sh... |
def x(self, event):
if not self.check_for_uncombined_files():
return
outstring = 'upload_magic.py'
print('-I- running python script:\n %s' % outstring)
wait = wx.BusyInfo('Please wait, working...')
wx.SafeYield()
self.contribution.tables['measurements'].add_measurement_names()
if self.data_model_num == 3:
res, error_message, has_problems, all_failing_items = (ipmag.
upload_magic(concat=False, dir_path=self.WD, vocab=self.
contribution.vocab, contribution=self.contribution))
if self.data_model_num == 2:
res, error_message, errors = ipmag.upload_magic2(dir_path=self.WD,
data_model=self.er_magic.data_model)
del wait
if res:
text = 'You are ready to upload!\n{} was generated in {}'.format(os
.path.split(res)[1], os.path.split(res)[0])
dlg = pw.ChooseOne(self, 'Go to MagIC for uploading',
'Not ready yet', text, 'Saved')
del wait
else:
text = (
"""There were some problems with the creation of your upload file.
Error message: {}
See Terminal/message window for details"""
.format(error_message))
dlg = wx.MessageDialog(self, caption='Error', message=text, style=wx.OK
)
dlg.Centre()
result = dlg.ShowModal()
if result == wx.ID_OK:
dlg.Destroy()
if result == wx.ID_YES:
pw.on_database_upload(None)
if self.data_model_num == 3:
if not res:
from programs import magic_gui
self.Disable()
self.Hide()
self.magic_gui_frame = magic_gui.MainFrame(self.WD, dmodel=self
.data_model, title='Validations', contribution=self.
contribution)
self.magic_gui_frame.validation_mode = ['specimens']
self.magic_gui_frame.failing_items = all_failing_items
self.magic_gui_frame.change_dir_button.Disable()
self.magic_gui_frame.Centre()
self.magic_gui_frame.Show()
self.magic_gui_frame.highlight_problems(has_problems)
self.magic_gui_frame.bSizer2.GetStaticBox().SetLabel(
'return to main GUI')
self.magic_gui_frame.btn_upload.SetLabel('exit validation mode')
self.magic_gui_frame.Bind(wx.EVT_BUTTON, self.on_end_validation,
self.magic_gui_frame.btn_upload)
self.magic_gui_frame.Bind(wx.EVT_CLOSE, self.on_end_validation)
self.magic_gui_frame.Bind(wx.EVT_MENU, lambda event: self.
menubar.on_quit(event, self.magic_gui_frame), self.
magic_gui_frame.menubar.file_quit)
self.Bind(wx.EVT_MENU, lambda event: self.menubar.on_quit(event,
self.magic_gui_frame), self.magic_gui_frame.menubar.file_quit)
| on_btn_upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n if not self.check_for_uncombined_files():\n return\n outstring = 'upload_magic.py'\n print('-I- running python script:\\n %s' %... |
def x(self, event):
self.Enable()
self.Show()
self.magic_gui_frame.Destroy()
| on_end_validation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n self.Enable()\n self.Show()\n self.magic_gui_frame.Destroy()\n",
"role": "user"
},
{
"content": "on_end_validation",
"... |
def x(self, event):
try:
self.help_window.Destroy()
except:
pass
if '-i' in sys.argv:
self.Destroy()
try:
sys.exit()
except Exception as ex:
if isinstance(ex, TypeError):
pass
else:
raise ex
| on_menu_exit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n try:\n self.help_window.Destroy()\n except:\n pass\n if '-i' in sys.argv:\n self.Destroy()\n try:\n sys... |
def x(self):
wd_files = os.listdir(self.WD)
if self.data_model_num == 2:
ftypes = ['er_specimens.txt', 'er_samples.txt', 'er_sites.txt',
'er_locations.txt', 'pmag_specimens.txt', 'pmag_samples.txt',
'pmag_sites.txt', 'rmag_specimens.txt', 'rmag_results.txt',
'rmag_anisotropy.txt']
else:
ftypes = ['specimens.txt', 'samples.txt', 'sites.txt', 'locations.txt']
uncombined = set()
for ftype in ftypes:
if ftype not in wd_files:
for f in wd_files:
if f.endswith('_' + ftype):
uncombined.add(ftype)
if uncombined:
msg = (
"""It looks like you may have uncombined files of type(s) {} in your working directory.
You may want to go back to Step 1 and finish combining all files.
If you continue, the program will try to extract as much information as possible from your measurement file."""
.format(', '.join(list(uncombined))))
dlg = pw.ChooseOne(self, 'Continue anyway', 'Go back', msg, title=
'Warning!')
res = dlg.ShowModal()
if res == wx.ID_NO:
return
return True
| check_for_uncombined_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wd_files = os.listdir(self.WD)\n if self.data_model_num == 2:\n ftypes = ['er_specimens.txt', 'er_samples.txt', 'er_sites.txt',\n ... |
def x(self):
if self.data_model_num == 2:
meas_file_name = 'magic_measurements.txt'
dm = '2.5'
else:
meas_file_name = 'measurements.txt'
dm = '3.0'
if not os.path.isfile(os.path.join(self.WD, meas_file_name)):
pw.simple_warning(
"""Your working directory must have a {} format {} file to run this step. Make sure you have fully completed step 1 (import magnetometer file) and ALSO converted to 3.0., if necessary), then try again.
If you are trying to look at data downloaded from MagIC, you must unpack the txt file first. Some contributions do not contain measurement data, in which case you won't be able to use this function."""
.format(dm, meas_file_name))
return False
return True
| check_for_meas_file | [
{
"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_model_num == 2:\n meas_file_name = 'magic_measurements.txt'\n dm = '2.5'\n else:\n meas_file_name = 'measureme... |
def x():
args = sys.argv
if '-h' in args:
print(main.__doc__)
sys.exit()
dir_path = pmag.get_named_arg('-WD', '.')
fmt = pmag.get_named_arg('-fmt', 'svg')
save_plots = False
interactive = True
if '-sav' in sys.argv:
save_plots = True
interactive = False
infile = pmag.get_named_arg('-f', 'specimens.txt')
ipmag.dayplot_magic(dir_path, infile, save=save_plots, fmt=fmt,
interactive=interactive)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n args = sys.argv\n if '-h' in args:\n print(main.__doc__)\n sys.exit()\n dir_path = pmag.get_named_arg('-WD', '.')\n fmt = pmag.g... |
def x(self, event):
pmag_menu_dialogs.MoveFileIntoWD(self.parent, self.parent.WD)
| on_import1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n pmag_menu_dialogs.MoveFileIntoWD(self.parent, self.parent.WD)\n",
"role": "user"
},
{
"content": "on_import1",
"role": "assi... |
def x(self, event):
pmag_menu_dialogs.ImportAzDipFile(self.parent, self.parent.WD)
| orient_import2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n pmag_menu_dialogs.ImportAzDipFile(self.parent, self.parent.WD)\n",
"role": "user"
},
{
"content": "orient_import2",
"role": ... |
def x():
ave = 1
if '-h' in sys.argv:
print(main.__doc__)
sys.exit()
if '-l' in sys.argv:
ind = sys.argv.index('-l')
npts = int(sys.argv[ind + 1])
ave = 0
if '-f' in sys.argv:
ind = sys.argv.index('-f')
file = sys.argv[ind + 1]
f = open(file, 'r')
data = f.readlines()
f.close()
else:
data = sys.stdin.readlines()
Ss = []
for line in data:
s = []
rec = line.split()
for i in range(6):
s.append(float(rec[i]))
if ave == 0:
sig = float(rec[6])
hpars = pmag.dohext(npts - 6, sig, s)
print('%s %4.2f %s %4.2f %s %4.2f' % ('F = ', hpars['F'],
'F12 = ', hpars['F12'], 'F23 = ', hpars['F23']))
print('%s %i %s %14.12f' % ('Nmeas = ', npts, ' sigma = ', sig))
print('%7.5f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f' %
(hpars['t1'], hpars['v1_dec'], hpars['v1_inc'], hpars['e12'
], hpars['v2_dec'], hpars['v2_inc'], hpars['e13'], hpars[
'v3_dec'], hpars['v3_inc']))
print('%7.5f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f' %
(hpars['t2'], hpars['v2_dec'], hpars['v2_inc'], hpars['e23'
], hpars['v3_dec'], hpars['v3_inc'], hpars['e12'], hpars[
'v1_dec'], hpars['v1_inc']))
print('%7.5f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f' %
(hpars['t3'], hpars['v3_dec'], hpars['v3_inc'], hpars['e13'
], hpars['v1_dec'], hpars['v1_inc'], hpars['e23'], hpars[
'v2_dec'], hpars['v2_inc']))
else:
Ss.append(s)
if ave == 1:
npts = len(Ss)
nf, sigma, avs = pmag.sbar(Ss)
hpars = pmag.dohext(nf, sigma, avs)
print('%s %4.2f %s %4.2f %s %4.2f' % ('F = ', hpars['F'], 'F12 = ',
hpars['F12'], 'F23 = ', hpars['F23']))
print('%s %i %s %14.12f' % ('N = ', npts, ' sigma = ', sigma))
print('%7.5f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f' % (
hpars['t1'], hpars['v1_dec'], hpars['v1_inc'], hpars['e12'],
hpars['v2_dec'], hpars['v2_inc'], hpars['e13'], hpars['v3_dec'],
hpars['v3_inc']))
print('%7.5f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f' % (
hpars['t2'], hpars['v2_dec'], hpars['v2_inc'], hpars['e23'],
hpars['v3_dec'], hpars['v3_inc'], hpars['e12'], hpars['v1_dec'],
hpars['v1_inc']))
print('%7.5f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f %7.1f' % (
hpars['t3'], hpars['v3_dec'], hpars['v3_inc'], hpars['e13'],
hpars['v1_dec'], hpars['v1_inc'], hpars['e23'], hpars['v2_dec'],
hpars['v2_inc']))
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ave = 1\n if '-h' in sys.argv:\n print(main.__doc__)\n sys.exit()\n if '-l' in sys.argv:\n ind = sys.argv.index('-l')\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.