source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): rel_py_file = self.py_file.relative_to(self.python_path) module_path = '.'.join(rel_py_file.with_suffix('').parts) sys.path.append(str(self.python_path)) try: module = import_module(module_path) except ImportError as e: raise AdevConfigError('error importing "{}" from "{}": {}'.format( module_path, self.python_path, e)) from e logger.debug('successfully loaded "%s" from "%s"', module_path, self. python_path) if self.app_factory_name is None: try: self.app_factory_name = next(an for an in APP_FACTORY_NAMES if hasattr(module, an)) except StopIteration as e: raise AdevConfigError( 'No name supplied and no default app factory found in {s.py_file.name}' .format(s=self)) from e else: logger.debug('found default attribute "%s" in module "%s"', self.app_factory_name, module) try: attr = getattr(module, self.app_factory_name) except AttributeError as e: raise AdevConfigError( 'Module "{s.py_file.name}" does not define a "{s.app_factory_name}" attribute/class' .format(s=self)) from e self.watch_path = self.watch_path or Path(module.__file__).parent return attr
import_app_factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rel_py_file = self.py_file.relative_to(self.python_path)\n module_path = '.'.join(rel_py_file.with_suffix('').parts)\n sys.path.append(str(self.python_path))\n try:\n module = import_module(module_path)\n except ImportError as e:\n raise AdevConfigError('error importing \"{}\" from \"{}\": {}'.format(\n module_path, self.python_path, e)) from e\n logger.debug('successfully loaded \"%s\" from \"%s\"', module_path, self.\n python_path)\n if self.app_factory_name is None:\n try:\n self.app_factory_name = next(an for an in APP_FACTORY_NAMES if\n hasattr(module, an))\n except StopIteration as e:\n raise AdevConfigError(\n 'No name supplied and no default app factory found in {s.py_file.name}'\n .format(s=self)) from e\n else:\n logger.debug('found default attribute \"%s\" in module \"%s\"',\n self.app_factory_name, module)\n try:\n attr = getattr(module, self.app_factory_name)\n except AttributeError as e:\n raise AdevConfigError(\n 'Module \"{s.py_file.name}\" does not define a \"{s.app_factory_name}\" attribute/class'\n .format(s=self)) from e\n self.watch_path = self.watch_path or Path(module.__file__).parent\n return attr\n", "role": "user" }, { "content": "import_app_factory", "role": "assistant" } ]
def x(**config_kwargs): set_start_method('spawn') config = Config(**config_kwargs) config.import_app_factory() loop = asyncio.get_event_loop() loop.run_until_complete(check_port_open(config.main_port, loop)) aux_app = create_auxiliary_app(static_path=config.static_path_str, static_url=config.static_url, livereload=config.livereload) main_manager = AppTask(config, loop) aux_app.on_startup.append(main_manager.start) aux_app.on_shutdown.append(main_manager.close) if config.static_path: static_manager = LiveReloadTask(config.static_path, loop) logger.debug('starting livereload to watch %s', config.static_path_str) aux_app.on_startup.append(static_manager.start) aux_app.on_shutdown.append(static_manager.close) url = 'http://{0.host}:{0.aux_port}'.format(config) logger.info('Starting aux server at %s ◆', url) if config.static_path: rel_path = config.static_path.relative_to(os.getcwd()) logger.info('serving static files from ./%s/ at %s%s', rel_path, url, config.static_url) return aux_app, config.aux_port, loop, AuxAccessLogger
runserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**config_kwargs):\n set_start_method('spawn')\n config = Config(**config_kwargs)\n config.import_app_factory()\n loop = asyncio.get_event_loop()\n loop.run_until_complete(check_port_open(config.main_port, loop))\n aux_app = create_auxiliary_app(static_path=config.static_path_str,\n static_url=config.static_url, livereload=config.livereload)\n main_manager = AppTask(config, loop)\n aux_app.on_startup.append(main_manager.start)\n aux_app.on_shutdown.append(main_manager.close)\n if config.static_path:\n static_manager = LiveReloadTask(config.static_path, loop)\n logger.debug('starting livereload to watch %s', config.static_path_str)\n aux_app.on_startup.append(static_manager.start)\n aux_app.on_shutdown.append(static_manager.close)\n url = 'http://{0.host}:{0.aux_port}'.format(config)\n logger.info('Starting aux server at %s ◆', url)\n if config.static_path:\n rel_path = config.static_path.relative_to(os.getcwd())\n logger.info('serving static files from ./%s/ at %s%s', rel_path,\n url, config.static_url)\n return aux_app, config.aux_port, loop, AuxAccessLogger\n", "role": "user" }, { "content": "runserver", "role": "assistant" } ]
def x(verbose: bool) ->dict: log_level = 'DEBUG' if verbose else 'INFO' return {'version': 1, 'disable_existing_loggers': False, 'formatters': {'default': {'format': '[%(asctime)s] %(message)s', 'datefmt': '%H:%M:%S', 'class': 'aiohttp_devtools.logs.DefaultFormatter'}, 'no_ts': {'format': '%(message)s', 'class': 'aiohttp_devtools.logs.DefaultFormatter'}, 'aiohttp': {'format': '%(message)s', 'class': 'aiohttp_devtools.logs.AccessFormatter'}}, 'handlers': {'default': {'level': log_level, 'class': 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter': 'default'}, 'no_ts': {'level': log_level, 'class': 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter': 'no_ts'}, 'aiohttp_access': {'level': log_level, 'class': 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter': 'aiohttp'}, 'aiohttp_server': {'class': 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter': 'aiohttp'}}, 'loggers': {rs_dft_logger.name: {'handlers': [ 'default'], 'level': log_level}, rs_aux_logger.name: {'handlers': [ 'default'], 'level': log_level}, tools_logger.name: {'handlers': [ 'default'], 'level': log_level}, main_logger.name: {'handlers': [ 'no_ts'], 'level': log_level}, 'aiohttp.access': {'handlers': [ 'aiohttp_access'], 'level': log_level, 'propagate': False}, 'aiohttp.server': {'handlers': ['aiohttp_server'], 'level': log_level}} }
log_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose: bool) ->dict:\n log_level = 'DEBUG' if verbose else 'INFO'\n return {'version': 1, 'disable_existing_loggers': False, 'formatters':\n {'default': {'format': '[%(asctime)s] %(message)s', 'datefmt':\n '%H:%M:%S', 'class': 'aiohttp_devtools.logs.DefaultFormatter'},\n 'no_ts': {'format': '%(message)s', 'class':\n 'aiohttp_devtools.logs.DefaultFormatter'}, 'aiohttp': {'format':\n '%(message)s', 'class': 'aiohttp_devtools.logs.AccessFormatter'}},\n 'handlers': {'default': {'level': log_level, 'class':\n 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter':\n 'default'}, 'no_ts': {'level': log_level, 'class':\n 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter':\n 'no_ts'}, 'aiohttp_access': {'level': log_level, 'class':\n 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter':\n 'aiohttp'}, 'aiohttp_server': {'class':\n 'aiohttp_devtools.logs.HighlightStreamHandler', 'formatter':\n 'aiohttp'}}, 'loggers': {rs_dft_logger.name: {'handlers': [\n 'default'], 'level': log_level}, rs_aux_logger.name: {'handlers': [\n 'default'], 'level': log_level}, tools_logger.name: {'handlers': [\n 'default'], 'level': log_level}, main_logger.name: {'handlers': [\n 'no_ts'], 'level': log_level}, 'aiohttp.access': {'handlers': [\n 'aiohttp_access'], 'level': log_level, 'propagate': False},\n 'aiohttp.server': {'handlers': ['aiohttp_server'], 'level': log_level}}\n }\n", "role": "user" }, { "content": "log_config", "role": "assistant" } ]
def x(weight=1, delay=0.0, name=None): def x(func, *args, **kw): _check_coroutine(func) if weight > 0: sname = name or func.__name__ data = {'name': sname, 'weight': weight, 'delay': delay, 'func': func, 'args': args, 'kw': kw} _SCENARIO[sname] = data @functools.wraps(func) def x(*args, **kw): return func(*args, **kw) return __scenario return _scenario
scenario
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(weight=1, delay=0.0, name=None):\n\n def x(func, *args, **kw):\n _check_coroutine(func)\n if weight > 0:\n sname = name or func.__name__\n data = {'name': sname, 'weight': weight, 'delay': delay, 'func':\n func, 'args': args, 'kw': kw}\n _SCENARIO[sname] = data\n\n @functools.wraps(func)\n def x(*args, **kw):\n return func(*args, **kw)\n return __scenario\n return _scenario\n", "role": "user" }, { "content": "scenario", "role": "assistant" } ]
def x(endpoint, verb='GET', session_options=None, **options): req = functools.partial(_request, endpoint, verb, session_options, ** options) return _run_in_fresh_loop(req)
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, verb='GET', session_options=None, **options):\n req = functools.partial(_request, endpoint, verb, session_options, **\n options)\n return _run_in_fresh_loop(req)\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(endpoint, verb='GET', session_options=None, **options): req = functools.partial(_request, endpoint, verb, session_options, json =True, **options) return _run_in_fresh_loop(req)
json_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, verb='GET', session_options=None, **options):\n req = functools.partial(_request, endpoint, verb, session_options, json\n =True, **options)\n return _run_in_fresh_loop(req)\n", "role": "user" }, { "content": "json_request", "role": "assistant" } ]
def x(name, factory=None): if name not in _VARS and factory is not None: _VARS[name] = factory() return _VARS.get(name)
get_var
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, factory=None):\n if name not in _VARS and factory is not None:\n _VARS[name] = factory()\n return _VARS.get(name)\n", "role": "user" }, { "content": "get_var", "role": "assistant" } ]
async def step(self, step_id, session, scenario=None): """ single scenario call. When it returns 1, it works. -1 the script failed, 0 the test is stopping or needs to stop. """ if scenario is None: scenario = pick_scenario(self.wid, step_id) try: await self.send_event('scenario_start', scenario=scenario) await scenario['func'](session, *scenario['args'], **scenario['kw']) await self.send_event('scenario_success', scenario=scenario) if scenario['delay'] > 0.0: await cancellable_sleep(scenario['delay']) return 1 except Exception as exc: await self.send_event('scenario_failure', scenario=scenario, exception=exc) if self.args.verbose > 0: self.console.print_error(exc) await self.console.flush() return -1
step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def step(self, step_id, session, scenario=None):\n \"\"\" single scenario call.\n\n When it returns 1, it works. -1 the script failed,\n 0 the test is stopping or needs to stop.\n \"\"\"\n if scenario is None:\n scenario = pick_scenario(self.wid, step_id)\n try:\n await self.send_event('scenario_start', scenario=scenario)\n await scenario['func'](session, *scenario['args'], **scenario['kw'])\n await self.send_event('scenario_success', scenario=scenario)\n if scenario['delay'] > 0.0:\n await cancellable_sleep(scenario['delay'])\n return 1\n except Exception as exc:\n await self.send_event('scenario_failure', scenario=scenario,\n exception=exc)\n if self.args.verbose > 0:\n self.console.print_error(exc)\n await self.console.flush()\n return -1\n", "role": "user" }, { "content": "step", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser(description='Github-based load test') parser.add_argument('--version', action='store_true', default=False, help='Displays version and exits.') parser.add_argument('--virtualenv', type=str, default='virtualenv', help='Virtualenv executable.') parser.add_argument('--python', type=str, default=sys.executable, help= 'Python executable.') parser.add_argument('--config', type=str, default='molotov.json', help= 'Path of the configuration file.') parser.add_argument('repo', help='Github repo', type=str, nargs='?') parser.add_argument('run', help='Test to run', nargs='?') args = parser.parse_args() if args.version: print(__version__) sys.exit(0) tempdir = tempfile.mkdtemp() curdir = os.getcwd() os.chdir(tempdir) print('Working directory is %s' % tempdir) try: clone_repo(args.repo) config_file = os.path.join(tempdir, args.config) with open(config_file) as f: config = json.loads(f.read()) create_virtualenv(args.virtualenv, args.python) if 'requirements' in config['molotov']: install_reqs(config['molotov']['requirements']) pyver = '%d.%d' % (sys.version_info.major, sys.version_info.minor) site_pkg = os.path.join(tempdir, 'venv', 'lib', 'python' + pyver, 'site-packages') site.addsitedir(site_pkg) pkg_resources.working_set.add_entry(site_pkg) if 'env' in config['molotov']: for key, value in config['molotov']['env'].items(): os.environ[key] = value run_test(**config['molotov']['tests'][args.run]) except Exception: os.chdir(curdir) shutil.rmtree(tempdir, ignore_errors=True) raise
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(description='Github-based load test')\n parser.add_argument('--version', action='store_true', default=False,\n help='Displays version and exits.')\n parser.add_argument('--virtualenv', type=str, default='virtualenv',\n help='Virtualenv executable.')\n parser.add_argument('--python', type=str, default=sys.executable, help=\n 'Python executable.')\n parser.add_argument('--config', type=str, default='molotov.json', help=\n 'Path of the configuration file.')\n parser.add_argument('repo', help='Github repo', type=str, nargs='?')\n parser.add_argument('run', help='Test to run', nargs='?')\n args = parser.parse_args()\n if args.version:\n print(__version__)\n sys.exit(0)\n tempdir = tempfile.mkdtemp()\n curdir = os.getcwd()\n os.chdir(tempdir)\n print('Working directory is %s' % tempdir)\n try:\n clone_repo(args.repo)\n config_file = os.path.join(tempdir, args.config)\n with open(config_file) as f:\n config = json.loads(f.read())\n create_virtualenv(args.virtualenv, args.python)\n if 'requirements' in config['molotov']:\n install_reqs(config['molotov']['requirements'])\n pyver = '%d.%d' % (sys.version_info.major, sys.version_info.minor)\n site_pkg = os.path.join(tempdir, 'venv', 'lib', 'python' + pyver,\n 'site-packages')\n site.addsitedir(site_pkg)\n pkg_resources.working_set.add_entry(site_pkg)\n if 'env' in config['molotov']:\n for key, value in config['molotov']['env'].items():\n os.environ[key] = value\n run_test(**config['molotov']['tests'][args.run])\n except Exception:\n os.chdir(curdir)\n shutil.rmtree(tempdir, ignore_errors=True)\n raise\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(source_files, target_directory, source_directory=None): try: os.makedirs(target_directory) except: pass for f in source_files: source = os.path.join(source_directory, f) if source_directory else f target = os.path.join(target_directory, f) shutil.copy2(source, target)
copy_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_files, target_directory, source_directory=None):\n try:\n os.makedirs(target_directory)\n except:\n pass\n for f in source_files:\n source = os.path.join(source_directory, f) if source_directory else f\n target = os.path.join(target_directory, f)\n shutil.copy2(source, target)\n", "role": "user" }, { "content": "copy_files", "role": "assistant" } ]
def x(directory=None): repo = require_repo(directory) plugins = get_value(repo, 'plugins') if not plugins or not isinstance(plugins, dict): return None return plugins.keys()
list_plugins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory=None):\n repo = require_repo(directory)\n plugins = get_value(repo, 'plugins')\n if not plugins or not isinstance(plugins, dict):\n return None\n return plugins.keys()\n", "role": "user" }, { "content": "list_plugins", "role": "assistant" } ]
def x(plugin, directory=None): repo = require_repo(directory) plugins = get_value(repo, 'plugins', expect_type=dict) if plugin in plugins: return False plugins[plugin] = {} set_value(repo, 'plugins', plugins) return True
add_plugin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plugin, directory=None):\n repo = require_repo(directory)\n plugins = get_value(repo, 'plugins', expect_type=dict)\n if plugin in plugins:\n return False\n plugins[plugin] = {}\n set_value(repo, 'plugins', plugins)\n return True\n", "role": "user" }, { "content": "add_plugin", "role": "assistant" } ]
def x(plugin, directory=None): repo = require_repo(directory) plugins = get_value(repo, 'plugins') return plugins.get(plugin) if isinstance(plugins, dict) else None
get_plugin_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plugin, directory=None):\n repo = require_repo(directory)\n plugins = get_value(repo, 'plugins')\n return plugins.get(plugin) if isinstance(plugins, dict) else None\n", "role": "user" }, { "content": "get_plugin_settings", "role": "assistant" } ]
def x(directory=None): if directory and not os.path.isdir(directory): raise ValueError('Directory not found: ' + repr(directory)) repo = repo_path(directory) if not os.path.isdir(repo): raise RepositoryNotFoundError(directory) return repo
require_repo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory=None):\n if directory and not os.path.isdir(directory):\n raise ValueError('Directory not found: ' + repr(directory))\n repo = repo_path(directory)\n if not os.path.isdir(repo):\n raise RepositoryNotFoundError(directory)\n return repo\n", "role": "user" }, { "content": "require_repo", "role": "assistant" } ]
def x(directory=None): repo = repo_path(directory) if os.path.isdir(repo): raise RepositoryAlreadyExistsError(directory, repo) shutil.copytree(default_template_path, repo) message = '"Default presentation content."' subprocess.call(['git', 'init', '-q', repo]) subprocess.call(['git', 'add', '.'], cwd=repo) subprocess.call(['git', 'commit', '-q', '-m', message], cwd=repo) return repo
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory=None):\n repo = repo_path(directory)\n if os.path.isdir(repo):\n raise RepositoryAlreadyExistsError(directory, repo)\n shutil.copytree(default_template_path, repo)\n message = '\"Default presentation content.\"'\n subprocess.call(['git', 'init', '-q', repo])\n subprocess.call(['git', 'add', '.'], cwd=repo)\n subprocess.call(['git', 'commit', '-q', '-m', message], cwd=repo)\n return repo\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(path=None, excludes=None, includes=None): if includes is None: includes = [] if excludes is None: excludes = [] includes_pattern = '|'.join([fnmatch.translate(x) for x in includes] ) or '$.' excludes_pattern = '|'.join([fnmatch.translate(x) for x in excludes] ) or '$.' includes_re = re.compile(includes_pattern) excludes_re = re.compile(excludes_pattern) def x(root, name): full_path = os.path.join(root, name) if includes_re.match(full_path): return True return not specials_re.match(name) and not excludes_re.match(full_path) for root, dirs, files in os.walk(path): dirs[:] = [d for d in dirs if included(root, d)] files = [f for f in files if included(root, f)] for f in files: yield os.path.relpath(os.path.join(root, f), path)
iterate_presentation_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path=None, excludes=None, includes=None):\n if includes is None:\n includes = []\n if excludes is None:\n excludes = []\n includes_pattern = '|'.join([fnmatch.translate(x) for x in includes]\n ) or '$.'\n excludes_pattern = '|'.join([fnmatch.translate(x) for x in excludes]\n ) or '$.'\n includes_re = re.compile(includes_pattern)\n excludes_re = re.compile(excludes_pattern)\n\n def x(root, name):\n full_path = os.path.join(root, name)\n if includes_re.match(full_path):\n return True\n return not specials_re.match(name) and not excludes_re.match(full_path)\n for root, dirs, files in os.walk(path):\n dirs[:] = [d for d in dirs if included(root, d)]\n files = [f for f in files if included(root, f)]\n for f in files:\n yield os.path.relpath(os.path.join(root, f), path)\n", "role": "user" }, { "content": "iterate_presentation_files", "role": "assistant" } ]
def x(path): try: with open(path, 'r') as f: return json.load(f, object_pairs_hook=OrderedDict) except IOError as ex: if ex != errno.ENOENT: raise return {}
read_config_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n try:\n with open(path, 'r') as f:\n return json.load(f, object_pairs_hook=OrderedDict)\n except IOError as ex:\n if ex != errno.ENOENT:\n raise\n return {}\n", "role": "user" }, { "content": "read_config_file", "role": "assistant" } ]
def x(repo_directory, config): return write_config_file(os.path.join(repo_directory, config_file), config)
write_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_directory, config):\n return write_config_file(os.path.join(repo_directory, config_file), config)\n", "role": "user" }, { "content": "write_config", "role": "assistant" } ]
def x(path, config): contents = json.dumps(config, indent=4, separators=(',', ': ')) + '\n' try: with open(path, 'w') as f: f.write(contents) return True except IOError as ex: if ex != errno.ENOENT: raise return False
write_config_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, config):\n contents = json.dumps(config, indent=4, separators=(',', ': ')) + '\\n'\n try:\n with open(path, 'w') as f:\n f.write(contents)\n return True\n except IOError as ex:\n if ex != errno.ENOENT:\n raise\n return False\n", "role": "user" }, { "content": "write_config_file", "role": "assistant" } ]
def x(repo_directory, key, expect_type=None): config = read_config(repo_directory) value = config.get(key) if expect_type and value is not None and not isinstance(value, expect_type ): raise ConfigSchemaError( 'Expected config variable %s to be type %s, got %s' % (repr(key ), repr(expect_type), repr(type(value)))) return value
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_directory, key, expect_type=None):\n config = read_config(repo_directory)\n value = config.get(key)\n if expect_type and value is not None and not isinstance(value, expect_type\n ):\n raise ConfigSchemaError(\n 'Expected config variable %s to be type %s, got %s' % (repr(key\n ), repr(expect_type), repr(type(value))))\n return value\n", "role": "user" }, { "content": "get_value", "role": "assistant" } ]
def x(repo_directory, key, value, strict=True): if value is None: raise ValueError('Argument "value" must not be None.') config = read_config(repo_directory) old = config.get(key) if old == value: return old if strict and old is not None and not isinstance(old, type(value)): raise ConfigSchemaError( 'Expected config variable %s to be type %s, got %s' % (repr(key ), repr(type(value)), repr(type(old)))) config[key] = value write_config(repo_directory, config) return old
set_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_directory, key, value, strict=True):\n if value is None:\n raise ValueError('Argument \"value\" must not be None.')\n config = read_config(repo_directory)\n old = config.get(key)\n if old == value:\n return old\n if strict and old is not None and not isinstance(old, type(value)):\n raise ConfigSchemaError(\n 'Expected config variable %s to be type %s, got %s' % (repr(key\n ), repr(type(value)), repr(type(old))))\n config[key] = value\n write_config(repo_directory, config)\n return old\n", "role": "user" }, { "content": "set_value", "role": "assistant" } ]
def x(content_directory=None, out_directory=None): content_directory = content_directory or '.' out_directory = os.path.abspath(out_directory or default_out_directory) repo = require_repo(content_directory) if out_directory == '.': raise ValueError( 'Output directory must be different than the source directory: ' + repr(out_directory)) if os.path.basename(os.path.relpath(out_directory, content_directory) ) == '..': raise ValueError( 'Output directory must not contain the source directory: ' + repr(out_directory)) files = presentation_files(repo) remove_directory(out_directory) copy_files(files, out_directory, repo) return out_directory
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content_directory=None, out_directory=None):\n content_directory = content_directory or '.'\n out_directory = os.path.abspath(out_directory or default_out_directory)\n repo = require_repo(content_directory)\n if out_directory == '.':\n raise ValueError(\n 'Output directory must be different than the source directory: ' +\n repr(out_directory))\n if os.path.basename(os.path.relpath(out_directory, content_directory)\n ) == '..':\n raise ValueError(\n 'Output directory must not contain the source directory: ' +\n repr(out_directory))\n files = presentation_files(repo)\n remove_directory(out_directory)\n copy_files(files, out_directory, repo)\n return out_directory\n", "role": "user" }, { "content": "build", "role": "assistant" } ]
def x(argv=None): if argv is None: argv = sys.argv[1:] usage = '\n\n\n'.join(__doc__.split('\n\n\n')[1:]) version = 'Gitpress ' + __version__ args = docopt(usage, argv=argv, version=version) try: return execute(args) except RepositoryNotFoundError as ex: error('No Gitpress repository found at', ex.directory)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n if argv is None:\n argv = sys.argv[1:]\n usage = '\\n\\n\\n'.join(__doc__.split('\\n\\n\\n')[1:])\n version = 'Gitpress ' + __version__\n args = docopt(usage, argv=argv, version=version)\n try:\n return execute(args)\n except RepositoryNotFoundError as ex:\n error('No Gitpress repository found at', ex.directory)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(argv=None): if argv is None: argv = sys.argv[1:] argv.insert(0, 'preview') return main(argv)
gpp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv=None):\n if argv is None:\n argv = sys.argv[1:]\n argv.insert(0, 'preview')\n return main(argv)\n", "role": "user" }, { "content": "gpp", "role": "assistant" } ]
def x(directory=None): repo = require_repo(directory) path = os.path.join(repo, themes_dir) return os.listdir(path) if os.path.isdir(path) else None
list_themes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory=None):\n repo = require_repo(directory)\n path = os.path.join(repo, themes_dir)\n return os.listdir(path) if os.path.isdir(path) else None\n", "role": "user" }, { "content": "list_themes", "role": "assistant" } ]
def x(theme, directory=None): repo = require_repo(directory) if theme not in list_themes(directory): raise ThemeNotFoundError(theme) old_theme = set_value(repo, 'theme', theme) return old_theme != theme
use_theme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(theme, directory=None):\n repo = require_repo(directory)\n if theme not in list_themes(directory):\n raise ThemeNotFoundError(theme)\n old_theme = set_value(repo, 'theme', theme)\n return old_theme != theme\n", "role": "user" }, { "content": "use_theme", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('fill_opacity.value', value.value, (float, int)) if value.value < 0 or value.value > 1: raise ValueError('fill_opacity must be between 0 and 1')
fill_opacity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('fill_opacity.value', value.value, (float, int))\n if value.value < 0 or value.value > 1:\n raise ValueError('fill_opacity must be between 0 and 1')\n", "role": "user" }, { "content": "fill_opacity", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('stroke_width.value', value.value, int) if value.value < 0: raise ValueError('stroke width cannot be negative')
stroke_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('stroke_width.value', value.value, int)\n if value.value < 0:\n raise ValueError('stroke width cannot be negative')\n", "role": "user" }, { "content": "stroke_width", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('stroke_opacity.value', value.value, (float, int)) if value.value < 0 or value.value > 1: raise ValueError('stroke_opacity must be between 0 and 1')
stroke_opacity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('stroke_opacity.value', value.value, (float, int))\n if value.value < 0 or value.value > 1:\n raise ValueError('stroke_opacity must be between 0 and 1')\n", "role": "user" }, { "content": "stroke_opacity", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('size.value', value.value, int) if value.value < 0: raise ValueError('size cannot be negative')
size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('size.value', value.value, int)\n if value.value < 0:\n raise ValueError('size cannot be negative')\n", "role": "user" }, { "content": "size", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('shape.value', value.value, str_types) if value.value not in PropertySet._valid_shapes: raise ValueError(value.value + ' is not a valid shape')
shape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('shape.value', value.value, str_types)\n if value.value not in PropertySet._valid_shapes:\n raise ValueError(value.value + ' is not a valid shape')\n", "role": "user" }, { "content": "shape", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('shape.value', value.value, str_types) if value.value not in PropertySet._valid_methods: raise ValueError(value.value + ' is not a valid method')
interpolate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('shape.value', value.value, str_types)\n if value.value not in PropertySet._valid_methods:\n raise ValueError(value.value + ' is not a valid method')\n", "role": "user" }, { "content": "interpolate", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('shape.value', value.value, str_types) if value.value not in PropertySet._valid_align: raise ValueError(value.value + ' is not a valid alignment')
align
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('shape.value', value.value, str_types)\n if value.value not in PropertySet._valid_align:\n raise ValueError(value.value + ' is not a valid alignment')\n", "role": "user" }, { "content": "align", "role": "assistant" } ]
def x(value): if value.value: _assert_is_type('shape.value', value.value, str_types) if value.value not in PropertySet._valid_baseline: raise ValueError(value.value + ' is not a valid baseline')
baseline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if value.value:\n _assert_is_type('shape.value', value.value, str_types)\n if value.value not in PropertySet._valid_baseline:\n raise ValueError(value.value + ' is not a valid baseline')\n", "role": "user" }, { "content": "baseline", "role": "assistant" } ]
def x(value): valid_transforms = frozenset(['array', 'copy', 'cross', 'facet', 'filter', 'flatten', 'fold', 'formula', 'slice', 'sort', 'stats', 'truncate', 'unique', 'window', 'zip', 'force', 'geo', 'geopath', 'link', 'pie', 'stack', 'treemap', 'wordcloud']) if value not in valid_transforms: raise ValueError('Transform type must be one of {0}'.format(str( valid_transforms)))
type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n valid_transforms = frozenset(['array', 'copy', 'cross', 'facet',\n 'filter', 'flatten', 'fold', 'formula', 'slice', 'sort', 'stats',\n 'truncate', 'unique', 'window', 'zip', 'force', 'geo', 'geopath',\n 'link', 'pie', 'stack', 'treemap', 'wordcloud'])\n if value not in valid_transforms:\n raise ValueError('Transform type must be one of {0}'.format(str(\n valid_transforms)))\n", "role": "user" }, { "content": "type", "role": "assistant" } ]
def x(data, grouped=False, columns=None, key_on='idx', iter_idx=None): if iter_idx: return Data.from_mult_iters(idx=iter_idx, **data) if pd: if isinstance(data, (pd.Series, pd.DataFrame)): return Data.from_pandas(data, grouped=grouped, columns=columns, key_on=key_on) if isinstance(data, (list, tuple, dict)): return Data.from_iter(data) else: raise ValueError('This data type is not supported by Vincent.')
data_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, grouped=False, columns=None, key_on='idx', iter_idx=None):\n if iter_idx:\n return Data.from_mult_iters(idx=iter_idx, **data)\n if pd:\n if isinstance(data, (pd.Series, pd.DataFrame)):\n return Data.from_pandas(data, grouped=grouped, columns=columns,\n key_on=key_on)\n if isinstance(data, (list, tuple, dict)):\n return Data.from_iter(data)\n else:\n raise ValueError('This data type is not supported by Vincent.')\n", "role": "user" }, { "content": "data_type", "role": "assistant" } ]
def x(self, column=None, brew='GnBu'): self.data['table'] = Data.keypairs(self.raw_data, columns=[self. data_key, column]) domain = [Data.serialize(self.raw_data[column].min()), Data.serialize( self.raw_data[column].quantile(0.95))] scale = Scale(name='color', type='quantize', domain=domain, range=brews [brew]) self.scales['color'] = scale
rebind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, column=None, brew='GnBu'):\n self.data['table'] = Data.keypairs(self.raw_data, columns=[self.\n data_key, column])\n domain = [Data.serialize(self.raw_data[column].min()), Data.serialize(\n self.raw_data[column].quantile(0.95))]\n scale = Scale(name='color', type='quantize', domain=domain, range=brews\n [brew])\n self.scales['color'] = scale\n", "role": "user" }, { "content": "rebind", "role": "assistant" } ]
def x(value): if len(value) != 2: raise ValueError('viewport must have 2 dimensions') for v in value: _assert_is_type('viewport dimension', v, int) if v < 0: raise ValueError('viewport dimensions cannot be negative')
viewport
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if len(value) != 2:\n raise ValueError('viewport must have 2 dimensions')\n for v in value:\n _assert_is_type('viewport dimension', v, int)\n if v < 0:\n raise ValueError('viewport dimensions cannot be negative')\n", "role": "user" }, { "content": "viewport", "role": "assistant" } ]
def x(value): if isinstance(value, dict): required_keys = ['top', 'left', 'right', 'bottom'] for key in required_keys: if key not in value: error = 'Padding must have keys "{0}".'.format('", "'.join( required_keys)) raise ValueError(error) _assert_is_type('padding: {0}'.format(key), value[key], int) if value[key] < 0: raise ValueError('Padding cannot be negative.') elif isinstance(value, int): if value < 0: raise ValueError('Padding cannot be negative.') elif value not in ('auto', 'strict'): raise ValueError('Padding can only be auto or strict.')
padding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if isinstance(value, dict):\n required_keys = ['top', 'left', 'right', 'bottom']\n for key in required_keys:\n if key not in value:\n error = 'Padding must have keys \"{0}\".'.format('\", \"'.join(\n required_keys))\n raise ValueError(error)\n _assert_is_type('padding: {0}'.format(key), value[key], int)\n if value[key] < 0:\n raise ValueError('Padding cannot be negative.')\n elif isinstance(value, int):\n if value < 0:\n raise ValueError('Padding cannot be negative.')\n elif value not in ('auto', 'strict'):\n raise ValueError('Padding can only be auto or strict.')\n", "role": "user" }, { "content": "padding", "role": "assistant" } ]
def x(value): for i, entry in enumerate(value): _assert_is_type('data[{0}]'.format(i), entry, Data)
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n for i, entry in enumerate(value):\n _assert_is_type('data[{0}]'.format(i), entry, Data)\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(value): for i, entry in enumerate(value): _assert_is_type('scales[{0}]'.format(i), entry, Scale)
scales
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n for i, entry in enumerate(value):\n _assert_is_type('scales[{0}]'.format(i), entry, Scale)\n", "role": "user" }, { "content": "scales", "role": "assistant" } ]
def x(value): for i, entry in enumerate(value): _assert_is_type('axes[{0}]'.format(i), entry, Axis)
axes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n for i, entry in enumerate(value):\n _assert_is_type('axes[{0}]'.format(i), entry, Axis)\n", "role": "user" }, { "content": "axes", "role": "assistant" } ]
def x(value): for i, entry in enumerate(value): _assert_is_type('marks[{0}]'.format(i), entry, Mark)
marks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n for i, entry in enumerate(value):\n _assert_is_type('marks[{0}]'.format(i), entry, Mark)\n", "role": "user" }, { "content": "marks", "role": "assistant" } ]
def x(value): for i, entry in enumerate(value): _assert_is_type('legends[{0}]'.format(i), entry, Legend)
legends
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n for i, entry in enumerate(value):\n _assert_is_type('legends[{0}]'.format(i), entry, Legend)\n", "role": "user" }, { "content": "legends", "role": "assistant" } ]
def x(self, x=None, y=None): keys = self.axes.get_keys() if keys: for key in keys: if key == 'x': self.axes[key].title = x elif key == 'y': self.axes[key].title = y else: self.axes.extend([Axis(type='x', title=x), Axis(type='y', title=y)]) return self
axis_titles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x=None, y=None):\n keys = self.axes.get_keys()\n if keys:\n for key in keys:\n if key == 'x':\n self.axes[key].title = x\n elif key == 'y':\n self.axes[key].title = y\n else:\n self.axes.extend([Axis(type='x', title=x), Axis(type='y', title=y)])\n return self\n", "role": "user" }, { "content": "axis_titles", "role": "assistant" } ]
def x(self, axis): if not getattr(axis, 'properties'): axis.properties = AxisProperties() for prop in ['ticks', 'axis', 'major_ticks', 'minor_ticks', 'title', 'labels']: setattr(axis.properties, prop, PropertySet())
set_axis_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, axis):\n if not getattr(axis, 'properties'):\n axis.properties = AxisProperties()\n for prop in ['ticks', 'axis', 'major_ticks', 'minor_ticks', 'title',\n 'labels']:\n setattr(axis.properties, prop, PropertySet())\n", "role": "user" }, { "content": "set_axis_properties", "role": "assistant" } ]
def x(self, axis, color): for prop in ['ticks', 'axis', 'major_ticks', 'minor_ticks', 'title', 'labels']: prop_set = getattr(axis.properties, prop) if color and prop in ['title', 'labels']: prop_set.fill = ValueRef(value=color) elif color and prop in ['axis', 'major_ticks', 'minor_ticks', 'ticks']: prop_set.stroke = ValueRef(value=color)
set_all_axis_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, axis, color):\n for prop in ['ticks', 'axis', 'major_ticks', 'minor_ticks', 'title',\n 'labels']:\n prop_set = getattr(axis.properties, prop)\n if color and prop in ['title', 'labels']:\n prop_set.fill = ValueRef(value=color)\n elif color and prop in ['axis', 'major_ticks', 'minor_ticks', 'ticks']:\n prop_set.stroke = ValueRef(value=color)\n", "role": "user" }, { "content": "set_all_axis_color", "role": "assistant" } ]
def x(self, axis, title_size, title_offset, label_angle, label_align, color): if self.axes: axis = [a for a in self.axes if a.scale == axis][0] self._set_axis_properties(axis) self._set_all_axis_color(axis, color) if title_size: axis.properties.title.font_size = ValueRef(value=title_size) if label_angle: axis.properties.labels.angle = ValueRef(value=label_angle) if label_align: axis.properties.labels.align = ValueRef(value=label_align) if title_offset: axis.properties.title.dy = ValueRef(value=title_offset) else: raise ValueError('This Visualization has no axes!')
axis_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, axis, title_size, title_offset, label_angle, label_align, color):\n if self.axes:\n axis = [a for a in self.axes if a.scale == axis][0]\n self._set_axis_properties(axis)\n self._set_all_axis_color(axis, color)\n if title_size:\n axis.properties.title.font_size = ValueRef(value=title_size)\n if label_angle:\n axis.properties.labels.angle = ValueRef(value=label_angle)\n if label_align:\n axis.properties.labels.align = ValueRef(value=label_align)\n if title_offset:\n axis.properties.title.dy = ValueRef(value=title_offset)\n else:\n raise ValueError('This Visualization has no axes!')\n", "role": "user" }, { "content": "axis_properties", "role": "assistant" } ]
def x(self, color=None, title_size=None): if self.axes: for axis in self.axes: self._set_axis_properties(axis) self._set_all_axis_color(axis, color) if title_size: ref = ValueRef(value=title_size) axis.properties.title.font_size = ref else: raise ValueError('This Visualization has no axes!') return self
common_axis_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, color=None, title_size=None):\n if self.axes:\n for axis in self.axes:\n self._set_axis_properties(axis)\n self._set_all_axis_color(axis, color)\n if title_size:\n ref = ValueRef(value=title_size)\n axis.properties.title.font_size = ref\n else:\n raise ValueError('This Visualization has no axes!')\n return self\n", "role": "user" }, { "content": "common_axis_properties", "role": "assistant" } ]
def x(self, title_size=None, title_offset=None, label_angle=None, label_align=None, color=None): self._axis_properties('x', title_size, title_offset, label_angle, label_align, color) return self
x_axis_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title_size=None, title_offset=None, label_angle=None,\n label_align=None, color=None):\n self._axis_properties('x', title_size, title_offset, label_angle,\n label_align, color)\n return self\n", "role": "user" }, { "content": "x_axis_properties", "role": "assistant" } ]
def x(self, title_size=None, title_offset=None, label_angle=None, label_align=None, color=None): self._axis_properties('y', title_size, title_offset, label_angle, label_align, color) return self
y_axis_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title_size=None, title_offset=None, label_angle=None,\n label_align=None, color=None):\n self._axis_properties('y', title_size, title_offset, label_angle,\n label_align, color)\n return self\n", "role": "user" }, { "content": "y_axis_properties", "role": "assistant" } ]
def x(self, title=None, scale='color', text_color=None): self.legends.append(Legend(title=title, fill=scale, offset=0, properties=LegendProperties())) if text_color: color_props = PropertySet(fill=ValueRef(value=text_color)) self.legends[0].properties.labels = color_props self.legends[0].properties.title = color_props return self
legend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title=None, scale='color', text_color=None):\n self.legends.append(Legend(title=title, fill=scale, offset=0,\n properties=LegendProperties()))\n if text_color:\n color_props = PropertySet(fill=ValueRef(value=text_color))\n self.legends[0].properties.labels = color_props\n self.legends[0].properties.title = color_props\n return self\n", "role": "user" }, { "content": "legend", "role": "assistant" } ]
def x(self, brew=None, range_=None): if brew: self.scales['color'].range = brews[brew] elif range_: self.scales['color'].range = range_ return self
colors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, brew=None, range_=None):\n if brew:\n self.scales['color'].range = brews[brew]\n elif range_:\n self.scales['color'].range = range_\n return self\n", "role": "user" }, { "content": "colors", "role": "assistant" } ]
def x(self, require_all=True, scale='colors'): super(self.__class__, self).validate() required_attribs = 'data', 'scales', 'axes', 'marks' for elem in required_attribs: attr = getattr(self, elem) if attr: for entry in attr: entry.validate() names = [a.name for a in attr] if len(names) != len(set(names)): raise ValidationError(elem + ' has duplicate names') elif require_all: raise ValidationError(elem + ' must be defined for valid visualization')
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, require_all=True, scale='colors'):\n super(self.__class__, self).validate()\n required_attribs = 'data', 'scales', 'axes', 'marks'\n for elem in required_attribs:\n attr = getattr(self, elem)\n if attr:\n for entry in attr:\n entry.validate()\n names = [a.name for a in attr]\n if len(names) != len(set(names)):\n raise ValidationError(elem + ' has duplicate names')\n elif require_all:\n raise ValidationError(elem +\n ' must be defined for valid visualization')\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self): vis_id = str(uuid4()).replace('-', '') html = ( """<div id="vis%s"></div> <script> ( function() { var _do_plot = function() { if (typeof vg === 'undefined') { window.addEventListener('vincent_libs_loaded', _do_plot) return; } vg.parse.spec(%s, function(chart) { chart({el: "#vis%s"}).update(); }); }; _do_plot(); })(); </script> <style>.vega canvas {width: 100%%;}</style> """ % (vis_id, self.to_json(pretty_print=False), vis_id)) return html
repr_html_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n vis_id = str(uuid4()).replace('-', '')\n html = (\n \"\"\"<div id=\"vis%s\"></div>\n<script>\n ( function() {\n var _do_plot = function() {\n if (typeof vg === 'undefined') {\n window.addEventListener('vincent_libs_loaded', _do_plot)\n return;\n }\n vg.parse.spec(%s, function(chart) {\n chart({el: \"#vis%s\"}).update();\n });\n };\n _do_plot();\n })();\n</script>\n<style>.vega canvas {width: 100%%;}</style>\n \"\"\"\n % (vis_id, self.to_json(pretty_print=False), vis_id))\n return html\n", "role": "user" }, { "content": "repr_html_", "role": "assistant" } ]
def x(self): from IPython.core.display import display, HTML display(HTML(self._repr_html_()))
display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from IPython.core.display import display, HTML\n display(HTML(self._repr_html_()))\n", "role": "user" }, { "content": "display", "role": "assistant" } ]
def x(self, *args): super(self.__class__, self).validate(*args) if not self.name: raise ValidationError('name is required for Data')
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n super(self.__class__, self).validate(*args)\n if not self.name:\n raise ValidationError('name is required for Data')\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(obj): if isinstance(obj, str_types): return obj elif hasattr(obj, 'timetuple'): return int(time.mktime(obj.timetuple())) * 1000 elif hasattr(obj, 'item'): return obj.item() elif hasattr(obj, '__float__'): if isinstance(obj, int): return int(obj) else: return float(obj) elif hasattr(obj, '__int__'): return int(obj) else: raise LoadError('cannot serialize index of type ' + type(obj).__name__)
serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if isinstance(obj, str_types):\n return obj\n elif hasattr(obj, 'timetuple'):\n return int(time.mktime(obj.timetuple())) * 1000\n elif hasattr(obj, 'item'):\n return obj.item()\n elif hasattr(obj, '__float__'):\n if isinstance(obj, int):\n return int(obj)\n else:\n return float(obj)\n elif hasattr(obj, '__int__'):\n return int(obj)\n else:\n raise LoadError('cannot serialize index of type ' + type(obj).__name__)\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(cls, data, columns=None, key_on='idx', name=None, series_key='data', grouped=False, records=False, **kwargs): if not pd: raise LoadError('pandas could not be imported') if not hasattr(data, 'index'): raise ValueError('Please load a Pandas object.') if name: vega_data = cls(name=name, **kwargs) else: vega_data = cls(name='table', **kwargs) pd_obj = data.copy() if columns: pd_obj = data[columns] if key_on != 'idx': pd_obj.index = data[key_on] if records: vega_data.values = json.loads(pd_obj.to_json(orient='records')) return vega_data vega_data.values = [] if isinstance(pd_obj, pd.Series): data_key = data.name or series_key for i, v in pd_obj.iteritems(): value = {} value['idx'] = cls.serialize(i) value['col'] = data_key value['val'] = cls.serialize(v) vega_data.values.append(value) elif isinstance(pd_obj, pd.DataFrame): for i, row in pd_obj.iterrows(): for num, (k, v) in enumerate(row.iteritems()): value = {} value['idx'] = cls.serialize(i) value['col'] = cls.serialize(k) value['val'] = cls.serialize(v) if grouped: value['group'] = num vega_data.values.append(value) else: raise ValueError('cannot load from data type ' + type(pd_obj).__name__) return vega_data
from_pandas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data, columns=None, key_on='idx', name=None, series_key='data',\n grouped=False, records=False, **kwargs):\n if not pd:\n raise LoadError('pandas could not be imported')\n if not hasattr(data, 'index'):\n raise ValueError('Please load a Pandas object.')\n if name:\n vega_data = cls(name=name, **kwargs)\n else:\n vega_data = cls(name='table', **kwargs)\n pd_obj = data.copy()\n if columns:\n pd_obj = data[columns]\n if key_on != 'idx':\n pd_obj.index = data[key_on]\n if records:\n vega_data.values = json.loads(pd_obj.to_json(orient='records'))\n return vega_data\n vega_data.values = []\n if isinstance(pd_obj, pd.Series):\n data_key = data.name or series_key\n for i, v in pd_obj.iteritems():\n value = {}\n value['idx'] = cls.serialize(i)\n value['col'] = data_key\n value['val'] = cls.serialize(v)\n vega_data.values.append(value)\n elif isinstance(pd_obj, pd.DataFrame):\n for i, row in pd_obj.iterrows():\n for num, (k, v) in enumerate(row.iteritems()):\n value = {}\n value['idx'] = cls.serialize(i)\n value['col'] = cls.serialize(k)\n value['val'] = cls.serialize(v)\n if grouped:\n value['group'] = num\n vega_data.values.append(value)\n else:\n raise ValueError('cannot load from data type ' + type(pd_obj).__name__)\n return vega_data\n", "role": "user" }, { "content": "from_pandas", "role": "assistant" } ]
def x(cls, np_obj, name, columns, index=None, index_key=None, **kwargs): if not np: raise LoadError('numpy could not be imported') _assert_is_type('numpy object', np_obj, np.ndarray) index = index or range(np_obj.shape[0]) columns = list(map(str, columns)) index_key = index_key or cls._default_index_key if len(index) != np_obj.shape[0]: raise LoadError( 'length of index must be equal to number of rows of array') elif len(columns) != np_obj.shape[1]: raise LoadError( 'length of columns must be equal to number of columns of array') data = cls(name=name, **kwargs) data.values = [dict([(index_key, cls.serialize(idx))] + [(col, x) for col, x in zip(columns, row)]) for idx, row in zip(index, np_obj. tolist())] return data
from_numpy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, np_obj, name, columns, index=None, index_key=None, **kwargs):\n if not np:\n raise LoadError('numpy could not be imported')\n _assert_is_type('numpy object', np_obj, np.ndarray)\n index = index or range(np_obj.shape[0])\n columns = list(map(str, columns))\n index_key = index_key or cls._default_index_key\n if len(index) != np_obj.shape[0]:\n raise LoadError(\n 'length of index must be equal to number of rows of array')\n elif len(columns) != np_obj.shape[1]:\n raise LoadError(\n 'length of columns must be equal to number of columns of array')\n data = cls(name=name, **kwargs)\n data.values = [dict([(index_key, cls.serialize(idx))] + [(col, x) for \n col, x in zip(columns, row)]) for idx, row in zip(index, np_obj.\n tolist())]\n return data\n", "role": "user" }, { "content": "from_numpy", "role": "assistant" } ]
def x(cls, name=None, idx=None, **kwargs): if not name: name = 'table' lengths = [len(v) for v in kwargs.values()] if len(set(lengths)) != 1: raise ValueError('Iterables must all be same length') if not idx: raise ValueError('Must provide iter name index reference') index = kwargs.pop(idx) vega_vals = [] for k, v in sorted(kwargs.items()): for idx, val in zip(index, v): value = {} value['idx'] = idx value['col'] = k value['val'] = val vega_vals.append(value) return cls(name, values=vega_vals)
from_mult_iters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name=None, idx=None, **kwargs):\n if not name:\n name = 'table'\n lengths = [len(v) for v in kwargs.values()]\n if len(set(lengths)) != 1:\n raise ValueError('Iterables must all be same length')\n if not idx:\n raise ValueError('Must provide iter name index reference')\n index = kwargs.pop(idx)\n vega_vals = []\n for k, v in sorted(kwargs.items()):\n for idx, val in zip(index, v):\n value = {}\n value['idx'] = idx\n value['col'] = k\n value['val'] = val\n vega_vals.append(value)\n return cls(name, values=vega_vals)\n", "role": "user" }, { "content": "from_mult_iters", "role": "assistant" } ]
def x(cls, data, name=None): if not name: name = 'table' if isinstance(data, (list, tuple)): data = {x: y for x, y in enumerate(data)} values = [{'idx': k, 'col': 'data', 'val': v} for k, v in sorted(data. items())] return cls(name, values=values)
from_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data, name=None):\n if not name:\n name = 'table'\n if isinstance(data, (list, tuple)):\n data = {x: y for x, y in enumerate(data)}\n values = [{'idx': k, 'col': 'data', 'val': v} for k, v in sorted(data.\n items())]\n return cls(name, values=values)\n", "role": "user" }, { "content": "from_iter", "role": "assistant" } ]
def x(cls, data, columns=None, use_index=False, name=None): if not name: name = 'table' cls.raw_data = data if isinstance(data, tuple): values = [{'x': x[0], 'y': x[1]} for x in data] elif isinstance(data, list): values = [{'x': x, 'y': y} for x, y in zip(range(len(data) + 1), data)] elif isinstance(data, dict) or isinstance(data, pd.Series): values = [{'x': x, 'y': y} for x, y in sorted(data.items())] elif isinstance(data, pd.DataFrame): if len(columns) > 1 and use_index: raise ValueError( 'If using index as x-axis, len(columns)cannot be > 1') if use_index or len(columns) == 1: values = [{'x': cls.serialize(x[0]), 'y': cls.serialize(x[1][ columns[0]])} for x in data.iterrows()] else: values = [{'x': cls.serialize(x[1][columns[0]]), 'y': cls. serialize(x[1][columns[1]])} for x in data.iterrows()] elif isinstance(data, np.ndarray): values = cls._numpy_to_values(data) else: raise TypeError('unknown data type %s' % type(data)) return cls(name, values=values)
keypairs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data, columns=None, use_index=False, name=None):\n if not name:\n name = 'table'\n cls.raw_data = data\n if isinstance(data, tuple):\n values = [{'x': x[0], 'y': x[1]} for x in data]\n elif isinstance(data, list):\n values = [{'x': x, 'y': y} for x, y in zip(range(len(data) + 1), data)]\n elif isinstance(data, dict) or isinstance(data, pd.Series):\n values = [{'x': x, 'y': y} for x, y in sorted(data.items())]\n elif isinstance(data, pd.DataFrame):\n if len(columns) > 1 and use_index:\n raise ValueError(\n 'If using index as x-axis, len(columns)cannot be > 1')\n if use_index or len(columns) == 1:\n values = [{'x': cls.serialize(x[0]), 'y': cls.serialize(x[1][\n columns[0]])} for x in data.iterrows()]\n else:\n values = [{'x': cls.serialize(x[1][columns[0]]), 'y': cls.\n serialize(x[1][columns[1]])} for x in data.iterrows()]\n elif isinstance(data, np.ndarray):\n values = cls._numpy_to_values(data)\n else:\n raise TypeError('unknown data type %s' % type(data))\n return cls(name, values=values)\n", "role": "user" }, { "content": "keypairs", "role": "assistant" } ]
def x(data): def x(xvals, yvals): return [{'x': x, 'y': np.asscalar(y)} for x, y in zip(xvals, yvals)] if len(data.shape) == 1 or data.shape[1] == 1: xvals = range(data.shape[0] + 1) values = to_list_no_index(xvals, data) elif len(data.shape) == 2: if data.shape[1] == 2: if isinstance(data, np.matrix): xidx = 0, 0 yidx = 0, 1 else: xidx = 0 yidx = 1 xvals = [np.asscalar(row[xidx]) for row in data] yvals = [np.asscalar(row[yidx]) for row in data] values = [{'x': x, 'y': y} for x, y in zip(xvals, yvals)] else: raise ValueError('arrays with > 2 columns not supported') else: raise ValueError('invalid dimensions for ndarray') return values
numpy_to_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n\n def x(xvals, yvals):\n return [{'x': x, 'y': np.asscalar(y)} for x, y in zip(xvals, yvals)]\n if len(data.shape) == 1 or data.shape[1] == 1:\n xvals = range(data.shape[0] + 1)\n values = to_list_no_index(xvals, data)\n elif len(data.shape) == 2:\n if data.shape[1] == 2:\n if isinstance(data, np.matrix):\n xidx = 0, 0\n yidx = 0, 1\n else:\n xidx = 0\n yidx = 1\n xvals = [np.asscalar(row[xidx]) for row in data]\n yvals = [np.asscalar(row[yidx]) for row in data]\n values = [{'x': x, 'y': y} for x, y in zip(xvals, yvals)]\n else:\n raise ValueError('arrays with > 2 columns not supported')\n else:\n raise ValueError('invalid dimensions for ndarray')\n return values\n", "role": "user" }, { "content": "numpy_to_values", "role": "assistant" } ]
def x(self, validate=False, pretty_print=True, data_path=None): return super(self.__class__, self).to_json(validate=validate, pretty_print=pretty_print)
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, validate=False, pretty_print=True, data_path=None):\n return super(self.__class__, self).to_json(validate=validate,\n pretty_print=pretty_print)\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(): try: from IPython.core.display import display, HTML except ImportError: print('IPython Notebook could not be loaded.') load_lib = """ function vct_load_lib(url, callback){ if( typeof d3 !== 'undefined' && url === '//cdnjs.cloudflare.com/ajax/libs/d3/3.5.3/d3.min.js'){ callback() } var s = document.createElement('script'); s.src = url; s.async = true; s.onreadystatechange = s.onload = callback; s.onerror = function(){ console.warn("failed to load library " + url); }; document.getElementsByTagName("head")[0].appendChild(s); }; var vincent_event = new CustomEvent( "vincent_libs_loaded", {bubbles: true, cancelable: true} ); """ lib_urls = ["'//cdnjs.cloudflare.com/ajax/libs/d3/3.5.3/d3.min.js'", "'//cdnjs.cloudflare.com/ajax/libs/d3-geo-projection/0.2.9/d3.geo.projection.min.js'" , "'//wrobstory.github.io/d3-cloud/d3.layout.cloud.js'", "'//wrobstory.github.io/vega/vega.v1.3.3.js'"] get_lib = """vct_load_lib(%s, function(){ %s });""" load_js = get_lib ipy_trigger = 'window.dispatchEvent(vincent_event);' for elem in lib_urls[:-1]: load_js = load_js % (elem, get_lib) load_js = load_js % (lib_urls[-1], ipy_trigger) html = ( """ <script> %s function load_all_libs(){ console.log('Loading Vincent libs...') %s }; if(typeof define === "function" && define.amd){ if (window['d3'] === undefined || window['topojson'] === undefined){ require.config( {paths: { d3: '//cdnjs.cloudflare.com/ajax/libs/d3/3.5.3/d3.min', topojson: '//cdnjs.cloudflare.com/ajax/libs/topojson/1.6.9/topojson.min' } } ); require(["d3"], function(d3){ console.log('Loading Vincent from require.js...') window.d3 = d3; require(["topojson"], function(topojson){ window.topojson = topojson; load_all_libs(); }); }); } else { load_all_libs(); }; }else{ console.log('Require.js not found, loading manually...') load_all_libs(); }; </script>""" % (load_lib, load_js)) return display(HTML(html))
initialize_notebook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n from IPython.core.display import display, HTML\n except ImportError:\n print('IPython Notebook could not be loaded.')\n load_lib = \"\"\"\n function vct_load_lib(url, callback){\n if(\n typeof d3 !== 'undefined' &&\n url === '//cdnjs.cloudflare.com/ajax/libs/d3/3.5.3/d3.min.js'){\n callback()\n }\n var s = document.createElement('script');\n s.src = url;\n s.async = true;\n s.onreadystatechange = s.onload = callback;\n s.onerror = function(){\n console.warn(\"failed to load library \" + url);\n };\n document.getElementsByTagName(\"head\")[0].appendChild(s);\n };\n var vincent_event = new CustomEvent(\n \"vincent_libs_loaded\",\n {bubbles: true, cancelable: true}\n );\n \"\"\"\n lib_urls = [\"'//cdnjs.cloudflare.com/ajax/libs/d3/3.5.3/d3.min.js'\",\n \"'//cdnjs.cloudflare.com/ajax/libs/d3-geo-projection/0.2.9/d3.geo.projection.min.js'\"\n , \"'//wrobstory.github.io/d3-cloud/d3.layout.cloud.js'\",\n \"'//wrobstory.github.io/vega/vega.v1.3.3.js'\"]\n get_lib = \"\"\"vct_load_lib(%s, function(){\n %s\n });\"\"\"\n load_js = get_lib\n ipy_trigger = 'window.dispatchEvent(vincent_event);'\n for elem in lib_urls[:-1]:\n load_js = load_js % (elem, get_lib)\n load_js = load_js % (lib_urls[-1], ipy_trigger)\n html = (\n \"\"\"\n <script>\n %s\n function load_all_libs(){\n console.log('Loading Vincent libs...')\n %s\n };\n if(typeof define === \"function\" && define.amd){\n if (window['d3'] === undefined ||\n window['topojson'] === undefined){\n require.config(\n {paths: {\n d3: '//cdnjs.cloudflare.com/ajax/libs/d3/3.5.3/d3.min',\n topojson: '//cdnjs.cloudflare.com/ajax/libs/topojson/1.6.9/topojson.min'\n }\n }\n );\n require([\"d3\"], function(d3){\n console.log('Loading Vincent from require.js...')\n window.d3 = d3;\n require([\"topojson\"], function(topojson){\n window.topojson = topojson;\n load_all_libs();\n });\n });\n } else {\n load_all_libs();\n };\n }else{\n console.log('Require.js not found, loading manually...')\n load_all_libs();\n };\n\n </script>\"\"\"\n % (load_lib, load_js))\n return display(HTML(html))\n", "role": "user" }, { "content": "initialize_notebook", "role": "assistant" } ]
def x(name, value, value_type): if not isinstance(value, value_type): if type(value_type) is tuple: types = ', '.join(t.__name__ for t in value_type) raise ValueError('{0} must be one of ({1})'.format(name, types)) else: raise ValueError('{0} must be {1}'.format(name, value_type. __name__))
assert_is_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, value, value_type):\n if not isinstance(value, value_type):\n if type(value_type) is tuple:\n types = ', '.join(t.__name__ for t in value_type)\n raise ValueError('{0} must be one of ({1})'.format(name, types))\n else:\n raise ValueError('{0} must be {1}'.format(name, value_type.\n __name__))\n", "role": "user" }, { "content": "assert_is_type", "role": "assistant" } ]
def x(grammar_type=None, grammar_name=None): def x(validator, name): def x(self, value): if isinstance(grammar_type, (type, tuple)): _assert_is_type(validator.__name__, value, grammar_type) validator(value) self.grammar[name] = value def x(self): return self.grammar.get(name, None) def x(self): if name in self.grammar: del self.grammar[name] return property(getter, setter, deleter, validator.__doc__) if isinstance(grammar_type, (type, tuple)): def x(validator): if grammar_name: return grammar_creator(validator, grammar_name) else: return grammar_creator(validator, validator.__name__) return grammar_dec elif isinstance(grammar_name, str_types): def x(validator): return grammar_creator(validator, grammar_name) return grammar_dec else: return grammar_creator(grammar_type, grammar_type.__name__)
grammar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grammar_type=None, grammar_name=None):\n\n def x(validator, name):\n\n def x(self, value):\n if isinstance(grammar_type, (type, tuple)):\n _assert_is_type(validator.__name__, value, grammar_type)\n validator(value)\n self.grammar[name] = value\n\n def x(self):\n return self.grammar.get(name, None)\n\n def x(self):\n if name in self.grammar:\n del self.grammar[name]\n return property(getter, setter, deleter, validator.__doc__)\n if isinstance(grammar_type, (type, tuple)):\n\n def x(validator):\n if grammar_name:\n return grammar_creator(validator, grammar_name)\n else:\n return grammar_creator(validator, validator.__name__)\n return grammar_dec\n elif isinstance(grammar_name, str_types):\n\n def x(validator):\n return grammar_creator(validator, grammar_name)\n return grammar_dec\n else:\n return grammar_creator(grammar_type, grammar_type.__name__)\n", "role": "user" }, { "content": "grammar", "role": "assistant" } ]
def x(self): for key, val in self.grammar.items(): try: setattr(self, key, val) except ValueError as e: raise ValidationError('invalid contents: ' + e.args[0])
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for key, val in self.grammar.items():\n try:\n setattr(self, key, val)\n except ValueError as e:\n raise ValidationError('invalid contents: ' + e.args[0])\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, path=None, html_out=False, html_path='vega_template.html', validate=False, pretty_print=True): if validate: self.validate() if pretty_print: dumps_args = {'indent': 2, 'separators': (',', ': ')} else: dumps_args = {} def x(obj): if hasattr(obj, 'grammar'): return obj.grammar if html_out: template = Template(str(resource_string('vincent', 'vega_template.html'))) with open(html_path, 'w') as f: f.write(template.substitute(path=path)) if path: with open(path, 'w') as f: json.dump(self.grammar, f, default=encoder, sort_keys=True, ** dumps_args) else: return json.dumps(self.grammar, default=encoder, sort_keys=True, ** dumps_args)
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path=None, html_out=False, html_path='vega_template.html',\n validate=False, pretty_print=True):\n if validate:\n self.validate()\n if pretty_print:\n dumps_args = {'indent': 2, 'separators': (',', ': ')}\n else:\n dumps_args = {}\n\n def x(obj):\n if hasattr(obj, 'grammar'):\n return obj.grammar\n if html_out:\n template = Template(str(resource_string('vincent',\n 'vega_template.html')))\n with open(html_path, 'w') as f:\n f.write(template.substitute(path=path))\n if path:\n with open(path, 'w') as f:\n json.dump(self.grammar, f, default=encoder, sort_keys=True, **\n dumps_args)\n else:\n return json.dumps(self.grammar, default=encoder, sort_keys=True, **\n dumps_args)\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(text): if text is None: return False mimetype = normalize_mimetype(text) return mimetype not in [DEFAULT, PLAIN, None]
useful_mimetype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n if text is None:\n return False\n mimetype = normalize_mimetype(text)\n return mimetype not in [DEFAULT, PLAIN, None]\n", "role": "user" }, { "content": "useful_mimetype", "role": "assistant" } ]
def x(extension): extension = decode_path(extension) if extension is None: return if extension.startswith('.'): extension = extension[1:] if '.' in extension: _, extension = os.path.splitext(extension) extension = slugify(extension, sep='') if extension is None: return if len(extension): return extension
normalize_extension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(extension):\n extension = decode_path(extension)\n if extension is None:\n return\n if extension.startswith('.'):\n extension = extension[1:]\n if '.' in extension:\n _, extension = os.path.splitext(extension)\n extension = slugify(extension, sep='')\n if extension is None:\n return\n if len(extension):\n return extension\n", "role": "user" }, { "content": "normalize_extension", "role": "assistant" } ]
def x(url: str, **kwargs) ->Selector: kwargs.setdefault('headers', DEFAULT_HEADERS) try: res = requests.get(url, **kwargs) res.raise_for_status() except requests.RequestException as e: print(e) else: html = res.text tree = Selector(text=html) return tree
fetch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url: str, **kwargs) ->Selector:\n kwargs.setdefault('headers', DEFAULT_HEADERS)\n try:\n res = requests.get(url, **kwargs)\n res.raise_for_status()\n except requests.RequestException as e:\n print(e)\n else:\n html = res.text\n tree = Selector(text=html)\n return tree\n", "role": "user" }, { "content": "fetch", "role": "assistant" } ]
async def async_fetch(url: str, **kwargs) ->Selector: """ Do the fetch in an async style. Args: url (str): The url of the site. Returns: Selector: allows you to select parts of HTML text using CSS or XPath expressions. """ kwargs.setdefault('headers', DEFAULT_HEADERS) async with aiohttp.ClientSession(**kwargs) as ses: async with ses.get(url, **kwargs) as res: html = await res.text() tree = Selector(text=html) return tree
async_fetch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def async_fetch(url: str, **kwargs) ->Selector:\n \"\"\"\n Do the fetch in an async style.\n\n Args:\n url (str): The url of the site.\n\n Returns:\n Selector: allows you to select parts of HTML text using CSS or XPath expressions.\n \"\"\"\n kwargs.setdefault('headers', DEFAULT_HEADERS)\n async with aiohttp.ClientSession(**kwargs) as ses:\n async with ses.get(url, **kwargs) as res:\n html = await res.text()\n tree = Selector(text=html)\n return tree\n", "role": "user" }, { "content": "async_fetch", "role": "assistant" } ]
def x(url: str, **kwargs) ->bool: kwargs.setdefault('headers', DEFAULT_HEADERS) html = requests.get(url, **kwargs).content if b'<base' not in html: repl = f'<head><base href="{url}">' html = html.replace(b'<head>', repl.encode('utf-8')) fd, fname = tempfile.mkstemp('.html') os.write(fd, html) os.close(fd) return webbrowser.open(f'file://{fname}')
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url: str, **kwargs) ->bool:\n kwargs.setdefault('headers', DEFAULT_HEADERS)\n html = requests.get(url, **kwargs).content\n if b'<base' not in html:\n repl = f'<head><base href=\"{url}\">'\n html = html.replace(b'<head>', repl.encode('utf-8'))\n fd, fname = tempfile.mkstemp('.html')\n os.write(fd, html)\n os.close(fd)\n return webbrowser.open(f'file://{fname}')\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(res: requests.models.Response, search: str=None, pattern: str=None ) ->list: hrefs = [link.to_text() for link in find_all_links(res.text)] if search: hrefs = [href for href in hrefs if search in href] if pattern: hrefs = [href for href in hrefs if re.findall(pattern, href)] return list(set(hrefs))
links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(res: requests.models.Response, search: str=None, pattern: str=None\n ) ->list:\n hrefs = [link.to_text() for link in find_all_links(res.text)]\n if search:\n hrefs = [href for href in hrefs if search in href]\n if pattern:\n hrefs = [href for href in hrefs if re.findall(pattern, href)]\n return list(set(hrefs))\n", "role": "user" }, { "content": "links", "role": "assistant" } ]
def x(total: list, name='data.json', sort_by: str=None, no_duplicate=False, order='asc'): if sort_by: reverse = order == 'desc' total = sorted(total, key=itemgetter(sort_by), reverse=reverse) if no_duplicate: total = [key for key, _ in groupby(total)] data = json.dumps(total, ensure_ascii=False) Path(name).write_text(data, encoding='utf-8')
save_as_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(total: list, name='data.json', sort_by: str=None, no_duplicate=False,\n order='asc'):\n if sort_by:\n reverse = order == 'desc'\n total = sorted(total, key=itemgetter(sort_by), reverse=reverse)\n if no_duplicate:\n total = [key for key, _ in groupby(total)]\n data = json.dumps(total, ensure_ascii=False)\n Path(name).write_text(data, encoding='utf-8')\n", "role": "user" }, { "content": "save_as_json", "role": "assistant" } ]
def x(): argv = docopt(__doc__, version=VERSION) if argv['genspider']: name = f"{argv['<name>']}.py" use_async = argv['--async'] template = 'data_async.tmpl' if use_async else 'data.tmpl' package_dir = Path(__file__).parent template_text = package_dir.joinpath('templates', template).read_text() Path(name).write_text(template_text) if argv['shell']: url = argv['<url>'] if argv['<url>'] else input( 'Plz specific a site to crawl\nurl: ') res = requests.get(url, headers=DEFAULT_HEADERS) if not res: exit('Failed to fetch the page.') tree = Selector(text=res.text) allvars = {**locals(), **globals()} try: from ptpython.repl import embed print(BANNER) embed(allvars) except ImportError: code.interact(local=allvars, banner=BANNER)
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n argv = docopt(__doc__, version=VERSION)\n if argv['genspider']:\n name = f\"{argv['<name>']}.py\"\n use_async = argv['--async']\n template = 'data_async.tmpl' if use_async else 'data.tmpl'\n package_dir = Path(__file__).parent\n template_text = package_dir.joinpath('templates', template).read_text()\n Path(name).write_text(template_text)\n if argv['shell']:\n url = argv['<url>'] if argv['<url>'] else input(\n 'Plz specific a site to crawl\\nurl: ')\n res = requests.get(url, headers=DEFAULT_HEADERS)\n if not res:\n exit('Failed to fetch the page.')\n tree = Selector(text=res.text)\n allvars = {**locals(), **globals()}\n try:\n from ptpython.repl import embed\n print(BANNER)\n embed(allvars)\n except ImportError:\n code.interact(local=allvars, banner=BANNER)\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self): retval = tuple() for val in self.VALUES: retval += getattr(self, val), return retval
get_value_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n retval = tuple()\n for val in self.VALUES:\n retval += getattr(self, val),\n return retval\n", "role": "user" }, { "content": "get_value_tuple", "role": "assistant" } ]
def x(self, observer): observer = str(observer) if observer not in color_constants.OBSERVERS: raise InvalidObserverError(self) self.observer = observer
set_observer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer):\n observer = str(observer)\n if observer not in color_constants.OBSERVERS:\n raise InvalidObserverError(self)\n self.observer = observer\n", "role": "user" }, { "content": "set_observer", "role": "assistant" } ]
def x(self, illuminant): illuminant = illuminant.lower() if illuminant not in color_constants.ILLUMINANTS[self.observer]: raise InvalidIlluminantError(illuminant) self.illuminant = illuminant
set_illuminant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, illuminant):\n illuminant = illuminant.lower()\n if illuminant not in color_constants.ILLUMINANTS[self.observer]:\n raise InvalidIlluminantError(illuminant)\n self.illuminant = illuminant\n", "role": "user" }, { "content": "set_illuminant", "role": "assistant" } ]
def x(self, observer=None, illuminant=None): try: if observer is None: observer = self.observer illums_observer = color_constants.ILLUMINANTS[observer] except KeyError: raise InvalidObserverError(self) try: if illuminant is None: illuminant = self.illuminant illum_xyz = illums_observer[illuminant] except (KeyError, AttributeError): raise InvalidIlluminantError(illuminant) return {'X': illum_xyz[0], 'Y': illum_xyz[1], 'Z': illum_xyz[2]}
get_illuminant_xyz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observer=None, illuminant=None):\n try:\n if observer is None:\n observer = self.observer\n illums_observer = color_constants.ILLUMINANTS[observer]\n except KeyError:\n raise InvalidObserverError(self)\n try:\n if illuminant is None:\n illuminant = self.illuminant\n illum_xyz = illums_observer[illuminant]\n except (KeyError, AttributeError):\n raise InvalidIlluminantError(illuminant)\n return {'X': illum_xyz[0], 'Y': illum_xyz[1], 'Z': illum_xyz[2]}\n", "role": "user" }, { "content": "get_illuminant_xyz", "role": "assistant" } ]
def x(self): values = [] for val in self.VALUES: values.append(getattr(self, val, 0.0)) color_array = numpy.array([values]) return color_array
get_numpy_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = []\n for val in self.VALUES:\n values.append(getattr(self, val, 0.0))\n color_array = numpy.array([values])\n return color_array\n", "role": "user" }, { "content": "get_numpy_array", "role": "assistant" } ]
def x(self, density_standard=None): if density_standard is not None: return density.ansi_density(self, density_standard) else: return density.auto_density(self)
calc_density
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, density_standard=None):\n if density_standard is not None:\n return density.ansi_density(self, density_standard)\n else:\n return density.auto_density(self)\n", "role": "user" }, { "content": "calc_density", "role": "assistant" } ]
def x(self, target_illuminant, adaptation='bradford'): logger.debug(' \\- Original illuminant: %s', self.illuminant) logger.debug(' \\- Target illuminant: %s', target_illuminant) if self.illuminant != target_illuminant: logger.debug(' \\* Applying transformation from %s to %s ', self. illuminant, target_illuminant) apply_chromatic_adaptation_on_color(color=self, targ_illum= target_illuminant, adaptation=adaptation)
apply_adaptation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_illuminant, adaptation='bradford'):\n logger.debug(' \\\\- Original illuminant: %s', self.illuminant)\n logger.debug(' \\\\- Target illuminant: %s', target_illuminant)\n if self.illuminant != target_illuminant:\n logger.debug(' \\\\* Applying transformation from %s to %s ', self.\n illuminant, target_illuminant)\n apply_chromatic_adaptation_on_color(color=self, targ_illum=\n target_illuminant, adaptation=adaptation)\n", "role": "user" }, { "content": "apply_adaptation", "role": "assistant" } ]
def x(self, coord): if not self.is_upscaled: return min(max(coord, 0.0), 1.0) else: return min(max(coord, 1), 255)
clamp_rgb_coordinate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, coord):\n if not self.is_upscaled:\n return min(max(coord, 0.0), 1.0)\n else:\n return min(max(coord, 1), 255)\n", "role": "user" }, { "content": "clamp_rgb_coordinate", "role": "assistant" } ]
def x(self): rgb_r = int(math.floor(0.5 + self.rgb_r * 255)) rgb_g = int(math.floor(0.5 + self.rgb_g * 255)) rgb_b = int(math.floor(0.5 + self.rgb_b * 255)) return rgb_r, rgb_g, rgb_b
get_upscaled_value_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rgb_r = int(math.floor(0.5 + self.rgb_r * 255))\n rgb_g = int(math.floor(0.5 + self.rgb_g * 255))\n rgb_b = int(math.floor(0.5 + self.rgb_b * 255))\n return rgb_r, rgb_g, rgb_b\n", "role": "user" }, { "content": "get_upscaled_value_tuple", "role": "assistant" } ]
def x(self): rgb_r, rgb_g, rgb_b = self.get_upscaled_value_tuple() return '#%02x%02x%02x' % (rgb_r, rgb_g, rgb_b)
get_rgb_hex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rgb_r, rgb_g, rgb_b = self.get_upscaled_value_tuple()\n return '#%02x%02x%02x' % (rgb_r, rgb_g, rgb_b)\n", "role": "user" }, { "content": "get_rgb_hex", "role": "assistant" } ]
def x(cls, hex_str): colorstring = hex_str.strip() if colorstring[0] == '#': colorstring = colorstring[1:] if len(colorstring) != 6: raise ValueError('input #%s is not in #RRGGBB format' % colorstring) r, g, b = colorstring[:2], colorstring[2:4], colorstring[4:] r, g, b = [(int(n, 16) / 255.0) for n in (r, g, b)] return cls(r, g, b)
new_from_rgb_hex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, hex_str):\n colorstring = hex_str.strip()\n if colorstring[0] == '#':\n colorstring = colorstring[1:]\n if len(colorstring) != 6:\n raise ValueError('input #%s is not in #RRGGBB format' % colorstring)\n r, g, b = colorstring[:2], colorstring[2:4], colorstring[4:]\n r, g, b = [(int(n, 16) / 255.0) for n in (r, g, b)]\n return cls(r, g, b)\n", "role": "user" }, { "content": "new_from_rgb_hex", "role": "assistant" } ]
def x(lab_color_vector, lab_color_matrix): return numpy.sqrt(numpy.sum(numpy.power(lab_color_vector - lab_color_matrix, 2), axis=1))
delta_e_cie1976
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lab_color_vector, lab_color_matrix):\n return numpy.sqrt(numpy.sum(numpy.power(lab_color_vector -\n lab_color_matrix, 2), axis=1))\n", "role": "user" }, { "content": "delta_e_cie1976", "role": "assistant" } ]
def x(lab_color_vector, lab_color_matrix, K_L=1, K_C=1, K_H=1, K_1=0.045, K_2=0.015): C_1 = numpy.sqrt(numpy.sum(numpy.power(lab_color_vector[1:], 2))) C_2 = numpy.sqrt(numpy.sum(numpy.power(lab_color_matrix[:, 1:], 2), axis=1) ) delta_lab = lab_color_vector - lab_color_matrix delta_L = delta_lab[:, 0].copy() delta_C = C_1 - C_2 delta_lab[:, 0] = delta_C delta_H_sq = numpy.sum(numpy.power(delta_lab, 2) * numpy.array([-1, 1, 1]), axis=1) delta_H = numpy.sqrt(delta_H_sq.clip(min=0)) S_L = 1 S_C = 1 + K_1 * C_1 S_H = 1 + K_2 * C_1 LCH = numpy.vstack([delta_L, delta_C, delta_H]) params = numpy.array([[K_L * S_L], [K_C * S_C], [K_H * S_H]]) return numpy.sqrt(numpy.sum(numpy.power(LCH / params, 2), axis=0))
delta_e_cie1994
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lab_color_vector, lab_color_matrix, K_L=1, K_C=1, K_H=1, K_1=0.045,\n K_2=0.015):\n C_1 = numpy.sqrt(numpy.sum(numpy.power(lab_color_vector[1:], 2)))\n C_2 = numpy.sqrt(numpy.sum(numpy.power(lab_color_matrix[:, 1:], 2), axis=1)\n )\n delta_lab = lab_color_vector - lab_color_matrix\n delta_L = delta_lab[:, 0].copy()\n delta_C = C_1 - C_2\n delta_lab[:, 0] = delta_C\n delta_H_sq = numpy.sum(numpy.power(delta_lab, 2) * numpy.array([-1, 1, \n 1]), axis=1)\n delta_H = numpy.sqrt(delta_H_sq.clip(min=0))\n S_L = 1\n S_C = 1 + K_1 * C_1\n S_H = 1 + K_2 * C_1\n LCH = numpy.vstack([delta_L, delta_C, delta_H])\n params = numpy.array([[K_L * S_L], [K_C * S_C], [K_H * S_H]])\n return numpy.sqrt(numpy.sum(numpy.power(LCH / params, 2), axis=0))\n", "role": "user" }, { "content": "delta_e_cie1994", "role": "assistant" } ]
def x(lab_color_vector, lab_color_matrix, pl=2, pc=1): L, a, b = lab_color_vector C_1 = numpy.sqrt(numpy.sum(numpy.power(lab_color_vector[1:], 2))) C_2 = numpy.sqrt(numpy.sum(numpy.power(lab_color_matrix[:, 1:], 2), axis=1) ) delta_lab = lab_color_vector - lab_color_matrix delta_L = delta_lab[:, 0].copy() delta_C = C_1 - C_2 delta_lab[:, 0] = delta_C H_1 = numpy.degrees(numpy.arctan2(b, a)) if H_1 < 0: H_1 += 360 F = numpy.sqrt(numpy.power(C_1, 4) / (numpy.power(C_1, 4) + 1900.0)) if 164 <= H_1 and H_1 <= 345: T = 0.56 + abs(0.2 * numpy.cos(numpy.radians(H_1 + 168))) else: T = 0.36 + abs(0.4 * numpy.cos(numpy.radians(H_1 + 35))) if L < 16: S_L = 0.511 else: S_L = 0.040975 * L / (1 + 0.01765 * L) S_C = 0.0638 * C_1 / (1 + 0.0131 * C_1) + 0.638 S_H = S_C * (F * T + 1 - F) delta_C = C_1 - C_2 delta_H_sq = numpy.sum(numpy.power(delta_lab, 2) * numpy.array([-1, 1, 1]), axis=1) delta_H = numpy.sqrt(delta_H_sq.clip(min=0)) LCH = numpy.vstack([delta_L, delta_C, delta_H]) params = numpy.array([[pl * S_L], [pc * S_C], [S_H]]) return numpy.sqrt(numpy.sum(numpy.power(LCH / params, 2), axis=0))
delta_e_cmc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lab_color_vector, lab_color_matrix, pl=2, pc=1):\n L, a, b = lab_color_vector\n C_1 = numpy.sqrt(numpy.sum(numpy.power(lab_color_vector[1:], 2)))\n C_2 = numpy.sqrt(numpy.sum(numpy.power(lab_color_matrix[:, 1:], 2), axis=1)\n )\n delta_lab = lab_color_vector - lab_color_matrix\n delta_L = delta_lab[:, 0].copy()\n delta_C = C_1 - C_2\n delta_lab[:, 0] = delta_C\n H_1 = numpy.degrees(numpy.arctan2(b, a))\n if H_1 < 0:\n H_1 += 360\n F = numpy.sqrt(numpy.power(C_1, 4) / (numpy.power(C_1, 4) + 1900.0))\n if 164 <= H_1 and H_1 <= 345:\n T = 0.56 + abs(0.2 * numpy.cos(numpy.radians(H_1 + 168)))\n else:\n T = 0.36 + abs(0.4 * numpy.cos(numpy.radians(H_1 + 35)))\n if L < 16:\n S_L = 0.511\n else:\n S_L = 0.040975 * L / (1 + 0.01765 * L)\n S_C = 0.0638 * C_1 / (1 + 0.0131 * C_1) + 0.638\n S_H = S_C * (F * T + 1 - F)\n delta_C = C_1 - C_2\n delta_H_sq = numpy.sum(numpy.power(delta_lab, 2) * numpy.array([-1, 1, \n 1]), axis=1)\n delta_H = numpy.sqrt(delta_H_sq.clip(min=0))\n LCH = numpy.vstack([delta_L, delta_C, delta_H])\n params = numpy.array([[pl * S_L], [pc * S_C], [S_H]])\n return numpy.sqrt(numpy.sum(numpy.power(LCH / params, 2), axis=0))\n", "role": "user" }, { "content": "delta_e_cmc", "role": "assistant" } ]
def x(lab_color_vector, lab_color_matrix, Kl=1, Kc=1, Kh=1): L, a, b = lab_color_vector avg_Lp = (L + lab_color_matrix[:, 0]) / 2.0 C1 = numpy.sqrt(numpy.sum(numpy.power(lab_color_vector[1:], 2))) C2 = numpy.sqrt(numpy.sum(numpy.power(lab_color_matrix[:, 1:], 2), axis=1)) avg_C1_C2 = (C1 + C2) / 2.0 G = 0.5 * (1 - numpy.sqrt(numpy.power(avg_C1_C2, 7.0) / (numpy.power( avg_C1_C2, 7.0) + numpy.power(25.0, 7.0)))) a1p = (1.0 + G) * a a2p = (1.0 + G) * lab_color_matrix[:, 1] C1p = numpy.sqrt(numpy.power(a1p, 2) + numpy.power(b, 2)) C2p = numpy.sqrt(numpy.power(a2p, 2) + numpy.power(lab_color_matrix[:, 2], 2)) avg_C1p_C2p = (C1p + C2p) / 2.0 h1p = numpy.degrees(numpy.arctan2(b, a1p)) h1p += (h1p < 0) * 360 h2p = numpy.degrees(numpy.arctan2(lab_color_matrix[:, 2], a2p)) h2p += (h2p < 0) * 360 avg_Hp = ((numpy.fabs(h1p - h2p) > 180) * 360 + h1p + h2p) / 2.0 T = 1 - 0.17 * numpy.cos(numpy.radians(avg_Hp - 30)) + 0.24 * numpy.cos( numpy.radians(2 * avg_Hp)) + 0.32 * numpy.cos(numpy.radians(3 * avg_Hp + 6)) - 0.2 * numpy.cos(numpy.radians(4 * avg_Hp - 63)) diff_h2p_h1p = h2p - h1p delta_hp = diff_h2p_h1p + (numpy.fabs(diff_h2p_h1p) > 180) * 360 delta_hp -= (h2p > h1p) * 720 delta_Lp = lab_color_matrix[:, 0] - L delta_Cp = C2p - C1p delta_Hp = 2 * numpy.sqrt(C2p * C1p) * numpy.sin(numpy.radians(delta_hp ) / 2.0) S_L = 1 + 0.015 * numpy.power(avg_Lp - 50, 2) / numpy.sqrt(20 + numpy. power(avg_Lp - 50, 2.0)) S_C = 1 + 0.045 * avg_C1p_C2p S_H = 1 + 0.015 * avg_C1p_C2p * T delta_ro = 30 * numpy.exp(-numpy.power((avg_Hp - 275) / 25, 2.0)) R_C = numpy.sqrt(numpy.power(avg_C1p_C2p, 7.0) / (numpy.power( avg_C1p_C2p, 7.0) + numpy.power(25.0, 7.0))) R_T = -2 * R_C * numpy.sin(2 * numpy.radians(delta_ro)) return numpy.sqrt(numpy.power(delta_Lp / (S_L * Kl), 2) + numpy.power( delta_Cp / (S_C * Kc), 2) + numpy.power(delta_Hp / (S_H * Kh), 2) + R_T * (delta_Cp / (S_C * Kc)) * (delta_Hp / (S_H * Kh)))
delta_e_cie2000
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lab_color_vector, lab_color_matrix, Kl=1, Kc=1, Kh=1):\n L, a, b = lab_color_vector\n avg_Lp = (L + lab_color_matrix[:, 0]) / 2.0\n C1 = numpy.sqrt(numpy.sum(numpy.power(lab_color_vector[1:], 2)))\n C2 = numpy.sqrt(numpy.sum(numpy.power(lab_color_matrix[:, 1:], 2), axis=1))\n avg_C1_C2 = (C1 + C2) / 2.0\n G = 0.5 * (1 - numpy.sqrt(numpy.power(avg_C1_C2, 7.0) / (numpy.power(\n avg_C1_C2, 7.0) + numpy.power(25.0, 7.0))))\n a1p = (1.0 + G) * a\n a2p = (1.0 + G) * lab_color_matrix[:, 1]\n C1p = numpy.sqrt(numpy.power(a1p, 2) + numpy.power(b, 2))\n C2p = numpy.sqrt(numpy.power(a2p, 2) + numpy.power(lab_color_matrix[:, \n 2], 2))\n avg_C1p_C2p = (C1p + C2p) / 2.0\n h1p = numpy.degrees(numpy.arctan2(b, a1p))\n h1p += (h1p < 0) * 360\n h2p = numpy.degrees(numpy.arctan2(lab_color_matrix[:, 2], a2p))\n h2p += (h2p < 0) * 360\n avg_Hp = ((numpy.fabs(h1p - h2p) > 180) * 360 + h1p + h2p) / 2.0\n T = 1 - 0.17 * numpy.cos(numpy.radians(avg_Hp - 30)) + 0.24 * numpy.cos(\n numpy.radians(2 * avg_Hp)) + 0.32 * numpy.cos(numpy.radians(3 *\n avg_Hp + 6)) - 0.2 * numpy.cos(numpy.radians(4 * avg_Hp - 63))\n diff_h2p_h1p = h2p - h1p\n delta_hp = diff_h2p_h1p + (numpy.fabs(diff_h2p_h1p) > 180) * 360\n delta_hp -= (h2p > h1p) * 720\n delta_Lp = lab_color_matrix[:, 0] - L\n delta_Cp = C2p - C1p\n delta_Hp = 2 * numpy.sqrt(C2p * C1p) * numpy.sin(numpy.radians(delta_hp\n ) / 2.0)\n S_L = 1 + 0.015 * numpy.power(avg_Lp - 50, 2) / numpy.sqrt(20 + numpy.\n power(avg_Lp - 50, 2.0))\n S_C = 1 + 0.045 * avg_C1p_C2p\n S_H = 1 + 0.015 * avg_C1p_C2p * T\n delta_ro = 30 * numpy.exp(-numpy.power((avg_Hp - 275) / 25, 2.0))\n R_C = numpy.sqrt(numpy.power(avg_C1p_C2p, 7.0) / (numpy.power(\n avg_C1p_C2p, 7.0) + numpy.power(25.0, 7.0)))\n R_T = -2 * R_C * numpy.sin(2 * numpy.radians(delta_ro))\n return numpy.sqrt(numpy.power(delta_Lp / (S_L * Kl), 2) + numpy.power(\n delta_Cp / (S_C * Kc), 2) + numpy.power(delta_Hp / (S_H * Kh), 2) +\n R_T * (delta_Cp / (S_C * Kc)) * (delta_Hp / (S_H * Kh)))\n", "role": "user" }, { "content": "delta_e_cie2000", "role": "assistant" } ]
def x(color, density_standard): sample = color.get_numpy_array() intermediate = sample * density_standard numerator = intermediate.sum() sum_of_standard_wavelengths = density_standard.sum() return -1.0 * log10(numerator / sum_of_standard_wavelengths)
ansi_density
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color, density_standard):\n sample = color.get_numpy_array()\n intermediate = sample * density_standard\n numerator = intermediate.sum()\n sum_of_standard_wavelengths = density_standard.sum()\n return -1.0 * log10(numerator / sum_of_standard_wavelengths)\n", "role": "user" }, { "content": "ansi_density", "role": "assistant" } ]
def x(color): blue_density = ansi_density(color, ANSI_STATUS_T_BLUE) green_density = ansi_density(color, ANSI_STATUS_T_GREEN) red_density = ansi_density(color, ANSI_STATUS_T_RED) densities = [blue_density, green_density, red_density] min_density = min(densities) max_density = max(densities) density_range = max_density - min_density if density_range <= VISUAL_DENSITY_THRESH: return ansi_density(color, ISO_VISUAL) elif blue_density > green_density and blue_density > red_density: return blue_density elif green_density > blue_density and green_density > red_density: return green_density else: return red_density
auto_density
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color):\n blue_density = ansi_density(color, ANSI_STATUS_T_BLUE)\n green_density = ansi_density(color, ANSI_STATUS_T_GREEN)\n red_density = ansi_density(color, ANSI_STATUS_T_RED)\n densities = [blue_density, green_density, red_density]\n min_density = min(densities)\n max_density = max(densities)\n density_range = max_density - min_density\n if density_range <= VISUAL_DENSITY_THRESH:\n return ansi_density(color, ISO_VISUAL)\n elif blue_density > green_density and blue_density > red_density:\n return blue_density\n elif green_density > blue_density and green_density > red_density:\n return green_density\n else:\n return red_density\n", "role": "user" }, { "content": "auto_density", "role": "assistant" } ]
def x(color): if not color.__class__.__name__ == 'LabColor': raise ValueError( 'Delta E functions can only be used with two LabColor objects.') return numpy.array([color.lab_l, color.lab_a, color.lab_b])
get_lab_color1_vector
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color):\n if not color.__class__.__name__ == 'LabColor':\n raise ValueError(\n 'Delta E functions can only be used with two LabColor objects.')\n return numpy.array([color.lab_l, color.lab_a, color.lab_b])\n", "role": "user" }, { "content": "get_lab_color1_vector", "role": "assistant" } ]
def x(color1, color2): color1_vector = _get_lab_color1_vector(color1) color2_matrix = _get_lab_color2_matrix(color2) delta_e = color_diff_matrix.delta_e_cie1976(color1_vector, color2_matrix)[0 ] return numpy.asscalar(delta_e)
delta_e_cie1976
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color1, color2):\n color1_vector = _get_lab_color1_vector(color1)\n color2_matrix = _get_lab_color2_matrix(color2)\n delta_e = color_diff_matrix.delta_e_cie1976(color1_vector, color2_matrix)[0\n ]\n return numpy.asscalar(delta_e)\n", "role": "user" }, { "content": "delta_e_cie1976", "role": "assistant" } ]
def x(color1, color2, K_L=1, K_C=1, K_H=1, K_1=0.045, K_2=0.015): color1_vector = _get_lab_color1_vector(color1) color2_matrix = _get_lab_color2_matrix(color2) delta_e = color_diff_matrix.delta_e_cie1994(color1_vector, color2_matrix, K_L=K_L, K_C=K_C, K_H=K_H, K_1=K_1, K_2=K_2)[0] return numpy.asscalar(delta_e)
delta_e_cie1994
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color1, color2, K_L=1, K_C=1, K_H=1, K_1=0.045, K_2=0.015):\n color1_vector = _get_lab_color1_vector(color1)\n color2_matrix = _get_lab_color2_matrix(color2)\n delta_e = color_diff_matrix.delta_e_cie1994(color1_vector,\n color2_matrix, K_L=K_L, K_C=K_C, K_H=K_H, K_1=K_1, K_2=K_2)[0]\n return numpy.asscalar(delta_e)\n", "role": "user" }, { "content": "delta_e_cie1994", "role": "assistant" } ]
def x(color1, color2, Kl=1, Kc=1, Kh=1): color1_vector = _get_lab_color1_vector(color1) color2_matrix = _get_lab_color2_matrix(color2) delta_e = color_diff_matrix.delta_e_cie2000(color1_vector, color2_matrix, Kl=Kl, Kc=Kc, Kh=Kh)[0] return numpy.asscalar(delta_e)
delta_e_cie2000
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color1, color2, Kl=1, Kc=1, Kh=1):\n color1_vector = _get_lab_color1_vector(color1)\n color2_matrix = _get_lab_color2_matrix(color2)\n delta_e = color_diff_matrix.delta_e_cie2000(color1_vector,\n color2_matrix, Kl=Kl, Kc=Kc, Kh=Kh)[0]\n return numpy.asscalar(delta_e)\n", "role": "user" }, { "content": "delta_e_cie2000", "role": "assistant" } ]
def x(color1, color2, pl=2, pc=1): color1_vector = _get_lab_color1_vector(color1) color2_matrix = _get_lab_color2_matrix(color2) delta_e = color_diff_matrix.delta_e_cmc(color1_vector, color2_matrix, pl=pl, pc=pc)[0] return numpy.asscalar(delta_e)
delta_e_cmc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color1, color2, pl=2, pc=1):\n color1_vector = _get_lab_color1_vector(color1)\n color2_matrix = _get_lab_color2_matrix(color2)\n delta_e = color_diff_matrix.delta_e_cmc(color1_vector, color2_matrix,\n pl=pl, pc=pc)[0]\n return numpy.asscalar(delta_e)\n", "role": "user" }, { "content": "delta_e_cmc", "role": "assistant" } ]