source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, source_fpath, version=None, tags=None): ext = os.path.splitext(source_fpath)[1] ext = ext[1:] fpath = self.fpath(version=version, tags=tags, ext=ext) shutil.copyfile(src=source_fpath, dst=fpath) return ext
add_local
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source_fpath, version=None, tags=None):\n ext = os.path.splitext(source_fpath)[1]\n ext = ext[1:]\n fpath = self.fpath(version=version, tags=tag...
def x(self, version=None, tags=None, ext=None, source_fpath=None, overwrite =False, **kwargs): if source_fpath: ext = self.add_local(source_fpath=source_fpath, version=version, tags=tags) if ext is None: ext = self._find_extension(version=version, tags=tags) if ext is None: attribs = '{}{}'.format('version={} and '.format(version) if version else '', 'tags={}'.format(tags) if tags else '') raise MissingDatasetError('No dataset with {} in local store!'. format(attribs)) fpath = self.fpath(version=version, tags=tags, ext=ext) if not os.path.isfile(fpath): attribs = '{}{}ext={}'.format('version={} and '.format(version) if version else '', 'tags={} and '.format(tags) if tags else '', ext) raise MissingDatasetError( 'No dataset with {} in local store! (path={})'.format(attribs, fpath)) upload_dataset(dataset_name=self.name, file_path=fpath, task=self.task, dataset_attributes=self.kwargs, **kwargs)
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version=None, tags=None, ext=None, source_fpath=None, overwrite\n =False, **kwargs):\n if source_fpath:\n ext = self.add_local(source_fpath=...
def x(self, version=None, tags=None, ext=None, overwrite=False, verbose= False, **kwargs): fpath = self.fpath(version=version, tags=tags, ext=ext) if os.path.isfile(fpath) and not overwrite: if verbose: print( 'File exists and overwrite set to False, so not downloading {} with version={} and tags={}' .format(self.name, version, tags)) return download_dataset(dataset_name=self.name, file_path=fpath, task=self. task, dataset_attributes=self.kwargs, **kwargs)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version=None, tags=None, ext=None, overwrite=False, verbose=\n False, **kwargs):\n fpath = self.fpath(version=version, tags=tags, ext=ext)\n if ...
def x(self, version=None, tags=None, ext=None, **kwargs): ext = self._find_extension(version=version, tags=tags) if ext is None: attribs = '{}{}'.format('version={} and '.format(version) if version else '', 'tags={}'.format(tags) if tags else '') raise MissingDatasetError('No dataset with {} in local store!'. format(attribs)) fpath = self.fpath(version=version, tags=tags, ext=ext) fmt = SerializationFormat.by_name(ext) return fmt.deserialize(fpath, **kwargs)
df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, version=None, tags=None, ext=None, **kwargs):\n ext = self._find_extension(version=version, tags=tags)\n if ext is None:\n attribs = '{}{}'....
def x(self, df, version=None, tags=None, ext=None, **kwargs): if ext is None: ext = self.default_ext fpath = self.fpath(version=version, tags=tags, ext=ext) fmt = SerializationFormat.by_name(ext) fmt.serialize(df, fpath, **kwargs)
dump_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, df, version=None, tags=None, ext=None, **kwargs):\n if ext is None:\n ext = self.default_ext\n fpath = self.fpath(version=version, tags=tags...
def x(self, df, version=None, tags=None, ext=None, **kwargs): self.dump_df(df=df, version=version, tags=tags, ext=ext, **kwargs) self.upload(version=version, tags=tags, ext=ext)
upload_df
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, df, version=None, tags=None, ext=None, **kwargs):\n self.dump_df(df=df, version=version, tags=tags, ext=ext, **kwargs)\n self.upload(version=versio...
def x(cls: Type[IdentityType], version: int, currency: str, inline: str ) ->IdentityType: selfcert_data = Identity.re_inline.match(inline) if selfcert_data is None: raise MalformedDocumentError('Inline self certification') pubkey = selfcert_data.group(1) signature = selfcert_data.group(2) ts = BlockUID.from_str(selfcert_data.group(3)) uid = selfcert_data.group(4) return cls(version, currency, pubkey, uid, ts, signature)
from_inline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[IdentityType], version: int, currency: str, inline: str\n ) ->IdentityType:\n selfcert_data = Identity.re_inline.match(inline)\n if selfcert...
def x(cls: Type[IdentityType], signed_raw: str) ->IdentityType: n = 0 lines = signed_raw.splitlines(True) version = int(Identity.parse_field('Version', lines[n])) n += 1 Identity.parse_field('Type', lines[n]) n += 1 currency = Identity.parse_field('Currency', lines[n]) n += 1 pubkey = Identity.parse_field('Issuer', lines[n]) n += 1 uid = Identity.parse_field('UniqueID', lines[n]) n += 1 ts = BlockUID.from_str(Identity.parse_field('Timestamp', lines[n])) n += 1 signature = Identity.parse_field('Signature', lines[n]) return cls(version, currency, pubkey, uid, ts, signature)
from_signed_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[IdentityType], signed_raw: str) ->IdentityType:\n n = 0\n lines = signed_raw.splitlines(True)\n version = int(Identity.parse_field('Version'...
def x(self) ->str: return ( """Version: {version} Type: Identity Currency: {currency} Issuer: {pubkey} UniqueID: {uid} Timestamp: {timestamp} """ .format(version=self.version, currency=self.currency, pubkey=self. pubkey, uid=self.uid, timestamp=self.timestamp))
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n return (\n \"\"\"Version: {version}\nType: Identity\nCurrency: {currency}\nIssuer: {pubkey}\nUniqueID: {uid}\nTimestamp: {timestamp}\n...
def x(self) ->str: return '{pubkey}:{signature}:{timestamp}:{uid}'.format(pubkey=self. pubkey, signature=self.signatures[0], timestamp=self.timestamp, uid =self.uid)
inline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n return '{pubkey}:{signature}:{timestamp}:{uid}'.format(pubkey=self.\n pubkey, signature=self.signatures[0], timestamp=self.timestamp, ...
def x(self): extension = self.fpath.split('.')[-1] if extension not in self.supported_extensions: raise UnsupportedExtensionError
validate_extension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n extension = self.fpath.split('.')[-1]\n if extension not in self.supported_extensions:\n raise UnsupportedExtensionError\n", "role": ...
def x(self) ->dict: source_content = self.load_content() converted = {} tagged, content = self._get_tags_and_content(source_content) if tagged: converted.update(self._parse_tags(tagged)) if content: converted['content'] = content.strip() return converted
convert_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->dict:\n source_content = self.load_content()\n converted = {}\n tagged, content = self._get_tags_and_content(source_content)\n if tagged:\n...
def x(self, content: str) ->typing.Tuple[str, str]: content_lines = content.split('\n') tag_lines = [] if content_lines[0] != '---': return '', content content_lines.pop(0) for line in content_lines: if line in ('---', '...'): content_starts_at = content_lines.index(line) + 1 content_lines = content_lines[content_starts_at:] break tag_lines.append(line) return '\n'.join(tag_lines), '\n'.join(content_lines)
get_tags_and_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content: str) ->typing.Tuple[str, str]:\n content_lines = content.split('\\n')\n tag_lines = []\n if content_lines[0] != '---':\n return ...
def x(text): found = re.findall( '(?<=BEGIN_DEPENDENCIES_SCHEMA_OUTPUT>).*(?=<END_DEPENDENCIES_SCHEMA_OUTPUT)' , text) dependency_results = [] for match in found: data = json.loads(match) validate(data) dependency_results += data['dependencies'] combined_results = {'dependencies': dependency_results} return combined_results
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n found = re.findall(\n '(?<=BEGIN_DEPENDENCIES_SCHEMA_OUTPUT>).*(?=<END_DEPENDENCIES_SCHEMA_OUTPUT)'\n , text)\n dependency_results...
def x(execute=None): if connexion.request.is_json: execute = Execute.from_dict(connexion.request.get_json()) if not hasAccess(): return redirectUnauthorized() try: connector = None parameters = {} if execute.command.parameters: parameters = execute.command.parameters credentials = Credentials() options = Options(debug=execute.command.options['debug'], sensitive =execute.command.options['sensitive']) if execute.auth: credentials = mapUserAuthToCredentials(execute.auth, credentials) if not execute.auth.api_token: options.sensitive = True connector = Connector(options=options, credentials=credentials, command=execute.command.command, parameters=parameters) commandHandler = connector.execute() response = Response(status=commandHandler.getRequest(). getResponseStatusCode(), body=json.loads(commandHandler. getRequest().getResponseBody())) if execute.command.options['debug']: response.log = connector.logBuffer return response except: State.log.error(traceback.format_exc()) if 'debug' in execute.command.options and execute.command.options[ 'debug']: return ErrorResponse(status=500, message= 'Uncaught exception occured during processing. To get a larger stack trace, visit the logs.' , state=traceback.format_exc(3)) else: return ErrorResponse(status=500, message='')
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(execute=None):\n if connexion.request.is_json:\n execute = Execute.from_dict(connexion.request.get_json())\n if not hasAccess():\n return r...
def x(name=None): if not hasAccess(): return redirectUnauthorized() driver = LoadedDrivers.getDefaultBaseDriver() return Response(status=200, body=driver.readScript(name))
get_script
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name=None):\n if not hasAccess():\n return redirectUnauthorized()\n driver = LoadedDrivers.getDefaultBaseDriver()\n return Response(status=200,...
def x(request, directory_slug=None): context = {} working_dir = settings.COMPS_DIR if directory_slug: working_dir = os.path.join(working_dir, directory_slug) dirnames = [] templates = [] items = os.listdir(working_dir) templates = [x for x in items if os.path.splitext(x)[1] == '.html'] dirnames = [x for x in items if not os.path.isfile(os.path.join( working_dir, x))] templates.sort() dirnames.sort() context['directories'] = dirnames context['templates'] = templates context['subdirectory'] = directory_slug return render(request, 'comps/comp_listing.html', context)
comp_listing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, directory_slug=None):\n context = {}\n working_dir = settings.COMPS_DIR\n if directory_slug:\n working_dir = os.path.join(working_dir,...
def x(request, slug, directory_slug=None): context = {} path = settings.COMPS_DIR comp_dir = os.path.split(path)[1] template = '{0}/{1}'.format(comp_dir, slug) if directory_slug: template = '{0}/{1}/{2}'.format(comp_dir, directory_slug, slug) working_dir = os.path.join(path, slug) if os.path.isdir(working_dir): return redirect('comp-listing', directory_slug=slug) try: t = get_template(template) except TemplateDoesNotExist: return redirect('comp-listing') c = RequestContext(request, context) return HttpResponse(t.render(c))
comp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, slug, directory_slug=None):\n context = {}\n path = settings.COMPS_DIR\n comp_dir = os.path.split(path)[1]\n template = '{0}/{1}'.format(c...
def x(request): in_memory = BytesIO() zip = ZipFile(in_memory, 'a') comps = settings.COMPS_DIR static = settings.STATIC_ROOT or '' context = RequestContext(request, {}) context['debug'] = False for dirname, dirs, filenames in os.walk(static): for filename in filenames: full_path = os.path.join(dirname, filename) rel_path = os.path.relpath(full_path, static) content = open(full_path, 'rb').read() try: ext = os.path.splitext(filename)[1] except IndexError: pass if ext == '.css': dotted_rel = os.path.relpath(static, full_path) new_rel_path = '{0}{1}'.format(dotted_rel, '/static') content = content.replace(b'/static', bytes(new_rel_path, 'utf8')) path = os.path.join('static', rel_path) zip.writestr(path, content) for dirname, dirs, filenames in os.walk(comps): for filename in filenames: full_path = os.path.join(dirname, filename) rel_path = os.path.relpath(full_path, comps) template_path = os.path.join(comps.split('/')[-1], rel_path) html = render_to_string(template_path, context) depth = len(rel_path.split(os.sep)) - 1 if depth == 0: dotted_rel = '.' else: dotted_rel = '' i = 0 while i < depth: dotted_rel += '../' i += 1 new_rel_path = '{0}{1}'.format(dotted_rel, '/static') html = html.replace('/static', new_rel_path) if PY2: html = unicode(html) zip.writestr(rel_path, html.encode('utf8')) for item in zip.filelist: item.create_system = 0 zip.close() response = HttpResponse(content_type='application/zip') response['Content-Disposition'] = 'attachment; filename=comps.zip' in_memory.seek(0) response.write(in_memory.read()) return response
export_comps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n in_memory = BytesIO()\n zip = ZipFile(in_memory, 'a')\n comps = settings.COMPS_DIR\n static = settings.STATIC_ROOT or ''\n context =...
def x(cls: Type[PeerType], raw: str) ->PeerType: lines = raw.splitlines(True) n = 0 version = int(Peer.parse_field('Version', lines[n])) n += 1 Peer.parse_field('Type', lines[n]) n += 1 currency = Peer.parse_field('Currency', lines[n]) n += 1 pubkey = Peer.parse_field('Pubkey', lines[n]) n += 1 block_uid = BlockUID.from_str(Peer.parse_field('Block', lines[n])) n += 1 Peer.parse_field('Endpoints', lines[n]) n += 1 endpoints = [] while not Peer.re_signature.match(lines[n]): endpoints.append(endpoint(lines[n])) n += 1 data = Peer.re_signature.match(lines[n]) if data is None: raise MalformedDocumentError('Peer') signature = data.group(1) return cls(version, currency, pubkey, block_uid, endpoints, signature)
from_signed_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[PeerType], raw: str) ->PeerType:\n lines = raw.splitlines(True)\n n = 0\n version = int(Peer.parse_field('Version', lines[n]))\n n += 1\n...
def x(self) ->str: doc = ( 'Version: {0}\nType: Peer\nCurrency: {1}\nPublicKey: {2}\nBlock: {3}\nEndpoints:\n' .format(self.version, self.currency, self.pubkey, self.blockUID)) for _endpoint in self.endpoints: doc += '{0}\n'.format(_endpoint.inline()) return doc
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n doc = (\n 'Version: {0}\\nType: Peer\\nCurrency: {1}\\nPublicKey: {2}\\nBlock: {3}\\nEndpoints:\\n'\n .format(self.version, sel...
def x(url=None, timeout=30): file_name = posixpath.basename(url) img_tmp = NamedTemporaryFile(delete=True) try: response = requests.get(url, timeout=timeout) response.raise_for_status() except Exception as e: return None, None img_tmp.write(response.content) img_tmp.flush() image = File(img_tmp) image.seek(0) return file_name, image
generate_image_from_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url=None, timeout=30):\n file_name = posixpath.basename(url)\n img_tmp = NamedTemporaryFile(delete=True)\n try:\n response = requests.get(url, ...
def x(d, w1, w2): for p1 in d[w1]: p1 = p1.split("'")[-1] m = VOWELS_RE.search(p1) if not m: print(p1) p1 = p1[m.start():] for p2 in d[w2]: p2 = p2.split("'")[-1] m = VOWELS_RE.search(p2) if not m: print(w2, p2) p2 = p2[m.start():] if p1 == p2: return True return False
is_rhyme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d, w1, w2):\n for p1 in d[w1]:\n p1 = p1.split(\"'\")[-1]\n m = VOWELS_RE.search(p1)\n if not m:\n print(p1)\n p1 = p...
def x(words): d = read_celex() not_in_dict = 0 n = len(words) t_table = numpy.zeros((n, n + 1)) for r, w in enumerate(words): if w not in d: not_in_dict += 1 for c, v in enumerate(words): if c < r: t_table[r, c] = t_table[c, r] elif w in d and v in d: t_table[r, c] = int(is_rhyme(d, w, v)) + 0.001 else: t_table[r, c] = random.random() t_table[r, n] = random.random() print(not_in_dict, 'of', n, ' words are not in CELEX') for c in range(n + 1): tot = sum(t_table[:, c]) for r in range(n): t_table[r, c] = t_table[r, c] / tot return t_table
init_perfect_ttable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(words):\n d = read_celex()\n not_in_dict = 0\n n = len(words)\n t_table = numpy.zeros((n, n + 1))\n for r, w in enumerate(words):\n if w ...
def x(parent_dict: dict, key, value): references = [] NestedLookup(parent_dict, references, NestedLookup. key_value_equality_factory(key, value)) return (document for document, _ in references)
get_nested_dicts_with_key_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent_dict: dict, key, value):\n references = []\n NestedLookup(parent_dict, references, NestedLookup.\n key_value_equality_factory(key, value))\...
def x(parent_dict: dict, key, value): references = [] NestedLookup(parent_dict, references, NestedLookup. key_value_containing_value_factory(key, value)) return (document for document, _ in references)
get_nested_dicts_with_key_containing_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent_dict: dict, key, value):\n references = []\n NestedLookup(parent_dict, references, NestedLookup.\n key_value_containing_value_factory(key, ...
def x(document, references, operation): if isinstance(document, list): for d in document: for result in NestedLookup._nested_lookup(d, references, operation ): yield result if isinstance(document, dict): for k, v in document.items(): if operation(k, v): references.append((document, k)) yield v elif isinstance(v, dict): for result in NestedLookup._nested_lookup(v, references, operation): yield result elif isinstance(v, list): for d in v: for result in NestedLookup._nested_lookup(d, references, operation): yield result
nested_lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(document, references, operation):\n if isinstance(document, list):\n for d in document:\n for result in NestedLookup._nested_lookup(d, ref...
def x(oscillators): if not rand.prob_bool(0.01): return amp_bias_weights = [(0.001, 1), (0.1, 100), (0.15, 40), (1, 0)] num_moves = iching.get_hexagram('NAIVE') % len(oscillators) for i in range(num_moves): pair = [(gram % len(oscillators)) for gram in iching.get_hexagram( 'THREE COIN')] amplitudes = [(gram / 64 * rand.weighted_rand(amp_bias_weights)) for gram in iching.get_hexagram('THREE COIN')] oscillators[pair[0]].amplitude.drift_target = amplitudes[0] oscillators[pair[1]].amplitude.drift_target = amplitudes[1]
step_random_processes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oscillators):\n if not rand.prob_bool(0.01):\n return\n amp_bias_weights = [(0.001, 1), (0.1, 100), (0.15, 40), (1, 0)]\n num_moves = iching.ge...
def x(oscillators): step_random_processes(oscillators) subchunks = [] for osc in oscillators: osc.amplitude.step_amp() osc_chunk = osc.get_samples(config.CHUNK_SIZE) if osc_chunk is not None: subchunks.append(osc_chunk) if len(subchunks): new_chunk = sum(subchunks) else: new_chunk = numpy.zeros(config.CHUNK_SIZE) chunk_amplitude = amplitude.find_amplitude(new_chunk) if chunk_amplitude > config.MAX_AMPLITUDE: new_chunk = amplitude.normalize_amplitude(new_chunk, config. MAX_AMPLITUDE) avg_amp = sum(osc.amplitude.value for osc in oscillators) / len( oscillators) for osc in oscillators: if osc.amplitude.value > avg_amp and rand.prob_bool(0.1 ) or rand.prob_bool(0.01): osc.amplitude.drift_target = rand.weighted_rand([(-5, 1), ( 0, 10)]) osc.amplitude.change_rate = rand.weighted_rand(osc. amplitude.change_rate_weights) return new_chunk.astype(config.SAMPLE_DATA_TYPE).tostring()
build_chunk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oscillators):\n step_random_processes(oscillators)\n subchunks = []\n for osc in oscillators:\n osc.amplitude.step_amp()\n osc_chunk = o...
def x(database='default'): target = engine[database] dialect = engine[database].dialect.name if dialect == 'mysql': args = ['mysql'] if target.url.username: args += ['--user=%s' % target.url.username] if target.url.password: args += ['--password=%s' % target.url.password] if 'unix_socket' in target.url.query: args += ['--socket=%s' % target.url.query['unix_socket']] elif target.url.host: args += ['--host=%s' % target.url.host] if target.url.port: args += ['--port=%s' % target.url.port] if target.url.database: args += [target.url.database] elif dialect == 'sqlite': args = ['sqlite3', target.url.database] else: raise RuntimeError( 'Database shell not available for the dialect %r' % dialect) os.execvp(args[0], args)
shell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(database='default'):\n target = engine[database]\n dialect = engine[database].dialect.name\n if dialect == 'mysql':\n args = ['mysql']\n ...
def x(code, filename='<string>', mode='exec', **kwargs): node = parse(code, mode=mode) print(dump(node, **kwargs))
parseprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code, filename='<string>', mode='exec', **kwargs):\n node = parse(code, mode=mode)\n print(dump(node, **kwargs))\n", "role": "user" }, { "con...
def x(year, month, dayofweek, hour, minute, whichweek): first = datetime.datetime(year, month, 1, hour, minute) weekdayone = first.replace(day=(dayofweek - first.isoweekday()) % 7 + 1) for n in range(whichweek): dt = weekdayone + (whichweek - n) * ONEWEEK if dt.month == month: return dt
picknthweekday
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(year, month, dayofweek, hour, minute, whichweek):\n first = datetime.datetime(year, month, 1, hour, minute)\n weekdayone = first.replace(day=(dayofweek -...
def x(): handle = winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE) tzkey = winreg.OpenKey(handle, TZKEYNAME) result = [winreg.EnumKey(tzkey, i) for i in range(winreg.QueryInfoKey( tzkey)[0])] tzkey.Close() handle.Close() return result
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n handle = winreg.ConnectRegistry(None, winreg.HKEY_LOCAL_MACHINE)\n tzkey = winreg.OpenKey(handle, TZKEYNAME)\n result = [winreg.EnumKey(tzkey, i)...
def x(fgcolor, bgcolor, weight): if weight: weight = bold else: weight = norm if bgcolor: out('\x1b[%s;%s;%sm' % (weight, fgcolor, bgcolor)) else: out('\x1b[%s;%sm' % (weight, fgcolor))
colorstart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fgcolor, bgcolor, weight):\n if weight:\n weight = bold\n else:\n weight = norm\n if bgcolor:\n out('\\x1b[%s;%s;%sm' % (weight, ...
def x(text, fg=grey, bg=blackbg, w=norm, cr=False, encoding='utf8'): colorstart(fg, bg, w) out(text) colorend(cr)
cprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, fg=grey, bg=blackbg, w=norm, cr=False, encoding='utf8'):\n colorstart(fg, bg, w)\n out(text)\n colorend(cr)\n", "role": "user" }, { ...
def x(data, maxwidth, incolor=True, cbrackets=('▕', '▏')): threshold = 100.0 // (maxwidth * 2) position = 0 begpcnt = data[0][1] * 100 endpcnt = data[-1][1] * 100 if len(data) < 1: return maxwidth = maxwidth - 2 datalen = len(data) if cbrackets and incolor: if begpcnt < threshold: bkcolor = data[-1][2] else: bkcolor = data[0][2] cprint(cbrackets[0], data[0][2], bkcolor, None, None) else: out(cbrackets[0]) for i, part in enumerate(data): char, pcnt, fgcolor, bgcolor, bold = part width = int(round(pcnt / 100.0 * maxwidth, 0)) position = position + width if incolor and not fgcolor is None: cprint(char * width, fgcolor, bgcolor, bold, False) else: out(char * width) if i == datalen - 1: if position < maxwidth: if incolor: cprint(char * (maxwidth - position), fgcolor, bgcolor, bold, False) else: out(char * (maxwidth - position)) elif position > maxwidth: out(chr(8) + ' ' + chr(8)) if cbrackets and incolor: if endpcnt < threshold: bkcolor = data[0][3] else: bkcolor = data[1][3] cprint(cbrackets[1], data[-1][2], bkcolor, None, None) else: out(cbrackets[1])
bargraph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, maxwidth, incolor=True, cbrackets=('▕', '▏')):\n threshold = 100.0 // (maxwidth * 2)\n position = 0\n begpcnt = data[0][1] * 100\n endpcnt = ...
def x(data, maxwidth, incolor=True, hicolor=True, cbrackets=('▕', '▏')): if not data: return datalen = len(data) endpcnt = data[-1][1] maxwidth = maxwidth - 2 csi, csib, _, pal, rst, plen = get_palette(hicolor) empty = data[-1][0] bucket = float(maxwidth) / plen position = 0 if incolor: out(csi % pal[0] + cbrackets[0]) else: out(cbrackets[0]) for i, part in enumerate(data): char, pcnt, fgcolor, bgcolor, bold = part if fgcolor and hicolor: fgcolor = map8[fgcolor] if not bold: csib = csi lastind = None width = int(maxwidth * (pcnt / 100.0)) offset = position position += width if incolor: for j in range(width): colorind = fgcolor or min(int((j + offset) / bucket), plen - 1) if colorind == lastind: out(char) else: color = fgcolor or pal[colorind] out(csib % color + char) lastind = colorind else: out(char * width) if i == datalen - 1: if position < maxwidth: rest = maxwidth - position if incolor: out(csib % pal[-1] + empty * rest) else: out(char * rest) elif position > maxwidth: out(chr(8) + ' ' + chr(8)) if incolor: lastcolor = darkred if hicolor and endpcnt > 1 else pal[-1] out(csi % lastcolor + cbrackets[1]) colorend() else: out(cbrackets[1])
rainbar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, maxwidth, incolor=True, hicolor=True, cbrackets=('▕', '▏')):\n if not data:\n return\n datalen = len(data)\n endpcnt = data[-1][1]\n m...
def x(self): if 'linters' in self._config: self.user_linters = list(self._parse_cfg_linters()) self.linters = {linter: self._all_linters[linter] for linter in self.user_linters} else: self.linters = self._all_linters
set_linters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'linters' in self._config:\n self.user_linters = list(self._parse_cfg_linters())\n self.linters = {linter: self._all_linters[linte...
def x(self): linters = self.user_linters or list(self.linters) print('linters:', ', '.join(linters)) for key, value in self._config.items(): if key != 'linters': print('{}: {}'.format(key, value))
print_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n linters = self.user_linters or list(self.linters)\n print('linters:', ', '.join(linters))\n for key, value in self._config.items():\n ...
def x(self): user_value = self._config.get('linters', '') for line in user_value.splitlines(): yield from self._parse_linters_line(line)
parse_cfg_linters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n user_value = self._config.get('linters', '')\n for line in user_value.splitlines():\n yield from self._parse_linters_line(line)\n", "...
def x(self, name): prefix = name + ' ' return {k[len(prefix):]: v for k, v in self._config.items() if k. startswith(prefix)}
get_linter_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n prefix = name + ' '\n return {k[len(prefix):]: v for k, v in self._config.items() if k.\n startswith(prefix)}\n", "role": "user...
def x(cls, default, user): section = cls._CFG_SECTION merged = default[section] if section not in user: return merged user = user[section] for key, value in user.items(): if key in merged: merged[key] += ' ' + value else: merged[key] = value return merged
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, default, user):\n section = cls._CFG_SECTION\n merged = default[section]\n if section not in user:\n return merged\n user = user[sectio...
def x(str_or_bytes, encoding='utf-8', errors='strict'): if isinstance(str_or_bytes, text): return str_or_bytes return str_or_bytes.decode(encoding, errors)
as_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(str_or_bytes, encoding='utf-8', errors='strict'):\n if isinstance(str_or_bytes, text):\n return str_or_bytes\n return str_or_bytes.decode(encoding...
def x(in_str): norm_str = _SAFE_PATH_RE.sub('_', unicodedata.normalize('NFKD', as_text (in_str)).strip()) if len(norm_str.strip('.')) == 0: raise ValueError(in_str) return norm_str[:_MAX_PATH_NAME_LEN]
get_safe_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(in_str):\n norm_str = _SAFE_PATH_RE.sub('_', unicodedata.normalize('NFKD', as_text\n (in_str)).strip())\n if len(norm_str.strip('.')) == 0:\n ...
def x(self, egg): try: imported = __import__(egg) except ImportError: self.logger.warn("Tried importing '%s', but that also didn't work.", egg) self.logger.debug('For reference, sys.path is %s', sys.path) return self.logger.info('Importing %s works, however', egg) try: probable_location = os.path.dirname(imported.__file__) except: self.logger.exception('Determining the location failed, however') return filesystem_egg_link = os.path.join(self.dev_egg_dir, '%s.egg-link' % egg) f = open(filesystem_egg_link, 'w') f.write(probable_location) f.close() self.logger.info('Using sysegg %s for %s', probable_location, egg) self.added.append(filesystem_egg_link) return True
attempt_dev_link_via_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, egg):\n try:\n imported = __import__(egg)\n except ImportError:\n self.logger.warn(\"Tried importing '%s', but that also didn't work....
def x(self): def x(t, value, traceback): if self.args.verbose: sys.__excepthook__(t, value, traceback) else: sys.stderr.write('%s\n' % unicode(value).encode('utf-8')) sys.excepthook = handler
install_exception_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(t, value, traceback):\n if self.args.verbose:\n sys.__excepthook__(t, value, traceback)\n else:\n sys.s...
def x(filelike): it = iter(filelike) try: first = next(it) if not cookie_comment_re.match(first): yield first second = next(it) if not cookie_comment_re.match(second): yield second except StopIteration: return for line in it: yield line
strip_encoding_cookie
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filelike):\n it = iter(filelike)\n try:\n first = next(it)\n if not cookie_comment_re.match(first):\n yield first\n secon...
def x(txt, errors='replace', skip_encoding_cookie=True): if isinstance(txt, six.text_type): return txt if isinstance(txt, six.binary_type): buffer = io.BytesIO(txt) else: buffer = txt try: encoding, _ = detect_encoding(buffer.readline) except SyntaxError: encoding = 'ascii' buffer.seek(0) newline_decoder = io.IncrementalNewlineDecoder(None, True) text = io.TextIOWrapper(buffer, encoding, errors=errors, line_buffering =True) text.mode = 'r' if skip_encoding_cookie: return u''.join(strip_encoding_cookie(text)) else: return text.read()
source_to_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(txt, errors='replace', skip_encoding_cookie=True):\n if isinstance(txt, six.text_type):\n return txt\n if isinstance(txt, six.binary_type):\n ...
def x(source_bytes): newline_decoder = io.IncrementalNewlineDecoder(None, True) return newline_decoder.decode(source_to_unicode(source_bytes))
decode_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_bytes):\n newline_decoder = io.IncrementalNewlineDecoder(None, True)\n return newline_decoder.decode(source_to_unicode(source_bytes))\n", "rol...
def x(func: Callable) ->Callable: def x(*args, **kwargs): try: run([GIT_COMMAND, _GIT_SUBREPO_COMMAND, '--version']) except RunException as e: raise RuntimeError('`git subrepo` does not appear to be working' ) from e return func(*args, **kwargs) return decorated
requires_subrepo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func: Callable) ->Callable:\n\n def x(*args, **kwargs):\n try:\n run([GIT_COMMAND, _GIT_SUBREPO_COMMAND, '--version'])\n except Run...
def x(location: str, directory: str, *, branch: str=None, tag: str=None, commit: str=None, author_name: str=None, author_email: str=None) ->Commit: if os.path.exists(directory): raise ValueError(f'The directory "{directory}" already exists') if not os.path.isabs(directory): raise ValueError(f'Directory must be absolute: {directory}') if branch and tag: raise ValueError( f'Cannot specify both branch "{branch}" and tag "{tag}"') if not branch and not tag and not commit: branch = _DEFAULT_BRANCH existing_parent_directory = directory while not os.path.exists(existing_parent_directory): assert existing_parent_directory != '' existing_parent_directory = os.path.dirname(existing_parent_directory) git_root = get_git_root_directory(existing_parent_directory) git_relative_directory = os.path.relpath(os.path.realpath(directory), git_root) if (branch or tag) and commit: run([GIT_COMMAND, 'fetch', location, branch if branch else tag], execution_directory=git_root) branch, tag = None, None reference = branch if branch else tag if tag else commit execution_environment = os.environ.copy() if author_name is not None: execution_environment[_GIT_AUTHOR_NAME_ENVIRONMENT_VARIABLE ] = author_name if author_email is not None: execution_environment[_GIT_AUTHOR_EMAIL_ENVIRONMENT_VARIABLE ] = author_email try: run([GIT_COMMAND, _GIT_SUBREPO_COMMAND, _GIT_SUBREPO_CLONE_COMMAND, _GIT_SUBREPO_VERBOSE_FLAG, _GIT_SUBREPO_BRANCH_FLAG, reference, location, git_relative_directory], execution_directory=git_root, execution_environment=execution_environment) except RunException as e: if re.search("Can't clone subrepo. (Unstaged|Index has) changes", e .stderr) is not None: raise UnstagedChangeException(git_root) from e elif 'Command failed:' in e.stderr: try: repo_info = run([GIT_COMMAND, _GIT_LS_REMOTE_COMMAND, location] ) if not branch and not tag and commit: raise NotAGitReferenceException( f'Commit "{commit}" not found (specify branch/tag to fetch that first if required)' ) else: references = re.findall('^.+\\srefs\\/.+\\/(.+)', repo_info, flags=re.MULTILINE) if reference not in references: raise NotAGitReferenceException( f'{reference} not found in {references}') from e except RunException as debug_e: if re.match('fatal: repository .* not found', debug_e.stderr): raise NotAGitRepositoryException(location) from e raise e assert os.path.exists(directory) return status(directory)[2]
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location: str, directory: str, *, branch: str=None, tag: str=None,\n commit: str=None, author_name: str=None, author_email: str=None) ->Commit:\n if os.p...
def x(directory: str) ->Tuple[RepositoryLocation, Branch, Commit]: if not os.path.exists(directory): raise ValueError(f'No subrepo found in "{directory}"') try: result = run([GIT_COMMAND, _GIT_SUBREPO_COMMAND, _GIT_SUBREPO_STATUS_COMMAND, _GIT_SUBREPO_VERBOSE_FLAG, get_directory_relative_to_git_root(directory)], execution_directory=get_git_root_directory(directory)) except RunException as e: if "Command failed: 'git rev-parse --verify HEAD'" in e.stderr: raise NotAGitSubrepoException(directory) from e raise e if re.search('is not a subrepo$', result): raise NotAGitSubrepoException(directory) url = re.search('Remote URL:\\s*(.*)', result).group(1) branch = re.search('Tracking Branch:\\s*(.*)', result).group(1) commit = re.search('Pulled Commit:\\s*(.*)', result).group(1) return url, branch, commit
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory: str) ->Tuple[RepositoryLocation, Branch, Commit]:\n if not os.path.exists(directory):\n raise ValueError(f'No subrepo found in \"{director...
def x(directory: str) ->Commit: if not os.path.exists(directory): raise ValueError(f'No subrepo found in "{directory}"') try: result = run([GIT_COMMAND, _GIT_SUBREPO_COMMAND, _GIT_SUBREPO_PULL_COMMAND, _GIT_SUBREPO_VERBOSE_FLAG, get_directory_relative_to_git_root(directory)], execution_directory=get_git_root_directory(directory)) except RunException as e: if "Can't pull subrepo. Working tree has changes" in e.stderr: raise UnstagedChangeException() from e return status(directory)[2]
pull
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory: str) ->Commit:\n if not os.path.exists(directory):\n raise ValueError(f'No subrepo found in \"{directory}\"')\n try:\n result = ...
def x(fn, size=32): assert callable(fn) assert isinstance(size, int) return overload(fn)(lru_cache(size, typed=True)(fn))
cached
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, size=32):\n assert callable(fn)\n assert isinstance(size, int)\n return overload(fn)(lru_cache(size, typed=True)(fn))\n", "role": "user" }, ...
def x(client, event, channel, nick, rest): try: set_key() except Exception: return ( "No API key configured. Google charges for translation. Please register for an API key at https://code.google.com/apis/console/?api=translate&promo=tr and set the 'Google API key' config variable to a valid key" ) rest = rest.strip() langpair, _, rest = rest.partition(' ') source_lang, _, target_lang = langpair.rpartition('|') try: return google.translate(rest.encode('utf-8'), target_lang, source_lang) except Exception: log.exception('Error occurred in translate') tmpl = ( 'An error occurred. Are you sure {langpair} is a valid language?') return tmpl.format(**vars())
translate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, event, channel, nick, rest):\n try:\n set_key()\n except Exception:\n return (\n \"No API key configured. Google charges...
def x(app_dot_model): try: app, model = app_dot_model.split('.') except ValueError: msg = ( f"Passed in value '{app_dot_model}' was not in the format `<app_name>.<model_name>`." ) raise ValueError(msg) return apps.get_app_config(app).get_model(model)
get_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_dot_model):\n try:\n app, model = app_dot_model.split('.')\n except ValueError:\n msg = (\n f\"Passed in value '{app_dot_mod...
def x(allowed_modules): cleaned_allowed_modules = [utils.mod_to_mod_name(tmp_mod) for tmp_mod in allowed_modules] cleaned_split_allowed_modules = [tmp_mod.split('.') for tmp_mod in cleaned_allowed_modules] cleaned_allowed_modules = [] del cleaned_allowed_modules def x(cause): cause_cls = None cause_type_name = cause.exception_type_names[0] cause_type_name_pieces = cause_type_name.split('.') cause_type_name_mod_pieces = cause_type_name_pieces[0:-1] mod_match = any(utils.array_prefix_matches(mod_pieces, cause_type_name_mod_pieces) for mod_pieces in cleaned_split_allowed_modules) if mod_match: cause_cls = importutils.import_class(cause_type_name) cause_cls = ensure_base_exception(cause_type_name, cause_cls) return cause_cls return matcher
match_modules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(allowed_modules):\n cleaned_allowed_modules = [utils.mod_to_mod_name(tmp_mod) for tmp_mod in\n allowed_modules]\n cleaned_split_allowed_modules = ...
def x(allowed_classes): cleaned_allowed_classes = [utils.cls_to_cls_name(tmp_cls) for tmp_cls in allowed_classes] def x(cause): cause_cls = None cause_type_name = cause.exception_type_names[0] try: cause_cls_idx = cleaned_allowed_classes.index(cause_type_name) except ValueError: pass else: cause_cls = allowed_classes[cause_cls_idx] if not isinstance(cause_cls, type): cause_cls = importutils.import_class(cause_cls) cause_cls = ensure_base_exception(cause_type_name, cause_cls) return cause_cls return matcher
match_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(allowed_classes):\n cleaned_allowed_classes = [utils.cls_to_cls_name(tmp_cls) for tmp_cls in\n allowed_classes]\n\n def x(cause):\n cause_c...
def x(matcher, *more_matchers): def x(cause): for sub_matcher in itertools.chain([matcher], more_matchers): cause_cls = sub_matcher(cause) if cause_cls is not None: return cause_cls return None return matcher
combine_or
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(matcher, *more_matchers):\n\n def x(cause):\n for sub_matcher in itertools.chain([matcher], more_matchers):\n cause_cls = sub_matcher(caus...
def x(self): ddir = '../data/tw/' files = os.path.listdir(ddir) files = [i for i in files if os.path.getsize(i)] files.sort(key=lambda i: os.path.getsize(i)) filegroups = self.groupTwitterFilesByEquivalents(files) filegroups_grouped = self.groupTwitterFileGroupsForPublishing(filegroups) return filegroups_grouped
getTWFiles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ddir = '../data/tw/'\n files = os.path.listdir(ddir)\n files = [i for i in files if os.path.getsize(i)]\n files.sort(key=lambda i: os.path...
def x(cmd, log='log.log', cwd='.', stdout=sys.stdout, bufsize=1, encode='utf-8' ): logfile = '%s/%s' % (cwd, log) if os.path.exists(logfile): os.remove(logfile) proc_args = {'stdout': subprocess.PIPE, 'stderr': subprocess.PIPE, 'cwd': cwd, 'universal_newlines': True} proc = subprocess.Popen(cmd, **proc_args) while True: line = proc.stdout.readline() if proc.poll() is None: stdout.write(line) else: break out, err = proc.communicate() with open(logfile, 'w') as f: if out: f.write(out) else: f.write(err)
run_cmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, log='log.log', cwd='.', stdout=sys.stdout, bufsize=1, encode='utf-8'\n ):\n logfile = '%s/%s' % (cwd, log)\n if os.path.exists(logfile):\n ...
def x(log, cwd='.'): logfile = '%s/%s' % (cwd, log) with open(logfile, 'a'): os.utime(logfile, None)
touch_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log, cwd='.'):\n logfile = '%s/%s' % (cwd, log)\n with open(logfile, 'a'):\n os.utime(logfile, None)\n", "role": "user" }, { "content"...
def x(output_dir): template_path = os.path.join(os.path.dirname(__file__), 'project_template') click.secho("Let's create a new component!", fg='green') name = click.prompt('What is the name of this component (ex. python-pip)?') click.secho('') click.secho( "We assume this will be pushed to GitHub and Docker Hub eventually, but these don't have to exist yet." , fg='green') repo_owner = click.prompt( 'GitHub repo owner (i.e. your username or organization name)') repo_name = click.prompt('GitHub repo name', default=name) dockerhub_owner = click.prompt('Docker Hub repo owner', default=repo_owner) dockerhub_name = click.prompt('Docker Hub repo name', default=repo_name) license_owner = click.prompt( 'Who should be the copyright owner on project?', default=repo_owner) extra_context = {'name': name, 'name_shields_io': name.replace('-', '--'), 'current_year': datetime.datetime.now().year, 'dependencies_cli_version': __version__, 'repo_owner': repo_owner, 'repo_name': repo_name, 'dockerhub_owner': dockerhub_owner, 'dockerhub_name': dockerhub_name, 'license_owner': license_owner} project_dir = cookiecutter(template_path, no_input=True, extra_context= extra_context, output_dir=output_dir) click.secho('') click.secho( '{name} is ready to go, `cd {project_dir}` and try running `dependencies test`!' .format(name=name, project_dir=project_dir), fg='green') click.secho( 'We started you out with a fully functioning component based in python.\n' + "Once you've got a handle on how it works then you can change it to whatever language you want." )
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(output_dir):\n template_path = os.path.join(os.path.dirname(__file__), 'project_template')\n click.secho(\"Let's create a new component!\", fg='green')\n...
def x(text, file, schema_type): content = None if text: print('Validating text input...') content = text if file: print('Validating file input...') content = file.read() if content is None: click.secho( 'Please give either text input or a file path. See help for more details.' , fg='red') exit(1) try: if schema_type == 'dependencies': validator = DependenciesSchemaValidator() elif schema_type == 'actions': validator = ActionsSchemaValidator() else: raise Exception('Unknown type') validator.validate_json(content) click.secho('Valid JSON schema!', fg='green') except Exception as e: click.secho('Invalid JSON schema!', fg='red') raise e
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, file, schema_type):\n content = None\n if text:\n print('Validating text input...')\n content = text\n if file:\n print('Va...
def x(self): connectable = engine_from_config(self._config.get_section(self._config. config_ini_section), prefix='sqlalchemy.', poolclass=pool.NullPool) with connectable.connect() as connection: ensureSchemaExists(connectable, self._schemaName) context.configure(connection=connection, target_metadata=self. _targetMetadata, include_object=self._includeObjectFilter, include_schemas=True, version_table_schema=self._schemaName) with context.begin_transaction(): context.run_migrations()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n connectable = engine_from_config(self._config.get_section(self._config.\n config_ini_section), prefix='sqlalchemy.', poolclass=pool.NullPool...
def x(): LOGGER.info('Cleaning project directory...') folders_to_cleanup = ['.eggs', 'build', f'{config.PACKAGE_NAME()}.egg-info' ] for folder in folders_to_cleanup: if os.path.exists(folder): LOGGER.info('\tremoving: %s', folder) shutil.rmtree(folder)
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n LOGGER.info('Cleaning project directory...')\n folders_to_cleanup = ['.eggs', 'build', f'{config.PACKAGE_NAME()}.egg-info'\n ]\n for folde...
def x(self, an_app_key): try: app_class = str_to_python_object(self.apps[an_app_key]) except KeyError: app_class = str_to_python_object(an_app_key) try: self.application_defaults = DotDict(app_class. get_application_defaults()) except AttributeError: pass return app_class
str_to_application_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, an_app_key):\n try:\n app_class = str_to_python_object(self.apps[an_app_key])\n except KeyError:\n app_class = str_to_python_object(a...
def x(template): upto = 0 lineno = 0 for m in tag_re.finditer(template): start, end = m.span() lineno = template.count('\n', 0, start) + 1 if upto < start: yield Token(TokenType.text, template[upto:start], lineno) upto = end mode = m.lastgroup content = m.group(mode) yield Token(TokenType[mode], content, lineno) if upto < len(template): yield Token(TokenType.text, template[upto:], lineno)
tokenise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template):\n upto = 0\n lineno = 0\n for m in tag_re.finditer(template):\n start, end = m.span()\n lineno = template.count('\\n', 0, sta...
def x(table, session, conds): with session.begin_nested(): archive_conds_list = _get_conditions_list(table, conds) session.execute(sa.delete(table.ArchiveTable, whereclause= _get_conditions(archive_conds_list))) conds_list = _get_conditions_list(table, conds, archive=False) session.execute(sa.delete(table, whereclause=_get_conditions( conds_list)))
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, session, conds):\n with session.begin_nested():\n archive_conds_list = _get_conditions_list(table, conds)\n session.execute(sa.delete(t...
def x(table, session, version_id=None, t1=None, t2=None, fields=None, conds =None, include_deleted=True, page=1, page_size=100): limit, offset = _get_limit_and_offset(page, page_size) version_col_names = table.version_columns if fields is None: fields = [name for name in utils.get_column_names(table) if name != 'version_id'] if version_id is not None: return _format_response(utils.result_to_dict(session.execute(sa. select([table.ArchiveTable]).where(table.ArchiveTable. version_id > version_id).order_by(*_get_order_clause(table. ArchiveTable)).limit(page_size).offset(offset))), fields, version_col_names) if t1 is None and t2 is None: rows = _get_latest_time_slice(table, session, conds, include_deleted, limit, offset) return _format_response(rows, fields, version_col_names) if t2 is None: rows = _get_historical_time_slice(table, session, t1, conds, include_deleted, limit, offset) return _format_response(rows, fields, version_col_names) if t1 is None: t1 = datetime.utcfromtimestamp(0) rows = _get_historical_changes(table, session, conds, t1, t2, include_deleted, limit, offset) return _format_response(rows, fields, version_col_names)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, session, version_id=None, t1=None, t2=None, fields=None, conds\n =None, include_deleted=True, page=1, page_size=100):\n limit, offset = _get_limit...
def x(rows, fields, unique_col_names): output = [] old_id = None for row in rows: id_ = {k: row[k] for k in unique_col_names} formatted = {k: row[k] for k in row if k != 'data'} if id_ != old_id: data = row['data'] formatted['data'] = {k: data.get(k) for k in fields} output.append(formatted) else: data = row['data'] pruned_data = {k: data.get(k) for k in fields} if pruned_data != output[-1]['data'] or row['deleted'] != output[-1 ]['deleted']: formatted['data'] = pruned_data output.append(formatted) old_id = id_ return output
format_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rows, fields, unique_col_names):\n output = []\n old_id = None\n for row in rows:\n id_ = {k: row[k] for k in unique_col_names}\n format...
def x(pk_conds, and_conds=None): if and_conds is None: and_conds = [] if len(and_conds) == 0 and len(pk_conds) == 0: return sa.and_() condition1 = sa.and_(*and_conds) condition2 = sa.or_(*[sa.and_(*cond) for cond in pk_conds]) return sa.and_(condition1, condition2)
get_conditions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pk_conds, and_conds=None):\n if and_conds is None:\n and_conds = []\n if len(and_conds) == 0 and len(pk_conds) == 0:\n return sa.and_()\n ...
def x(table, conds, archive=True): if conds is None: conds = [] all_conditions = [] for cond in conds: if len(cond) != len(table.version_columns): raise ValueError('Conditions must specify all unique constraints.') conditions = [] t = table.ArchiveTable if archive else table for col_name, value in cond.iteritems(): if col_name not in table.version_columns: raise ValueError('{} is not one of the unique columns <{}>' .format(col_name, ','.join(table.version_columns))) conditions.append(getattr(t, col_name) == value) all_conditions.append(conditions) return all_conditions
get_conditions_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(table, conds, archive=True):\n if conds is None:\n conds = []\n all_conditions = []\n for cond in conds:\n if len(cond) != len(table.ver...
def x(page, page_size): if page < 1: raise ValueError('page must be >= 1') limit = page_size offset = (page - 1) * page_size return limit, offset
get_limit_and_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(page, page_size):\n if page < 1:\n raise ValueError('page must be >= 1')\n limit = page_size\n offset = (page - 1) * page_size\n return limi...
def x(archive_table): order_clause = [sa.asc(getattr(archive_table, col_name)) for col_name in archive_table._version_col_names] order_clause.append(sa.asc(archive_table.version_id)) return order_clause
get_order_clause
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(archive_table):\n order_clause = [sa.asc(getattr(archive_table, col_name)) for col_name in\n archive_table._version_col_names]\n order_clause.appe...
def x(*args, **kwargs): for resource in find_api_classes('v1_api', ModelResource): auth = resource._meta.authorization content_type = ContentType.objects.get_for_model(resource._meta. queryset.model) if isinstance(auth, SpiffAuthorization): conditions = auth.conditions() operations = auth.operations() if len(conditions) == 0: conditions = None, for condition in conditions: for operation in operations: if condition: codename = '%s_%s_%s' % (operation[0], condition[0], content_type.model) name = 'Can %s %s, when %s' % (operation[1], content_type.name, condition[1]) else: codename = '%s_%s' % (operation[1], content_type.model) name = 'Can %s %s' % (operation[1], content_type.name) if not Permission.objects.filter(content_type= content_type, codename=codename): Permission.objects.create(content_type=content_type, codename=codename, name=name[:49]) funcLog().debug('Created permission %s.%s (%s)', content_type.app_label, codename, name)
add_resource_permissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n for resource in find_api_classes('v1_api', ModelResource):\n auth = resource._meta.authorization\n content_type = ContentT...
def x(self, elementNames): if not hasattr(elementNames, '__len__'): raise TypeError('Element name should be a array of strings.' + 'I receive this {0}'.format(elementNames)) return self._evaluateArray(elementNames)
areObservableElements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elementNames):\n if not hasattr(elementNames, '__len__'):\n raise TypeError('Element name should be a array of strings.' +\n 'I rece...
def x(self, elementName): if not isinstance(elementName, str): raise TypeError('Element name should be a string .' + 'I receive this {0}'.format(elementName)) return True if elementName == '*' else self._evaluateString(elementName)
isObservableElement
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elementName):\n if not isinstance(elementName, str):\n raise TypeError('Element name should be a string .' +\n 'I receive this {0}'....
def x(self, observableElement): if observableElement not in self._observables: self._observables.append(observableElement) else: raise RuntimeError('{0} is already an observable element'.format( observableElement))
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observableElement):\n if observableElement not in self._observables:\n self._observables.append(observableElement)\n else:\n raise Ru...
def x(self, observableElement): if observableElement in self._observables: self._observables.remove(observableElement)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, observableElement):\n if observableElement in self._observables:\n self._observables.remove(observableElement)\n", "role": "user" }, { ...
def x(self): if self.prompt_check('Download and install kafka'): self.kafka_install() if self.prompt_check('Configure and autostart kafka'): self.kafka_config()
install_config_kafka
[ { "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.prompt_check('Download and install kafka'):\n self.kafka_install()\n if self.prompt_check('Configure and autostart kafka'):\n ...
def x(self): if self.prompt_check('Download and install elasticsearch'): self.elastic_install() if self.prompt_check('Configure and autostart elasticsearch'): self.elastic_config()
install_config_elastic
[ { "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.prompt_check('Download and install elasticsearch'):\n self.elastic_install()\n if self.prompt_check('Configure and autostart elas...
def x(self): if self.prompt_check('Download and install logstash'): self.logstash_install() if self.prompt_check('Configure and autostart logstash'): self.logstash_config()
install_config_logstash
[ { "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.prompt_check('Download and install logstash'):\n self.logstash_install()\n if self.prompt_check('Configure and autostart logstash...
def x(self): if self.prompt_check('Download and install kibana'): self.kibana_install() if self.prompt_check('Configure and autostart kibana'): self.kibana_config()
install_config_kibana
[ { "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.prompt_check('Download and install kibana'):\n self.kibana_install()\n if self.prompt_check('Configure and autostart kibana'):\n ...
def x(self): if self.prompt_check('Download and install hadoop'): self.hadoop_install() if self.prompt_check('Download and install spark'): self.spark_install() if self.prompt_check('Configure spark'): self.spark_config()
install_config_spark
[ { "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.prompt_check('Download and install hadoop'):\n self.hadoop_install()\n if self.prompt_check('Download and install spark'):\n ...
def x(self): master = self.args.config[1] slave = self.args.add_slave self.reset_server_env(slave, self.configure) if self.prompt_check('Update package at slave server'): self.update_source_list() self.common_update_sys() if self.prompt_check('Install java and python at slave server'): self.java_install() sudo('apt-get install -y python python3 python-dev python3-dev') if not self.args.skip_master: if self.prompt_check('Generate ssh key at Master Server'): self.generate_ssh(master, self.args, self.configure) if self.prompt_check('Make ssh connection within master and slave'): self.generate_ssh(slave, self.args, self.configure) run('scp ~/.ssh/id_rsa.pub {0}@{1}:~/.ssh/id_rsa.pub.{2}'.format( self.configure[master]['user'], self.configure[master]['host'], slave)) self.reset_server_env(master, self.configure) run('cat ~/.ssh/id_rsa.pub* >> ~/.ssh/authorized_keys') run('scp ~/.ssh/authorized_keys {0}@{1}:~/.ssh'.format(self. configure[slave]['user'], self.configure[slave]['host'])) if self.prompt_check('Configure master and slave server'): master = self.args.config[1] slave = self.args.add_slave if self.args.bigdata_app == 'spark': self.add_spark_slave(master, slave, self.configure)
add_slave_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n master = self.args.config[1]\n slave = self.args.add_slave\n self.reset_server_env(slave, self.configure)\n if self.prompt_check('Update p...
def x(url, comes_from=None): match = _scheme_re.search(url) if match: scheme = match.group(1).lower() if scheme == 'file' and comes_from and comes_from.startswith('http'): raise InstallationError( 'Requirements file %s references URL %s, which is local' % (comes_from, url)) if scheme == 'file': path = url.split(':', 1)[1] path = path.replace('\\', '/') match = _url_slash_drive_re.match(path) if match: path = match.group(1) + ':' + path.split('|', 1)[1] path = urllib.unquote(path) if path.startswith('/'): path = '/' + path.lstrip('/') url = path else: resp = urlopen(url) return geturl(resp), resp.read() try: f = open(url) content = f.read() except IOError: e = sys.exc_info()[1] raise InstallationError('Could not open requirements file: %s' % str(e) ) else: f.close() return url, content
get_file_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, comes_from=None):\n match = _scheme_re.search(url)\n if match:\n scheme = match.group(1).lower()\n if scheme == 'file' and comes_from ...
def x(url): assert url.startswith('file:' ), 'You can only turn file: urls into filenames (not %r)' % url path = url[len('file:'):].lstrip('/') path = urllib.unquote(path) if _url_drive_re.match(path): path = path[0] + ':' + path[2:] else: path = '/' + path return path
url_to_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n assert url.startswith('file:'\n ), 'You can only turn file: urls into filenames (not %r)' % url\n path = url[len('file:'):].lstrip('/')\n ...
def x(path): path = os.path.normcase(os.path.abspath(path)) if _drive_re.match(path): path = path[0] + '|' + path[2:] url = urllib.quote(path) url = url.replace(os.path.sep, '/') url = url.lstrip('/') return 'file:///' + url
path_to_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n path = os.path.normcase(os.path.abspath(path))\n if _drive_re.match(path):\n path = path[0] + '|' + path[2:]\n url = urllib.quote(path...
def x(path): path = os.path.normpath(os.path.abspath(path)) drive, path = os.path.splitdrive(path) filepath = path.split(os.path.sep) url = '/'.join([urllib.quote(part) for part in filepath]) if not drive: url = url.lstrip('/') return 'file:///' + drive + url
path_to_url2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n path = os.path.normpath(os.path.abspath(path))\n drive, path = os.path.splitdrive(path)\n filepath = path.split(os.path.sep)\n url = '/'.j...
def x(urllib2_resp): url = urllib2_resp.geturl() scheme, rest = url.split(':', 1) if rest.startswith('//'): return url else: return '%s://%s' % (scheme, rest)
geturl
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(urllib2_resp):\n url = urllib2_resp.geturl()\n scheme, rest = url.split(':', 1)\n if rest.startswith('//'):\n return url\n else:\n re...
def x(self, url): if isinstance(url, string_types): url = urllib2.Request(url, headers={'Accept-encoding': 'identity'}) return url
get_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n if isinstance(url, string_types):\n url = urllib2.Request(url, headers={'Accept-encoding': 'identity'})\n return url\n", "role":...
def x(self, url, username=None, password=None): scheme, netloc, path, query, frag = urlparse.urlsplit(url) req = self.get_request(url) stored_username, stored_password = self.passman.find_user_password(None, netloc) if stored_username is None: if username is None and self.prompting: username = urllib.quote(raw_input('User for %s: ' % netloc)) password = urllib.quote(getpass.getpass('Password: ')) if username and password: self.passman.add_password(None, netloc, username, password) stored_username, stored_password = self.passman.find_user_password(None , netloc) authhandler = urllib2.HTTPBasicAuthHandler(self.passman) opener = urllib2.build_opener(authhandler) return opener.open(req)
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, username=None, password=None):\n scheme, netloc, path, query, frag = urlparse.urlsplit(url)\n req = self.get_request(url)\n stored_username...
def x(self, proxystr='', prompting=True): self.prompting = prompting proxy = self.get_proxy(proxystr) if proxy: proxy_support = urllib2.ProxyHandler({'http': proxy, 'ftp': proxy}) opener = urllib2.build_opener(proxy_support, urllib2.CacheFTPHandler) urllib2.install_opener(opener)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proxystr='', prompting=True):\n self.prompting = prompting\n proxy = self.get_proxy(proxystr)\n if proxy:\n proxy_support = urllib2.Proxy...
def x(self, url): if isinstance(url, urllib2.Request): result = urlparse.urlsplit(url.get_full_url()) else: result = urlparse.urlsplit(url) scheme, netloc, path, query, frag = result username, password = self.parse_credentials(netloc) if username is None: return url, None, None elif password is None and self.prompting: netloc = netloc.replace('%s@' % username, '', 1) prompt = 'Password for %s@%s: ' % (username, netloc) password = urllib.quote(getpass.getpass(prompt)) else: netloc = netloc.replace('%s:%s@' % (username, password), '', 1) target_url = urlparse.urlunsplit((scheme, netloc, path, query, frag)) return target_url, username, password
extract_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n if isinstance(url, urllib2.Request):\n result = urlparse.urlsplit(url.get_full_url())\n else:\n result = urlparse.urlsplit(ur...
def x(self, proxystr=''): if not proxystr: proxystr = os.environ.get('HTTP_PROXY', '') if proxystr: if '@' in proxystr: user_password, server_port = proxystr.split('@', 1) if ':' in user_password: user, password = user_password.split(':', 1) else: user = user_password prompt = 'Password for %s@%s: ' % (user, server_port) password = urllib.quote(getpass.getpass(prompt)) return '%s:%s@%s' % (user, password, server_port) else: return proxystr else: return None
get_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proxystr=''):\n if not proxystr:\n proxystr = os.environ.get('HTTP_PROXY', '')\n if proxystr:\n if '@' in proxystr:\n user...
def x(func): @wraps(func) def x(*args, **kwargs): if args[0] < 1 or args[0] > 40: raise ValueError('Page Number not found') return func(*args, **kwargs) return wrapper
pageassert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n if args[0] < 1 or args[0] > 40:\n raise ValueError('Page Number not found')\n ...
def x(self, args): parser = CommandArgumentParser('mfa') parser.add_argument(dest='token', help='MFA token value') parser.add_argument('-p', '--profile', dest='awsProfile', default= AwsConnectionFactory.instance.getProfile(), help='MFA token value') args = vars(parser.parse_args(args)) token = args['token'] awsProfile = args['awsProfile'] arn = AwsConnectionFactory.instance.load_arn(awsProfile) credentials_command = ['aws', '--profile', awsProfile, '--output', 'json', 'sts', 'get-session-token', '--serial-number', arn, '--token-code', token] output = run_cmd(credentials_command) credentials = json.loads('\n'.join(output.stdout))['Credentials'] AwsConnectionFactory.instance.setMfaCredentials(credentials, awsProfile)
do_mfa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n parser = CommandArgumentParser('mfa')\n parser.add_argument(dest='token', help='MFA token value')\n parser.add_argument('-p', '--profil...
def x(self, args): parser = CommandArgumentParser('config') subparsers = parser.add_subparsers(help='sub-command help', dest='command') subparsers._parser_class = argparse.ArgumentParser parserPrint = subparsers.add_parser('print', help= 'Print the current configuration') parserPrint.add_argument(dest='keys', nargs='*', help='Key(s) to print') parserSet = subparsers.add_parser('set', help='Set a configuration value') parserSave = subparsers.add_parser('save', help= 'Save the current configuration') parserReload = subparsers.add_parser('reload', help= 'Reload the configuration from disk') args = vars(parser.parse_args(args)) print('Command:{}'.format(args['command'])) {'print': AwsProcessor.sub_configPrint, 'set': AwsProcessor. sub_configSet, 'save': AwsProcessor.sub_configSave, 'reload': AwsProcessor.sub_configReload}[args['command']](self, args)
do_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n parser = CommandArgumentParser('config')\n subparsers = parser.add_subparsers(help='sub-command help', dest='command')\n subparsers._pa...
def x(timestring): for parser in _PARSERS: match = parser['pattern'].match(timestring) if match: groups = match.groups() ints = tuple(map(int, groups)) time = parser['factory'](ints) return time raise TimeError('Unsupported time format {}'.format(timestring))
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timestring):\n for parser in _PARSERS:\n match = parser['pattern'].match(timestring)\n if match:\n groups = match.groups()\n ...