source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(use_cache=True, cache_expiration=86400, cache_path= '~/.gcetools/instances', group_name=None, region=None, zone=None): data = _get_data(use_cache, cache_expiration, group_name=group_name, region=region, zone=zone) roles = _get_roles(data) env.roledefs.update(roles) _data_loaded = True return INSTANCES_CACHE
update_roles_gce
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(use_cache=True, cache_expiration=86400, cache_path=\n '~/.gcetools/instances', group_name=None, region=None, zone=None):\n data = _get_data(use_cache, ca...
def x(url, io_loop=None, callback=None, connect_timeout=None): if io_loop is None: io_loop = IOLoop.current() if isinstance(url, httpclient.HTTPRequest): assert connect_timeout is None request = url request.headers = httputil.HTTPHeaders(request.headers) else: request = httpclient.HTTPRequest(url, connect_timeout= connect_timeout, headers=httputil.HTTPHeaders({ 'Accept-Encoding': 'identity'})) request = httpclient._RequestProxy(request, httpclient.HTTPRequest. _DEFAULTS) conn = EventSourceClient(io_loop, request) if callback is not None: io_loop.add_future(conn.connect_future, callback) return conn.connect_future
eventsource_connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, io_loop=None, callback=None, connect_timeout=None):\n if io_loop is None:\n io_loop = IOLoop.current()\n if isinstance(url, httpclient.HTTPRe...
def x(self, message): logging.debug('handle_stream(...)') event = Event() for line in message.strip().splitlines(): field, value = line.split(':', 1) field = field.strip() if field == 'event': event.name = value.lstrip() elif field == 'data': value = value.lstrip() if event.data is None: event.data = value else: event.data = '%s\n%s' % (event.data, value) elif field == 'id': event.id = value.lstrip() self.last_event_id = event.id elif field == 'retry': try: self.retry_timeout = int(value) event.retry = self.retry_timeout logging.info('timeout reset: %s' % (value,)) except ValueError: pass elif field == '': logging.debug('received comment: %s' % (value,)) else: raise Exception('Unknown field !') self.events.append(event)
handle_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n logging.debug('handle_stream(...)')\n event = Event()\n for line in message.strip().splitlines():\n field, value = line.split...
def x(*args, **kwargs): color = kwargs.pop('color', {}) style = kwargs.pop('style', {}) prefx = kwargs.pop('prefix', '') suffx = kwargs.pop('suffix', '') ind = kwargs.pop('indent', 0) print_args = [] for arg in args: arg = str(arg) arg = colorize(arg, **color) arg = stylize(arg, **style) arg = prefix(arg, prefx) arg = indent(arg, ind) arg += str(suffx) print_args.append(arg) print(*print_args, **kwargs)
printout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n color = kwargs.pop('color', {})\n style = kwargs.pop('style', {})\n prefx = kwargs.pop('prefix', '')\n suffx = kwargs.pop('suff...
def x(txt, fg=None, bg=None): setting = '' setting += _SET_FG.format(fg) if fg else '' setting += _SET_BG.format(bg) if bg else '' return setting + str(txt) + _STYLE_RESET
colorize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(txt, fg=None, bg=None):\n setting = ''\n setting += _SET_FG.format(fg) if fg else ''\n setting += _SET_BG.format(bg) if bg else ''\n return setting...
def x(txt, bold=False, underline=False): setting = '' setting += _SET_BOLD if bold is True else '' setting += _SET_UNDERLINE if underline is True else '' return setting + str(txt) + _STYLE_RESET
stylize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(txt, bold=False, underline=False):\n setting = ''\n setting += _SET_BOLD if bold is True else ''\n setting += _SET_UNDERLINE if underline is True else...
def x(txt, spacing=4): return prefix(str(txt), ''.join([' ' for _ in range(spacing)]))
indent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(txt, spacing=4):\n return prefix(str(txt), ''.join([' ' for _ in range(spacing)]))\n", "role": "user" }, { "content": "indent", "role": "ass...
def x(red, green, blue): for value in (red, green, blue): if value not in range(6): raise ColorError('Value must be within 0-5, was {}.'.format(value)) return 16 + red * 36 + green * 6 + blue
rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(red, green, blue):\n for value in (red, green, blue):\n if value not in range(6):\n raise ColorError('Value must be within 0-5, was {}.'.f...
def x(data): try: decoded = data.decode('UTF-8') except UnicodeDecodeError: return False else: for ch in decoded: if 55296 <= ord(ch) <= 57343: return False return True
isUTF8Strict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n try:\n decoded = data.decode('UTF-8')\n except UnicodeDecodeError:\n return False\n else:\n for ch in decoded:\n ...
def x(header_list): decoded_headers = [] for header in header_list: if cchardet: inferred = cchardet.detect(header) if inferred and inferred['confidence'] > 0.8: decoded_headers.append(header.decode(inferred['encoding'])) else: decoded_headers.append(header.decode('iso-8859-1')) elif all([(char & 128 == 0) for char in header]): decoded_headers.append(header.decode('us-ascii')) elif isUTF8Strict(header): decoded_headers.append(header.decode('utf-8')) else: decoded_headers.append(header.decode('iso-8859-1')) return decoded_headers
decode_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(header_list):\n decoded_headers = []\n for header in header_list:\n if cchardet:\n inferred = cchardet.detect(header)\n if i...
def x(fp, _class=http.client.HTTPMessage): headers = [] while True: line = fp.readline(http.client._MAXLINE + 1) if len(line) > http.client._MAXLINE: raise http.client.LineTooLong('header line') headers.append(line) if len(headers) > http.client._MAXHEADERS: raise HTTPException('got more than %d headers' % http.client. _MAXHEADERS) if line in (b'\r\n', b'\n', b''): break decoded_headers = decode_headers(headers) hstring = ''.join(decoded_headers) return email.parser.Parser(_class=_class).parsestr(hstring)
parse_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fp, _class=http.client.HTTPMessage):\n headers = []\n while True:\n line = fp.readline(http.client._MAXLINE + 1)\n if len(line) > http.clie...
def x(tool, slug, config_loader, prompt=lambda included, excluded: True): check_dependencies() org, (included, excluded) = connect(slug, config_loader) with authenticate(org) as user, prepare(tool, slug, user, included): if prompt(included, excluded): return upload(slug, user, tool) else: raise Error(_('No files were submitted.'))
push
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tool, slug, config_loader, prompt=lambda included, excluded: True):\n check_dependencies()\n org, (included, excluded) = connect(slug, config_loader)\n ...
def x(tool, slug, config_loader, offline=False): slug = Slug(slug, offline=offline) local_path = Path(LOCAL_PATH).expanduser() / slug.org / slug.repo git = Git(f'-C {shlex.quote(str(local_path))}') if not local_path.exists(): _run(Git()(f'init {shlex.quote(str(local_path))}')) _run(git( f'remote add origin https://github.com/{slug.org}/{slug.repo}')) if not offline: _run(git(f'fetch origin {slug.branch}')) _run(git(f'checkout -f -B {slug.branch} origin/{slug.branch}')) _run(git(f'reset --hard HEAD')) problem_path = (local_path / slug.problem).absolute() if not problem_path.exists(): raise InvalidSlugError(_('{} does not exist at {}/{}').format(slug. problem, slug.org, slug.repo)) try: with open(problem_path / '.cs50.yaml') as f: try: config = config_loader.load(f.read()) except InvalidConfigError: raise InvalidSlugError(_( 'Invalid slug for {}. Did you mean something else?'). format(tool)) except FileNotFoundError: raise InvalidSlugError(_('Invalid slug. Did you mean something else?')) return problem_path
local
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tool, slug, config_loader, offline=False):\n slug = Slug(slug, offline=offline)\n local_path = Path(LOCAL_PATH).expanduser() / slug.org / slug.repo\n ...
def x(files, name=''): with tempfile.TemporaryDirectory() as dir: dir = Path(Path(dir) / name) dir.mkdir(exist_ok=True) for f in files: dest = (dir / f).absolute() dest.parent.mkdir(parents=True, exist_ok=True) shutil.copy(f, dest) yield dir
working_area
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, name=''):\n with tempfile.TemporaryDirectory() as dir:\n dir = Path(Path(dir) / name)\n dir.mkdir(exist_ok=True)\n for f in file...
def x(dest): origin = os.getcwd() try: os.chdir(dest) yield dest finally: os.chdir(origin)
cd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dest):\n origin = os.getcwd()\n try:\n os.chdir(dest)\n yield dest\n finally:\n os.chdir(origin)\n", "role": "user" }, { ...
def x(patterns, require_tags=('require',), include_tags=('include',), exclude_tags=('exclude',), root='.', always_exclude=('**/.git*', '**/.lfs*', '**/.c9*', '**/.~c9*')): require_tags = list(require_tags) include_tags = list(include_tags) exclude_tags = list(exclude_tags) for tags in [require_tags, include_tags, exclude_tags]: for i, tag in enumerate(tags): tags[i] = tag if tag.startswith('!') else '!' + tag with cd(root): included = _glob('*') excluded = set() if patterns: missing_files = [] for pattern in patterns: if pattern.tag in require_tags: file = str(Path(pattern.value)) if not Path(file).exists(): missing_files.append(file) else: try: excluded.remove(file) except KeyError: pass else: included.add(file) elif pattern.tag in include_tags: new_included = _glob(pattern.value) excluded -= new_included included.update(new_included) elif pattern.tag in exclude_tags: new_excluded = _glob(pattern.value) included -= new_excluded excluded.update(new_excluded) if missing_files: raise MissingFilesError(missing_files) for line in always_exclude: included -= _glob(line) invalid = set() for file in included: try: file.encode('utf8') except UnicodeEncodeError: excluded.add(file.encode('utf8', 'replace').decode()) invalid.add(file) included -= invalid return included, excluded
files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(patterns, require_tags=('require',), include_tags=('include',),\n exclude_tags=('exclude',), root='.', always_exclude=('**/.git*',\n '**/.lfs*', '**/.c9*...
def x(slug, config_loader): with ProgressBar(_('Connecting')): slug = Slug(slug) try: config = config_loader.load(_get_content(slug.org, slug.repo, slug.branch, slug.problem / '.cs50.yaml')) except InvalidConfigError: raise InvalidSlugError(_( 'Invalid slug for {}. Did you mean something else?').format (config_loader.tool)) print('WTF!!!!', config) if not config: raise InvalidSlugError(_( 'Invalid slug for {}. Did you mean something else?').format (config_loader.tool)) if not isinstance(config, dict): config = {} org = config.get('org', config_loader.tool) included, excluded = files(config.get('files')) if not included: raise Error(_( 'No files in this directory are expected for submission.')) return org, (included, excluded)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(slug, config_loader):\n with ProgressBar(_('Connecting')):\n slug = Slug(slug)\n try:\n config = config_loader.load(_get_content(sl...
def x(org): with ProgressBar(_('Authenticating')) as progress_bar: user = _authenticate_ssh(org) progress_bar.stop() if user is None: with _authenticate_https(org) as user: yield user else: yield user
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(org):\n with ProgressBar(_('Authenticating')) as progress_bar:\n user = _authenticate_ssh(org)\n progress_bar.stop()\n if user is None:...
def x(tool, branch, user, included): with ProgressBar(_('Preparing')) as progress_bar, working_area(included ) as area: Git.working_area = f'-C {area}' git = Git(Git.working_area) try: _run(git.set(Git.cache)(f'clone --bare {user.repo} .git')) except Error: raise Error(_( "Looks like {} isn't enabled for your account yet. Go to https://cs50.me/authorize and make sure you accept any pending invitations!" .format(tool))) _run(git('config --bool core.bare false')) _run(git(f'config --path core.worktree {area}')) try: _run(git('checkout --force {} .gitattributes'.format(branch))) except Error: pass _run(git(f'config user.email {shlex.quote(user.email)}')) _run(git(f'config user.name {shlex.quote(user.name)}')) _run(git(f'symbolic-ref HEAD refs/heads/{branch}')) for f in included: _run(git(f'add {f}')) if Path('.gitattributes').exists() and '.gitattributes' in included: included.remove('.gitattributes') _lfs_add(included, git) progress_bar.stop() yield
prepare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tool, branch, user, included):\n with ProgressBar(_('Preparing')) as progress_bar, working_area(included\n ) as area:\n Git.working_area = f'-...
def x(branch, user, tool): with ProgressBar(_('Uploading')): language = os.environ.get('LANGUAGE') commit_message = [_('automated commit by {}').format(tool)] if language: commit_message.append(f'[{language}]') commit_message = ' '.join(commit_message) git = Git(Git.working_area) _run(git(f'commit -m {shlex.quote(commit_message)} --allow-empty')) _run(git.set(Git.cache)(f'push origin {branch}')) commit_hash = _run(git('rev-parse HEAD')) return user.name, commit_hash
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(branch, user, tool):\n with ProgressBar(_('Uploading')):\n language = os.environ.get('LANGUAGE')\n commit_message = [_('automated commit by {}...
def x(): if not shutil.which('git'): raise Error(_("You don't have git. Install git, then re-run!")) version = subprocess.check_output(['git', '--version']).decode('utf-8') matches = re.search('^git version (\\d+\\.\\d+\\.\\d+).*$', version) if not matches or pkg_resources.parse_version(matches.group(1) ) < pkg_resources.parse_version('2.7.0'): raise Error(_( 'You have an old version of git. Install version 2.7 or later, then re-run!' ))
check_dependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if not shutil.which('git'):\n raise Error(_(\"You don't have git. Install git, then re-run!\"))\n version = subprocess.check_output(['git', '...
def x(command, quiet=False, timeout=None): try: with _spawn(command, quiet, timeout) as child: command_output = child.read().strip().replace('\r\n', '\n') except pexpect.TIMEOUT: logger.info(f'command {command} timed out') raise Error() return command_output
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, quiet=False, timeout=None):\n try:\n with _spawn(command, quiet, timeout) as child:\n command_output = child.read().strip().repla...
def x(pattern, skip_dirs=False): if '/' not in pattern and pattern.startswith('*'): files = glob.glob(f'**/{pattern}', recursive=True) else: files = glob.glob(pattern, recursive=True) all_files = set() for file in files: if os.path.isdir(file) and not skip_dirs: all_files.update(set(f for f in _glob(f'{file}/**/*', skip_dirs =True) if not os.path.isdir(f))) else: all_files.add(file) return {str(Path(f)) for f in all_files}
glob
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern, skip_dirs=False):\n if '/' not in pattern and pattern.startswith('*'):\n files = glob.glob(f'**/{pattern}', recursive=True)\n else:\n ...
def x(org, repo, branch, filepath): url = 'https://github.com/{}/{}/raw/{}/{}'.format(org, repo, branch, filepath) r = requests.get(url) if not r.ok: if r.status_code == 404: raise InvalidSlugError(_( 'Invalid slug. Did you mean to submit something else?')) else: raise Error(_('Could not connect to GitHub.')) return r.content
get_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(org, repo, branch, filepath):\n url = 'https://github.com/{}/{}/raw/{}/{}'.format(org, repo, branch,\n filepath)\n r = requests.get(url)\n if n...
def x(files, git): larges, huges = [], [] for file in files: size = os.path.getsize(file) if size > 100 * 1024 * 1024: larges.append(file) elif size > 2 * 1024 * 1024 * 1024: huges.append(file) if huges: raise Error(_( """These files are too large to be submitted: {} Remove these files from your directory and then re-run {}!""" ).format('\n'.join(huges), org)) if larges: if not shutil.which('git-lfs'): raise Error(_( """These files are too large to be submitted: {} Install git-lfs (or remove these files from your directory) and then re-run!""" ).format('\n'.join(larges))) _run(git('lfs install --local')) _run(git('config credential.helper cache')) for large in larges: _run(git('rm --cached {}'.format(shlex.quote(large)))) _run(git('lfs track {}'.format(shlex.quote(large)))) _run(git('add {}'.format(shlex.quote(large)))) _run(git('add --force .gitattributes'))
lfs_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, git):\n larges, huges = [], []\n for file in files:\n size = os.path.getsize(file)\n if size > 100 * 1024 * 1024:\n large...
def x(org): username = os.environ.get(f'{org.upper()}_USERNAME') child = pexpect.spawn('ssh -T git@github.com', encoding='utf8') i = child.expect(["Hi (.+)! You've successfully authenticated", 'Enter passphrase for key', 'Permission denied', 'Are you sure you want to continue connecting']) child.close() if i == 0: if username is None: username = child.match.groups()[0] else: return None return User(name=username, repo=f'git@github.com:{org}/{username}')
authenticate_ssh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(org):\n username = os.environ.get(f'{org.upper()}_USERNAME')\n child = pexpect.spawn('ssh -T git@github.com', encoding='utf8')\n i = child.expect([\"H...
def x(org): _CREDENTIAL_SOCKET.parent.mkdir(mode=448, exist_ok=True) try: Git.cache = ( f"-c credential.helper= -c credential.helper='cache --socket {_CREDENTIAL_SOCKET}'" ) git = Git(Git.cache) with _spawn(git('credential fill'), quiet=True) as child: child.sendline('protocol=https') child.sendline('host=github.com') child.sendline('') i = child.expect(["Username for '.+'", "Password for '.+'", 'username=([^\r]+)\r\npassword=([^\r]+)\r\n']) if i == 2: username, password = child.match.groups() else: username = password = None child.close() child.exitstatus = 0 if password is None: username = _prompt_username(_('GitHub username: ')) password = _prompt_password(_('GitHub password: ')) res = requests.get('https://api.github.com/user', auth=(username, password)) if 'X-GitHub-OTP' in res.headers: raise Error( 'Looks like you have two-factor authentication enabled! Please generate a personal access token and use it as your password. See https://help.github.com/articles/creating-a-personal-access-token-for-the-command-line for more info.' ) if res.status_code != 200: logger.info(res.headers) logger.info(res.text) raise Error(_('Invalid username and/or password.') if res. status_code == 401 else _('Could not authenticate user.')) username = res.json()['login'] with _spawn(git( '-c credentialcache.ignoresighup=true credential approve'), quiet=True) as child: child.sendline('protocol=https') child.sendline('host=github.com') child.sendline(f'path={org}/{username}') child.sendline(f'username={username}') child.sendline(f'password={password}') child.sendline('') yield User(name=username, repo= f'https://{username}@github.com/{org}/{username}') except BaseException: logout() raise
authenticate_https
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(org):\n _CREDENTIAL_SOCKET.parent.mkdir(mode=448, exist_ok=True)\n try:\n Git.cache = (\n f\"-c credential.helper= -c credential.helper...
def x(prompt='Username: ', prefill=None): if prefill: readline.set_startup_hook(lambda : readline.insert_text(prefill)) try: return input(prompt).strip() except EOFError: print() finally: readline.set_startup_hook()
prompt_username
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prompt='Username: ', prefill=None):\n if prefill:\n readline.set_startup_hook(lambda : readline.insert_text(prefill))\n try:\n return input...
def x(prompt='Password: '): fd = sys.stdin.fileno() old_settings = termios.tcgetattr(fd) tty.setraw(fd) print(prompt, end='', flush=True) password = [] try: while True: ch = sys.stdin.buffer.read(1)[0] if ch in (ord('\r'), ord('\n'), 4): print('\r') break elif ch == 127: try: password.pop() except IndexError: pass else: print('\x08 \x08', end='', flush=True) elif ch == 3: print('^C', end='', flush=True) raise KeyboardInterrupt else: password.append(ch) print('*', end='', flush=True) finally: termios.tcsetattr(fd, termios.TCSADRAIN, old_settings) return bytes(password).decode()
prompt_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prompt='Password: '):\n fd = sys.stdin.fileno()\n old_settings = termios.tcgetattr(fd)\n tty.setraw(fd)\n print(prompt, end='', flush=True)\n pa...
def x(self): if self.slug.startswith('/') and self.slug.endswith('/'): raise InvalidSlugError(_( 'Invalid slug. Did you mean {}, without the leading and trailing slashes?' .format(self.slug.strip('/')))) elif self.slug.startswith('/'): raise InvalidSlugError(_( 'Invalid slug. Did you mean {}, without the leading slash?'. format(self.slug.strip('/')))) elif self.slug.endswith('/'): raise InvalidSlugError(_( 'Invalid slug. Did you mean {}, without the trailing slash?'. format(self.slug.strip('/'))))
check_endings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.slug.startswith('/') and self.slug.endswith('/'):\n raise InvalidSlugError(_(\n 'Invalid slug. Did you mean {}, without t...
def x(self): if self.offline: local_path = Path(LOCAL_PATH).expanduser() / self.org / self.repo get_refs = f'git -C {shlex.quote(str(local_path))} show-ref --heads' else: get_refs = ( f'git ls-remote --heads https://github.com/{self.org}/{self.repo}') try: return (line.split()[1].replace('refs/heads/', '') for line in _run (get_refs, timeout=3).split('\n')) except Error: return []
get_branches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.offline:\n local_path = Path(LOCAL_PATH).expanduser() / self.org / self.repo\n get_refs = f'git -C {shlex.quote(str(local_pat...
def x(self): if self._progressing: self._progressing = False self._thread.join()
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._progressing:\n self._progressing = False\n self._thread.join()\n", "role": "user" }, { "content": "stop", "r...
def x(path, protocol=None, hosts=None): protocol = 'https://' if not protocol else protocol host = hosts[random.randrange(len(hosts))] if hosts else 'archive.org' return protocol + host + path.strip()
make_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, protocol=None, hosts=None):\n protocol = 'https://' if not protocol else protocol\n host = hosts[random.randrange(len(hosts))] if hosts else 'archi...
def x(identifiers, protocol=None, hosts=None): for identifier in identifiers: path = '/metadata/{}'.format(identifier) url = make_url(path, protocol, hosts) yield url
metadata_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(identifiers, protocol=None, hosts=None):\n for identifier in identifiers:\n path = '/metadata/{}'.format(identifier)\n url = make_url(path, pr...
def x(request): if lang_direction.rtl_langs is None: lang_direction.rtl_langs = getattr(settings, 'RTL_LANGUAGES', set()) return {'lang_direction': 'rtl' if request.LANGUAGE_CODE in lang_direction.rtl_langs else 'ltr'}
lang_direction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if lang_direction.rtl_langs is None:\n lang_direction.rtl_langs = getattr(settings, 'RTL_LANGUAGES', set())\n return {'lang_direction'...
def x(self, **kwargs): path = self._get_path('lists') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
lists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('lists')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return response\n", ...
def x(self, **kwargs): path = self._get_path('movie_lists') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
movie_lists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('movie_lists')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return respons...
def x(self, **kwargs): path = self._get_path('movies_box_office') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
movies_box_office
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('movies_box_office')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return r...
def x(self, **kwargs): path = self._get_path('movies_in_theaters') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
movies_in_theaters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('movies_in_theaters')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return ...
def x(self, **kwargs): path = self._get_path('movies_opening') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
movies_opening
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('movies_opening')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return resp...
def x(self, **kwargs): path = self._get_path('movies_upcoming') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
movies_upcoming
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('movies_upcoming')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return res...
def x(self, **kwargs): path = self._get_path('dvd_lists') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
dvd_lists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('dvd_lists')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return response\...
def x(self, **kwargs): path = self._get_path('dvds_top_rentals') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
dvds_top_rentals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('dvds_top_rentals')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return re...
def x(self, **kwargs): path = self._get_path('dvds_current_releases') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
dvds_current_releases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('dvds_current_releases')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n retu...
def x(self, **kwargs): path = self._get_path('dvds_new_releases') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
dvds_new_releases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('dvds_new_releases')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return r...
def x(self, **kwargs): path = self._get_path('dvds_upcoming') response = self._GET(path, kwargs) self._set_attrs_to_values(response) return response
dvds_upcoming
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = self._get_path('dvds_upcoming')\n response = self._GET(path, kwargs)\n self._set_attrs_to_values(response)\n return respo...
def x(code): def x(n): return eval("u'\\U%08X'" % n) def x(n): try: return unichr(n) except ValueError: warnings.warn( "Your python it built as narrow python. Make with '--enable-unicode=ucs4' configure option to build wide python" ) return utf32chr(n) if code and isinstance(code, basestring): clean_code = code.replace('>', '') if clean_code: return u''.join([lazy_unichr(int(code_char, 16)) for code_char in clean_code.split('+') if code_char]) return None
code_to_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code):\n\n def x(n):\n return eval(\"u'\\\\U%08X'\" % n)\n\n def x(n):\n try:\n return unichr(n)\n except ValueError:\n ...
def x(code): if code and isinstance(code, basestring): clean_code = code.replace('>', '') if clean_code: _code_to_sjis_char = lambda c: ''.join([chr(int('%c%c' % (a, b), 16)) for a, b in izip(c[0::2], c[1::2])]) return ''.join([_code_to_sjis_char(code_char) for code_char in clean_code.split('+') if code_char]) return None
code_to_sjis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code):\n if code and isinstance(code, basestring):\n clean_code = code.replace('>', '')\n if clean_code:\n _code_to_sjis_char = lam...
def x(symbols): pattern_unicode = [] pattern_google = [] pattern_docomo = [] pattern_kddi = [] pattern_softbank = [] for x in symbols: if x.unicode.code: pattern_unicode.append(re.escape(unicode(x.unicode))) if x.google.code: pattern_google.append(re.escape(unicode(x.google))) if x.docomo.code: pattern_docomo.append(re.escape(unicode(x.docomo))) if x.kddi.code: pattern_kddi.append(re.escape(unicode(x.kddi))) if x.softbank.code: pattern_softbank.append(re.escape(unicode(x.softbank))) pattern_unicode = re.compile(u'%s' % u'|'.join(pattern_unicode)) pattern_google = re.compile(u'%s' % u'|'.join(pattern_google)) pattern_docomo = re.compile(u'%s' % u'|'.join(pattern_docomo)) pattern_kddi = re.compile(u'%s' % u'|'.join(pattern_kddi)) pattern_softbank = re.compile(u'%s' % u'|'.join(pattern_softbank)) return {'text': (None, pattern_unicode), 'docomo_img': (None, pattern_unicode), 'kddi_img': (None, pattern_unicode), 'softbank_img': (None, pattern_unicode), 'google': (pattern_google, pattern_unicode), 'docomo': (pattern_docomo, pattern_unicode), 'kddi': (pattern_kddi, pattern_unicode), 'softbank': ( pattern_softbank, pattern_unicode)}
create_regex_patterns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(symbols):\n pattern_unicode = []\n pattern_google = []\n pattern_docomo = []\n pattern_kddi = []\n pattern_softbank = []\n for x in symbols:\...
def x(symbols): unicode_to_text = {} unicode_to_docomo_img = {} unicode_to_kddi_img = {} unicode_to_softbank_img = {} unicode_to_google = {} unicode_to_docomo = {} unicode_to_kddi = {} unicode_to_softbank = {} google_to_unicode = {} docomo_to_unicode = {} kddi_to_unicode = {} softbank_to_unicode = {} for x in symbols: if x.unicode.keyable: unicode_to_text[unicode(x.unicode)] = x.unicode.fallback unicode_to_docomo_img[unicode(x.unicode)] = x.docomo.thumbnail unicode_to_kddi_img[unicode(x.unicode)] = x.kddi.thumbnail unicode_to_softbank_img[unicode(x.unicode)] = x.softbank.thumbnail unicode_to_google[unicode(x.unicode)] = unicode(x.google) unicode_to_docomo[unicode(x.unicode)] = unicode(x.docomo) unicode_to_kddi[unicode(x.unicode)] = unicode(x.kddi) unicode_to_softbank[unicode(x.unicode)] = unicode(x.softbank) if x.google.keyable: google_to_unicode[unicode(x.google)] = unicode(x.unicode) if x.docomo.keyable: docomo_to_unicode[unicode(x.docomo)] = unicode(x.unicode) if x.kddi.keyable: kddi_to_unicode[unicode(x.kddi)] = unicode(x.unicode) if x.softbank.keyable: softbank_to_unicode[unicode(x.softbank)] = unicode(x.unicode) return {'text': (None, unicode_to_text), 'docomo_img': (None, unicode_to_docomo_img), 'kddi_img': (None, unicode_to_kddi_img), 'softbank_img': (None, unicode_to_softbank_img), 'google': ( google_to_unicode, unicode_to_google), 'docomo': (docomo_to_unicode, unicode_to_docomo), 'kddi': (kddi_to_unicode, unicode_to_kddi), 'softbank': (softbank_to_unicode, unicode_to_softbank)}
create_translate_dictionaries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(symbols):\n unicode_to_text = {}\n unicode_to_docomo_img = {}\n unicode_to_kddi_img = {}\n unicode_to_softbank_img = {}\n unicode_to_google = {}...
def x(apikey, checksums): data = {'apikey': apikey, 'resource': isinstance(checksums, str) and checksums or ', '.join(checksums)} while 1: response = requests.post(VT_REPORT_URL, data=data) response.raise_for_status() if response.status_code == 200: return response.json() elif response.status_code == 204: logging.debug('API key request rate limit reached, throttling.') time.sleep(VT_THROTTLE) else: raise RuntimeError('Response status code %s' % response.status_code )
vtquery
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apikey, checksums):\n data = {'apikey': apikey, 'resource': isinstance(checksums, str) and\n checksums or ', '.join(checksums)}\n while 1:\n ...
def x(iterable, size=1): iterator = iter(iterable) for element in iterator: yield chain([element], islice(iterator, size - 1))
chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, size=1):\n iterator = iter(iterable)\n for element in iterator:\n yield chain([element], islice(iterator, size - 1))\n", "role": "us...
def x(self, filetypes=None): self.logger.debug('Scanning FS content.') checksums = self.filetype_filter(self._filesystem.checksums('/'), filetypes=filetypes) self.logger.debug('Querying %d objects to VTotal.', len(checksums)) for files in chunks(checksums, size=self.batchsize): files = dict(reversed(e) for e in files) response = vtquery(self._apikey, files.keys()) yield from self.parse_response(files, response)
scan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filetypes=None):\n self.logger.debug('Scanning FS content.')\n checksums = self.filetype_filter(self._filesystem.checksums('/'),\n filetypes...
def x(train_perc, class_sizes, stratified=True): size_per_class = np.int64(np.around(train_perc * class_sizes)) if stratified: print( 'Different classes in training set are stratified to match smallest class!' ) size_per_class = np.minimum(np.min(size_per_class), size_per_class) reduced_sizes = np.unique(size_per_class) if len(reduced_sizes) != 1: raise ValueError( 'Error in stratification of training set based on smallest class!' ) total_test_samples = np.int64(np.sum(class_sizes) - sum(size_per_class)) return size_per_class, total_test_samples
compute_training_sizes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(train_perc, class_sizes, stratified=True):\n size_per_class = np.int64(np.around(train_perc * class_sizes))\n if stratified:\n print(\n ...
def x(self, dataset_spec): for idx, ds in enumerate(dataset_spec): self.append(ds, idx)
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset_spec):\n for idx, ds in enumerate(dataset_spec):\n self.append(ds, idx)\n", "role": "user" }, { "content": "load", "rol...
def x(self, dataset, identifier): dataset = dataset if isinstance(dataset, MLDataset) else MLDataset(dataset) if not self._is_init: self._ids = set(dataset.keys) self._classes = dataset.classes self._class_sizes = dataset.class_sizes self._num_samples = len(self._ids) self._modalities[identifier] = dataset.data self._num_features.append(dataset.num_features) self._dataset = copy(dataset) self._dataset.data = {id_: np.zeros(1) for id_ in self._ids} self._is_init = True else: if set(dataset.keys) != self._ids: raise ValueError( 'Differing set of IDs in two datasets.Unable to add this dataset to the MultiDataset.' ) if dataset.classes != self._classes: raise ValueError('Classes for IDs differ in the two datasets.') if identifier not in self._modalities: self._modalities[identifier] = dataset.data self._num_features.append(dataset.num_features) else: raise KeyError('{} already exists in MultiDataset'.format( identifier)) self._modality_count += 1
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset, identifier):\n dataset = dataset if isinstance(dataset, MLDataset) else MLDataset(dataset)\n if not self._is_init:\n self._ids = se...
def x(self, train_perc=0.7, num_rep=50, stratified=True, return_ids_only= False, format='MLDataset'): ids_in_class = {cid: self._dataset.sample_ids_in_class(cid) for cid in self._class_sizes.keys()} sizes_numeric = np.array([len(ids_in_class[cid]) for cid in ids_in_class.keys()]) size_per_class, total_test_count = compute_training_sizes(train_perc, sizes_numeric, stratified=stratified) if len(self._class_sizes) != len(size_per_class): raise ValueError('size spec differs in num elements with class sizes!') for rep in range(num_rep): print('rep {}'.format(rep)) train_set = list() for index, (cls_id, class_size) in enumerate(self._class_sizes.items() ): random.shuffle(ids_in_class[cls_id]) subset_size = max(0, min(class_size, size_per_class[index])) if subset_size < 1 or class_size < 1: warnings.warn('No subjects from class {} were selected.'. format(cls_id)) else: subsets_this_class = ids_in_class[cls_id][0:size_per_class[ index]] train_set.extend(subsets_this_class) test_set = list(self._ids - set(train_set)) if return_ids_only: yield tuple(train_set), tuple(test_set) else: yield self._get_data(train_set, format), self._get_data(test_set, format)
holdout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, train_perc=0.7, num_rep=50, stratified=True, return_ids_only=\n False, format='MLDataset'):\n ids_in_class = {cid: self._dataset.sample_ids_in_clas...
def x(self, id_list, format='MLDataset'): format = format.lower() features = list() for modality, data in self._modalities.items(): if format in ('ndarray', 'data_matrix'): subset = np.array(itemgetter(*id_list)(data)) elif format in ('mldataset', 'pyradigm'): subset = self._dataset.get_subset(id_list) subset.data = {id_: data[id_] for id_ in id_list} else: raise ValueError( 'Invalid output format - choose only one of MLDataset or data_matrix' ) features.append(subset) return features
get_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id_list, format='MLDataset'):\n format = format.lower()\n features = list()\n for modality, data in self._modalities.items():\n if format...
def x(options, index_urls, session): return PackageFinder(find_links=options.get('find_links'), index_urls= index_urls, allow_all_prereleases=options.get('pre'), trusted_hosts =options.get('trusted_hosts'), session=session)
build_package_finder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options, index_urls, session):\n return PackageFinder(find_links=options.get('find_links'), index_urls=\n index_urls, allow_all_prereleases=options.g...
def x(cls, dist, latest_version): scheme = get_scheme('default') name = dist.project_name dependants = cls.get_dependants(name) for dependant in dependants: requires = dependant.requires() for requirement in cls.get_requirement(name, requires): req = parse_requirement(requirement) try: matcher = scheme.matcher(req.requirement) except UnsupportedVersionError: continue if not matcher.match(str(latest_version)): return False return True
can_be_updated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dist, latest_version):\n scheme = get_scheme('default')\n name = dist.project_name\n dependants = cls.get_dependants(name)\n for dependant in ...
def x(cls, dist): for package in cls.installed_distributions: for requirement_package in package.requires(): requirement_name = requirement_package.project_name if requirement_name.lower() == dist.lower(): yield package
get_dependants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dist):\n for package in cls.installed_distributions:\n for requirement_package in package.requires():\n requirement_name = requiremen...
def x(name, requires): for require in requires: if name.lower() == require.project_name.lower() and require.specs: safe_name = require.project_name.replace('-', '_') yield '%s (%s)' % (safe_name, require.specifier)
get_requirement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, requires):\n for require in requires:\n if name.lower() == require.project_name.lower() and require.specs:\n safe_name = require.pro...
def x(dist): if dist_is_editable(dist): return '%s (%s, %s)' % (dist.project_name, dist.version, dist.location) return '%s (%s)' % (dist.project_name, dist.version)
output_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dist):\n if dist_is_editable(dist):\n return '%s (%s, %s)' % (dist.project_name, dist.version, dist.location)\n return '%s (%s)' % (dist.project_n...
def x(cls, options): latest_versions = sorted(cls.find_packages_latest_versions(cls.options), key=lambda p: p[0].project_name.lower()) for dist, latest_version, typ in latest_versions: if latest_version > dist.parsed_version: if options.all: pass elif options.pinned: if cls.can_be_updated(dist, latest_version): continue elif not options.pinned: if not cls.can_be_updated(dist, latest_version): continue elif options.update: print(dist.project_name if options.brief else 'Updating %s to Latest: %s [%s]' % (cls. output_package(dist), latest_version, typ)) main(['install', '--upgrade'] + (['--user'] if ENABLE_USER_SITE else []) + [dist.key]) continue print(dist.project_name if options.brief else '%s - Latest: %s [%s]' % (cls.output_package(dist), latest_version, typ))
run_outdated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, options):\n latest_versions = sorted(cls.find_packages_latest_versions(cls.options),\n key=lambda p: p[0].project_name.lower())\n for dist, l...
def x(x): e_x = np.exp(x - np.max(x)) return e_x / e_x.sum(axis=1)[:, None]
softmax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n e_x = np.exp(x - np.max(x))\n return e_x / e_x.sum(axis=1)[:, None]\n", "role": "user" }, { "content": "softmax", "role": "assistan...
def x(self, X, y, eval_set=None): base_estimator = self.base_estimator base_estimator_is_tree = self.base_estimator_is_tree if base_estimator is None: base_estimator = tree.DecisionTreeRegressor(max_depth=1, random_state=self.random_state) base_estimator_is_tree = True if not isinstance(base_estimator, base.RegressorMixin): raise ValueError('base_estimator must be a RegressorMixin') loss = self.loss or self._default_loss self.init_estimator_ = base.clone(self.init_estimator or loss. default_init_estimator) eval_metric = self.eval_metric or loss line_searcher = self.line_searcher if line_searcher is None and base_estimator_is_tree: line_searcher = loss.tree_line_searcher self._rng = utils.check_random_state(self.random_state) if y.ndim == 1: y = y.reshape(-1, 1) self.estimators_ = [] self.line_searchers_ = [] self.columns_ = [] self.eval_scores_ = [] if eval_set else None self.init_estimator_.fit(X, y) y_pred = self.init_estimator_.predict(X) for _ in range(self.n_estimators): rows = None if self.row_sampling < 1: n_rows = int(X.shape[0] * self.row_sampling) rows = self._rng.choice(X.shape[0], n_rows, replace=False) cols = None if self.col_sampling < 1: n_cols = int(X.shape[1] * self.col_sampling) cols = self._rng.choice(X.shape[1], n_cols, replace=False) X_fit = X if rows is not None: X_fit = X_fit[rows, :] if cols is not None: X_fit = X_fit[:, cols] gradients = loss.gradient(y, self._transform_y_pred(y_pred)) estimators = [] line_searchers = [] for i, gradient in enumerate(gradients.T): estimator = base.clone(base_estimator) estimator = estimator.fit(X_fit, -gradient if rows is None else -gradient[rows]) estimators.append(estimator) direction = estimator.predict(X if cols is None else X[:, cols]) if line_searcher: ls = copy.copy(line_searcher) ls = ls.fit(y[:, i], y_pred[:, i], gradient, direction) line_searchers.append(ls) direction = ls.update(direction) y_pred[:, i] += self.learning_rate * direction self.estimators_.append(estimators) if line_searchers: self.line_searchers_.append(line_searchers) self.columns_.append(cols) if not eval_set: continue X_val, y_val = eval_set self.eval_scores_.append(eval_metric(y_val, self.predict(X_val))) if self.early_stopping_rounds and len(self.eval_scores_ ) > self.early_stopping_rounds: if self.eval_scores_[-1] > self.eval_scores_[-(self. early_stopping_rounds + 1)]: break return self
fit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, y, eval_set=None):\n base_estimator = self.base_estimator\n base_estimator_is_tree = self.base_estimator_is_tree\n if base_estimator is None:...
def x(self, X, include_init=False): utils.validation.check_is_fitted(self, 'init_estimator_') X = utils.check_array(X, accept_sparse=['csr', 'csc'], dtype=None, force_all_finite=False) y_pred = self.init_estimator_.predict(X) if include_init: yield y_pred for estimators, line_searchers, cols in itertools.zip_longest(self. estimators_, self.line_searchers_, self.columns_): for i, (estimator, line_searcher) in enumerate(itertools. zip_longest(estimators, line_searchers or [])): if cols is None: direction = estimator.predict(X) else: direction = estimator.predict(X[:, cols]) if line_searcher: direction = line_searcher.update(direction) y_pred[:, i] += self.learning_rate * direction yield y_pred
iter_predict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, include_init=False):\n utils.validation.check_is_fitted(self, 'init_estimator_')\n X = utils.check_array(X, accept_sparse=['csr', 'csc'], dtype=...
def x(self, X): return collections.deque(self.iter_predict(X), maxlen=1).pop()
predict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X):\n return collections.deque(self.iter_predict(X), maxlen=1).pop()\n", "role": "user" }, { "content": "predict", "role": "assistant"...
def x(self, X, include_init=False): utils.validation.check_is_fitted(self, 'init_estimator_') X = utils.check_array(X, accept_sparse=['csr', 'csc'], dtype=None, force_all_finite=False) probas = np.empty(shape=(len(X), len(self.classes_)), dtype=np.float64) for y_pred in super().iter_predict(X, include_init=include_init): if len(self.classes_) == 2: probas[:, 1] = sigmoid(y_pred[:, 0]) probas[:, 0] = 1.0 - probas[:, 1] else: probas[:] = softmax(y_pred) yield probas
iter_predict_proba
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, include_init=False):\n utils.validation.check_is_fitted(self, 'init_estimator_')\n X = utils.check_array(X, accept_sparse=['csr', 'csc'], dtype=...
def x(self, X, include_init=False): for probas in self.iter_predict_proba(X, include_init=include_init): yield self.encoder_.inverse_transform(np.argmax(probas, axis=1))
iter_predict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, include_init=False):\n for probas in self.iter_predict_proba(X, include_init=include_init):\n yield self.encoder_.inverse_transform(np.argma...
def x(self, X): return collections.deque(self.iter_predict_proba(X), maxlen=1).pop()
predict_proba
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X):\n return collections.deque(self.iter_predict_proba(X), maxlen=1).pop()\n", "role": "user" }, { "content": "predict_proba", "role":...
def x(self, attrs): id = attrs[0] classes = attrs[1] kvs = OrderedDict(attrs[2]) return id, classes, kvs
parse_pandoc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attrs):\n id = attrs[0]\n classes = attrs[1]\n kvs = OrderedDict(attrs[2])\n return id, classes, kvs\n", "role": "user" }, { "con...
def x(self, attr_string): attr_string = attr_string.strip('{}') splitter = re.compile(self.split_regex(separator=self.spnl)) attrs = splitter.split(attr_string)[1::2] if len(attrs) == 1 and not attr_string.startswith(('#', '.') ) and '=' not in attr_string: return '', [attr_string], OrderedDict() try: id = [a[1:] for a in attrs if a.startswith('#')][0] except IndexError: id = '' classes = [a[1:] for a in attrs if a.startswith('.')] special = ['unnumbered' for a in attrs if a == '-'] classes.extend(special) kvs = OrderedDict(a.split('=', 1) for a in attrs if '=' in a) return id, classes, kvs
parse_markdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attr_string):\n attr_string = attr_string.strip('{}')\n splitter = re.compile(self.split_regex(separator=self.spnl))\n attrs = splitter.split(at...
def x(self, attr_string): splitter = re.compile(self.split_regex(separator=self.spnl)) attrs = splitter.split(attr_string)[1::2] idre = re.compile('id=["\']?([\\w ]*)[\'"]?') clsre = re.compile('class=["\']?([\\w ]*)[\'"]?') id_matches = [idre.search(a) for a in attrs] cls_matches = [clsre.search(a) for a in attrs] try: id = [m.groups()[0] for m in id_matches if m][0] except IndexError: id = '' classes = [m.groups()[0] for m in cls_matches if m][0].split() special = ['unnumbered' for a in attrs if '-' in a] classes.extend(special) kvs = [a.split('=', 1) for a in attrs if '=' in a] kvs = OrderedDict((k, v) for k, v in kvs if k not in ('id', 'class')) return id, classes, kvs
parse_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attr_string):\n splitter = re.compile(self.split_regex(separator=self.spnl))\n attrs = splitter.split(attr_string)[1::2]\n idre = re.compile('id...
def x(self, attrs): attrs = attrs or {} ident = attrs.get('id', '') classes = attrs.get('classes', []) kvs = OrderedDict((k, v) for k, v in attrs.items() if k not in ( 'classes', 'id')) return ident, classes, kvs
parse_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attrs):\n attrs = attrs or {}\n ident = attrs.get('id', '')\n classes = attrs.get('classes', [])\n kvs = OrderedDict((k, v) for k, v in attrs...
def x(self, format='{id} {classes} {kvs}', surround=True): id = '#' + self.id if self.id else '' classes = ' '.join('.' + cls for cls in self.classes) kvs = ' '.join('{}={}'.format(k, v) for k, v in self.kvs.items()) attrs = format.format(id=id, classes=classes, kvs=kvs).strip() if surround: return '{' + attrs + '}' elif not surround: return attrs
to_markdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, format='{id} {classes} {kvs}', surround=True):\n id = '#' + self.id if self.id else ''\n classes = ' '.join('.' + cls for cls in self.classes)\n ...
def x(self): id, classes, kvs = self.id, self.classes, self.kvs id_str = 'id="{}"'.format(id) if id else '' class_str = 'class="{}"'.format(' '.join(classes)) if classes else '' key_str = ' '.join('{}={}'.format(k, v) for k, v in kvs.items()) return ' '.join((id_str, class_str, key_str)).strip()
to_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n id, classes, kvs = self.id, self.classes, self.kvs\n id_str = 'id=\"{}\"'.format(id) if id else ''\n class_str = 'class=\"{}\"'.format(' '.jo...
def x(self): d = {'id': self.id, 'classes': self.classes} d.update(self.kvs) return d
to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d = {'id': self.id, 'classes': self.classes}\n d.update(self.kvs)\n return d\n", "role": "user" }, { "content": "to_dict", "r...
def x(self, callback): self.pending_tx_watchers.append(callback) if len(self.pending_tx_watchers) == 1: eth.filter('pending').watch(self._new_pending_tx)
watch_pending_transactions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback):\n self.pending_tx_watchers.append(callback)\n if len(self.pending_tx_watchers) == 1:\n eth.filter('pending').watch(self._new_pend...
def x(self): if sum(map(len, (self.solid_watchers, self.block_watchers))) == 1: eth.filter('latest').watch(self._new_block)
start_watching_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if sum(map(len, (self.solid_watchers, self.block_watchers))) == 1:\n eth.filter('latest').watch(self._new_block)\n", "role": "user" },...
def x(controller, track_path, log_level=logging.ERROR): rocket = Rocket(controller, track_path=track_path, log_level=log_level) rocket.connector = FilesConnector(track_path, controller=controller, tracks=rocket.tracks) return rocket
from_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(controller, track_path, log_level=logging.ERROR):\n rocket = Rocket(controller, track_path=track_path, log_level=log_level)\n rocket.connector = FilesCon...
def x(controller, project_file, track_path=None, log_level=logging.ERROR): rocket = Rocket(controller, track_path=track_path, log_level=log_level) rocket.connector = ProjectFileConnector(project_file, controller= controller, tracks=rocket.tracks) return rocket
from_project_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(controller, project_file, track_path=None, log_level=logging.ERROR):\n rocket = Rocket(controller, track_path=track_path, log_level=log_level)\n rocket.c...
def x(controller, host=None, port=None, track_path=None, log_level=logging. ERROR): rocket = Rocket(controller, track_path=track_path, log_level=log_level) rocket.connector = SocketConnector(controller=controller, tracks=rocket .tracks, host=host, port=port) return rocket
from_socket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(controller, host=None, port=None, track_path=None, log_level=logging.\n ERROR):\n rocket = Rocket(controller, track_path=track_path, log_level=log_level)...
def x(self, name): return self.tracks.get(name).row_value(self.controller.row)
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n return self.tracks.get(name).row_value(self.controller.row)\n", "role": "user" }, { "content": "value", "role": "assistant" ...
def x(fs0, fs1, concurrent=False): if concurrent: future0 = concurrent_hash_filesystem(fs0) future1 = concurrent_hash_filesystem(fs1) files0 = future0.result() files1 = future1.result() else: files0 = hash_filesystem(fs0) files1 = hash_filesystem(fs1) return file_comparison(files0, files1)
compare_filesystems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs0, fs1, concurrent=False):\n if concurrent:\n future0 = concurrent_hash_filesystem(fs0)\n future1 = concurrent_hash_filesystem(fs1)\n ...
def x(files0, files1): comparison = {'created_files': [], 'deleted_files': [], 'modified_files': []} for path, sha1 in files1.items(): if path in files0: if sha1 != files0[path]: comparison['modified_files'].append({'path': path, 'original_sha1': files0[path], 'sha1': sha1}) else: comparison['created_files'].append({'path': path, 'sha1': sha1}) for path, sha1 in files0.items(): if path not in files1: comparison['deleted_files'].append({'path': path, 'original_sha1': files0[path]}) return comparison
file_comparison
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files0, files1):\n comparison = {'created_files': [], 'deleted_files': [],\n 'modified_files': []}\n for path, sha1 in files1.items():\n if...
def x(filesystem, files, path): extracted_files = {} failed_extractions = {} for file_to_extract in files: source = file_to_extract['path'] destination = Path(path, file_to_extract['sha1']) if not destination.exists(): destination = str(destination) try: filesystem.download(source, destination) extracted_files[file_to_extract['sha1']] = destination except RuntimeError: failed_extractions[file_to_extract['sha1']] = source else: extracted_files[file_to_extract['sha1']] = destination return extracted_files, failed_extractions
extract_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filesystem, files, path):\n extracted_files = {}\n failed_extractions = {}\n for file_to_extract in files:\n source = file_to_extract['path']\n...
def x(fs0, fs1, concurrent=False): hives = compare_hives(fs0, fs1) if concurrent: future0 = concurrent_parse_registries(fs0, hives) future1 = concurrent_parse_registries(fs1, hives) registry0 = future0.result() registry1 = future1.result() else: registry0 = parse_registries(fs0, hives) registry1 = parse_registries(fs1, hives) return registry_comparison(registry0, registry1)
compare_registries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs0, fs1, concurrent=False):\n hives = compare_hives(fs0, fs1)\n if concurrent:\n future0 = concurrent_parse_registries(fs0, hives)\n futur...
def x(registry0, registry1): comparison = {'created_keys': {}, 'deleted_keys': [], 'created_values': {}, 'deleted_values': {}, 'modified_values': {}} for key, info in registry1.items(): if key in registry0: if info[1] != registry0[key][1]: created, deleted, modified = compare_values(registry0[key][ 1], info[1]) if created: comparison['created_values'][key] = info[0], created if deleted: comparison['deleted_values'][key] = info[0], deleted if modified: comparison['modified_values'][key] = info[0], modified else: comparison['created_keys'][key] = info for key in registry0.keys(): if key not in registry1: comparison['deleted_keys'].append(key) return comparison
registry_comparison
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(registry0, registry1):\n comparison = {'created_keys': {}, 'deleted_keys': [], 'created_values':\n {}, 'deleted_values': {}, 'modified_values': {}}\n...
def x(values0, values1): values0 = {v[0]: v[1:] for v in values0} values1 = {v[0]: v[1:] for v in values1} created = [(k, v[0], v[1]) for k, v in values1.items() if k not in values0] deleted = [(k, v[0], v[1]) for k, v in values0.items() if k not in values1] modified = [(k, v[0], v[1]) for k, v in values0.items() if v != values1 .get(k, None)] return created, deleted, modified
compare_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values0, values1):\n values0 = {v[0]: v[1:] for v in values0}\n values1 = {v[0]: v[1:] for v in values1}\n created = [(k, v[0], v[1]) for k, v in valu...
def x(fs0, fs1): registries = [] for path in chain(registries_path(fs0.fsroot), user_registries(fs0, fs1)): if fs0.checksum(path) != fs1.checksum(path): registries.append(path) return registries
compare_hives
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs0, fs1):\n registries = []\n for path in chain(registries_path(fs0.fsroot), user_registries(fs0, fs1)):\n if fs0.checksum(path) != fs1.checksum(...
def x(fs0, fs1): for user in fs0.ls('{}Users'.format(fs0.fsroot)): for path in user_registries_path(fs0.fsroot, user): if fs1.exists(path): yield path
user_registries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs0, fs1):\n for user in fs0.ls('{}Users'.format(fs0.fsroot)):\n for path in user_registries_path(fs0.fsroot, user):\n if fs1.exists(path)...
def x(fs0, fs1, files): for file_meta in files['deleted_files']: file_meta['type'] = fs0.file(file_meta['path']) for file_meta in (files['created_files'] + files['modified_files']): file_meta['type'] = fs1.file(file_meta['path']) return files
files_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs0, fs1, files):\n for file_meta in files['deleted_files']:\n file_meta['type'] = fs0.file(file_meta['path'])\n for file_meta in (files['created_...
def x(fs0, fs1, files): for file_meta in files['deleted_files']: file_meta['size'] = fs0.stat(file_meta['path'])['size'] for file_meta in (files['created_files'] + files['modified_files']): file_meta['size'] = fs1.stat(file_meta['path'])['size'] return files
files_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fs0, fs1, files):\n for file_meta in files['deleted_files']:\n file_meta['size'] = fs0.stat(file_meta['path'])['size']\n for file_meta in (files['...
def x(filesystem, registries): results = {} for path in registries: with NamedTemporaryFile(buffering=0) as tempfile: filesystem.download(path, tempfile.name) registry = RegistryHive(tempfile.name) registry.rootkey = registry_root(path) results.update({k.path: (k.timestamp, k.values) for k in registry.keys()}) return results
parse_registries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filesystem, registries):\n results = {}\n for path in registries:\n with NamedTemporaryFile(buffering=0) as tempfile:\n filesystem.down...
def x(path): path = Path(path) if not path.exists(): path.mkdir(parents=True)
makedirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n path = Path(path)\n if not path.exists():\n path.mkdir(parents=True)\n", "role": "user" }, { "content": "makedirs", "role...
def x(self, concurrent=False, identify=False, size=False): self.logger.debug('Comparing FS contents.') results = compare_filesystems(self.filesystems[0], self.filesystems[1], concurrent=concurrent) if identify: self.logger.debug('Gatering file types.') results = files_type(self.filesystems[0], self.filesystems[1], results) if size: self.logger.debug('Gatering file sizes.') results = files_size(self.filesystems[0], self.filesystems[1], results) return results
compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, concurrent=False, identify=False, size=False):\n self.logger.debug('Comparing FS contents.')\n results = compare_filesystems(self.filesystems[0], s...
def x(self, disk, files, path='.'): self.logger.debug('Extracting files.') extracted_files, failed = self._extract_files(disk, files, path) return {'extracted_files': [f for f in extracted_files.keys()], 'extraction_errors': [f for f in failed.keys()]}
extract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, disk, files, path='.'):\n self.logger.debug('Extracting files.')\n extracted_files, failed = self._extract_files(disk, files, path)\n return {'e...
def x(self, concurrent=False): self.logger.debug('Comparing Windows registries.') self._assert_windows() return compare_registries(self.filesystems[0], self.filesystems[1], concurrent=concurrent)
compare_registry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, concurrent=False):\n self.logger.debug('Comparing Windows registries.')\n self._assert_windows()\n return compare_registries(self.filesystems[0]...
def x(self, status_code): return jsend.error(message=ComodoCA.status_code[status_code], code= status_code)
create_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status_code):\n return jsend.error(message=ComodoCA.status_code[status_code], code=\n status_code)\n", "role": "user" }, { "content...