source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(parent, local): context = {} for k, v in parent.items(): if type(v) == dict: d = v.copy() d.update(local.get(k, {})) context[k] = d elif type(v) == list: context[k] = v + ensure_list(local.get(k, [])) else: context[k] = local.get(k, v) for k in (set(local.keys()) - set(parent.keys())): context[k] = local[k] return context
reduce_contexts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent, local):\n context = {}\n for k, v in parent.items():\n if type(v) == dict:\n d = v.copy()\n d.update(local.get(k, {}...
def x(module, definitions): assert module in definitions, "No definition for module '%s'" % module d = definitions[module] if type(d) == dict: if 'filename' in d: with open(d['filename']) as f: return [f.read().strip()] elif 'reference' in d: return resolve_module(d['reference'], definitions) elif 'group' in d: return sum([resolve_module(m, definitions) for m in d['group']], [] ) else: assert False else: assert type(d) == str return [d]
resolve_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module, definitions):\n assert module in definitions, \"No definition for module '%s'\" % module\n d = definitions[module]\n if type(d) == dict:\n ...
def x(spec, parent_context): test_specs = {k: v for k, v in spec.items() if k.startswith('Test')} local_context = {k: v for k, v in spec.items() if not k.startswith('Test')} context = reduce_contexts(parent_context, local_context) if test_specs: return {k: canonicalize_spec(v, context) for k, v in test_specs.items() } else: program_chunks = sum([resolve_module(m, context['Definitions']) for m in context['Modules']], []) + [context['Program']] test_spec = {'Arguments': context['Arguments'], 'Program': '\n'. join(program_chunks), 'Expect': context['Expect']} return test_spec
canonicalize_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, parent_context):\n test_specs = {k: v for k, v in spec.items() if k.startswith('Test')}\n local_context = {k: v for k, v in spec.items() if not k.s...
def x(spec, prefix, joiner=' :: '): if any(filter(operator.methodcaller('startswith', 'Test'), spec.keys())): flat_spec = {} for k, v in spec.items(): flat_spec.update(flatten_spec(v, prefix + joiner + k[5:])) return flat_spec else: return {('Test ' + prefix): spec}
flatten_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, prefix, joiner=' :: '):\n if any(filter(operator.methodcaller('startswith', 'Test'), spec.keys())):\n flat_spec = {}\n for k, v in spec....
def x(stanzas_file): f = stanzas_file.readlines() stanzas = [] for i, line in enumerate(f): if i % 4 == 0: stanza_words = line.strip().split()[1:] stanzas.append(Stanza(stanza_words)) return stanzas
load_stanzas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stanzas_file):\n f = stanzas_file.readlines()\n stanzas = []\n for i, line in enumerate(f):\n if i % 4 == 0:\n stanza_words = line.s...
def x(stanzas): return sorted(list(set().union(*[stanza.words for stanza in stanzas])))
get_wordlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stanzas):\n return sorted(list(set().union(*[stanza.words for stanza in stanzas])))\n", "role": "user" }, { "content": "get_wordlist", "role...
def x(stanza, scheme): rhymelists = defaultdict(list) for rhyme_group, word_index in zip(scheme, stanza.word_indices): rhymelists[rhyme_group].append(word_index) return list(rhymelists.values())
get_rhymelists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stanza, scheme):\n rhymelists = defaultdict(list)\n for rhyme_group, word_index in zip(scheme, stanza.word_indices):\n rhymelists[rhyme_group].app...
def x(wordlist, distance_function): n = len(wordlist) t_table = numpy.zeros((n, n + 1)) for r, w in enumerate(wordlist): for c, v in enumerate(wordlist): if c < r: t_table[r, c] = t_table[c, r] else: t_table[r, c] = distance_function(w, v) + 0.001 t_table[:, n] = numpy.mean(t_table[:, :-1], axis=1) t_totals = numpy.sum(t_table, axis=0) for i, t_total in enumerate(t_totals.tolist()): t_table[:, i] /= t_total return t_table
init_distance_ttable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wordlist, distance_function):\n n = len(wordlist)\n t_table = numpy.zeros((n, n + 1))\n for r, w in enumerate(wordlist):\n for c, v in enumerat...
def x(wordlist): n = len(wordlist) return numpy.ones((n, n + 1)) * (1 / n)
init_uniform_ttable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wordlist):\n n = len(wordlist)\n return numpy.ones((n, n + 1)) * (1 / n)\n", "role": "user" }, { "content": "init_uniform_ttable", "role"...
def x(word1, word2): return sum([(1) for c in word1 if c in word2]) / max(len(word1), len(word2) )
basic_word_sim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word1, word2):\n return sum([(1) for c in word1 if c in word2]) / max(len(word1), len(word2)\n )\n", "role": "user" }, { "content": "basi...
def x(t_table, stanza, scheme): myprob = 1 rhymelists = get_rhymelists(stanza, scheme) for rhymelist in rhymelists: for i, word_index in enumerate(rhymelist): if i == 0: myprob *= t_table[word_index, -1] else: for word_index2 in rhymelist[:i]: myprob *= t_table[word_index, word_index2] if myprob == 0 and len(stanza) > 30: myprob = 1e-300 return myprob
post_prob_scheme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t_table, stanza, scheme):\n myprob = 1\n rhymelists = get_rhymelists(stanza, scheme)\n for rhymelist in rhymelists:\n for i, word_index in enum...
def x(t_table, stanzas, schemes, rprobs): probs = numpy.zeros((len(stanzas), schemes.num_schemes)) for i, stanza in enumerate(stanzas): scheme_indices = schemes.get_schemes_for_len(len(stanza)) for scheme_index in scheme_indices: scheme = schemes.scheme_list[scheme_index] probs[i, scheme_index] = post_prob_scheme(t_table, stanza, scheme) probs = numpy.dot(probs, numpy.diag(rprobs)) scheme_sums = numpy.sum(probs, axis=1) for i, scheme_sum in enumerate(scheme_sums.tolist()): if scheme_sum > 0: probs[i, :] /= scheme_sum return probs
expectation_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t_table, stanzas, schemes, rprobs):\n probs = numpy.zeros((len(stanzas), schemes.num_schemes))\n for i, stanza in enumerate(stanzas):\n scheme_ind...
def x(num_words, stanzas, schemes, probs): t_table = numpy.zeros((num_words, num_words + 1)) rprobs = numpy.ones(schemes.num_schemes) for i, stanza in enumerate(stanzas): scheme_indices = schemes.get_schemes_for_len(len(stanza)) for scheme_index in scheme_indices: myprob = probs[i, scheme_index] rprobs[scheme_index] += myprob scheme = schemes.scheme_list[scheme_index] rhymelists = get_rhymelists(stanza, scheme) for rhymelist in rhymelists: for j, word_index in enumerate(rhymelist): t_table[word_index, -1] += myprob for word_index2 in (rhymelist[:j] + rhymelist[j + 1:]): t_table[word_index, word_index2] += myprob t_table_sums = numpy.sum(t_table, axis=0) for i, t_table_sum in enumerate(t_table_sums.tolist()): if t_table_sum != 0: t_table[:, i] /= t_table_sum totrprob = numpy.sum(rprobs) rprobs /= totrprob return t_table, rprobs
maximization_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num_words, stanzas, schemes, probs):\n t_table = numpy.zeros((num_words, num_words + 1))\n rprobs = numpy.ones(schemes.num_schemes)\n for i, stanza in...
def x(t_table, wordlist, stanzas, schemes, rprobs, maxsteps): data_probs = numpy.zeros(len(stanzas)) old_data_probs = None probs = None num_words = len(wordlist) ctr = 0 for ctr in range(maxsteps): logging.info('Iteration {}'.format(ctr)) old_data_probs = data_probs logging.info('Expectation step') probs = expectation_step(t_table, stanzas, schemes, rprobs) logging.info('Maximization step') t_table, rprobs = maximization_step(num_words, stanzas, schemes, probs) data_probs = numpy.logaddexp.reduce(probs, axis=1) if ctr == maxsteps - 1 and not numpy.allclose(data_probs, old_data_probs): logging.warning('Warning: EM did not converge') logging.info('Stopped after {} interations'.format(ctr)) return probs
iterate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t_table, wordlist, stanzas, schemes, rprobs, maxsteps):\n data_probs = numpy.zeros(len(stanzas))\n old_data_probs = None\n probs = None\n num_words...
def x(probs, stanzas, schemes): results = [] for i, stanza in enumerate(stanzas): best_scheme = schemes.scheme_list[numpy.argmax(probs[i, :])] results.append((stanza.words, best_scheme)) return results
get_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(probs, stanzas, schemes):\n results = []\n for i, stanza in enumerate(stanzas):\n best_scheme = schemes.scheme_list[numpy.argmax(probs[i, :])]\n ...
def x(results, outfile): for stanza_words, scheme in results: outfile.write(str(' ').join(stanza_words) + str('\n')) outfile.write(str(' ').join(map(str, scheme)) + str('\n\n')) outfile.close() logging.info('Wrote result')
print_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(results, outfile):\n for stanza_words, scheme in results:\n outfile.write(str(' ').join(stanza_words) + str('\\n'))\n outfile.write(str(' ').j...
def x(args_list=None): args_list = args_list or sys.argv[1:] parser = argparse.ArgumentParser(description= 'Discover schemes of given stanza file') parser.add_argument('infile', type=argparse.FileType('r')) parser.add_argument('outfile', help= 'Where the result is written to. Default: stdout', nargs='?', type= argparse.FileType('w'), default=sys.stdout) parser.add_argument('-t --init-type', help= 'Whether to initialize theta uniformly (u), with the orthographic similarity measure (o), or using CELEX pronunciations and definition of rhyme (p). The last one requires you to have CELEX on your machine.' , dest='init_type', choices=('u', 'o', 'p', 'd'), default='o') parser.add_argument('-i, --iterations', help= 'Number of iterations (default: 10)', dest='num_iterations', type= int, default=10) parser.add_argument('-v', '--verbose', help='Verbose output', action= 'store_const', dest='loglevel', const=logging.INFO) args = parser.parse_args(args_list) logging.basicConfig(level=args.loglevel) stanzas = load_stanzas(args.infile) init_function = None if args.init_type == 'u': init_function = init_uniform_ttable elif args.init_type == 'o': init_function = init_basicortho_ttable elif args.init_type == 'p': init_function = celex.init_perfect_ttable elif args.init_type == 'd': init_function = init_difflib_ttable results = find_schemes(stanzas, init_function, args.num_iterations) print_results(results, args.outfile)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args_list=None):\n args_list = args_list or sys.argv[1:]\n parser = argparse.ArgumentParser(description=\n 'Discover schemes of given stanza file'...
def x(self, wordlist): self.word_indices = [wordlist.index(word) for word in self.words]
set_word_indices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, wordlist):\n self.word_indices = [wordlist.index(word) for word in self.words]\n", "role": "user" }, { "content": "set_word_indices", ...
def x(self): schemes = json.loads(self.scheme_file.read(), object_pairs_hook=OrderedDict ) scheme_list = [] scheme_dict = defaultdict(list) for scheme_len, scheme_group in schemes.items(): for scheme_str, _count in scheme_group: scheme_code = tuple(int(c) for c in scheme_str.split(' ')) scheme_list.append(scheme_code) scheme_dict[int(scheme_len)].append(len(scheme_list) - 1) return scheme_list, scheme_dict
parse_scheme_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n schemes = json.loads(self.scheme_file.read(), object_pairs_hook=OrderedDict\n )\n scheme_list = []\n scheme_dict = defaultdict(list)\n...
def x(self, match_result): full_path = match_result['full_path'] path = self._get_relative_path(full_path) return LinterOutput(self.name, path, match_result['msg'])
create_output_from_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, match_result):\n full_path = match_result['full_path']\n path = self._get_relative_path(full_path)\n return LinterOutput(self.name, path, match_...
def x(self, lines): patterns = [re.compile('^(.+?):(\\d+)'), re.compile('^\\s+(.+)$')] for i, line in enumerate(lines): if i % 2 == 0: path, line_nr = patterns[0].match(line).groups() else: msg = patterns[1].match(line).group(1) yield LinterOutput(self.name, path, msg, line_nr)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lines):\n patterns = [re.compile('^(.+?):(\\\\d+)'), re.compile('^\\\\s+(.+)$')]\n for i, line in enumerate(lines):\n if i % 2 == 0:\n ...
def x(self, lines): pattern = re.compile( """^(?P<path>.+?) :(?P<msg>.+) :(?P<line_nr>\\d+?) :(?P<col>\\d+?)$""" , re.VERBOSE) return self._parse_by_pattern(lines, pattern)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lines):\n pattern = re.compile(\n \"\"\"^(?P<path>.+?)\n :(?P<msg>.+)\n :(?P<li...
def x(log, objectId, mjd, settings, obscode=500, verbose=False, astorbPath= False): log.debug('starting the ``orbfit_ephemeris`` function') global cmdList if not isinstance(mjd, list): mjdList = [str(mjd)] else: mjdList = mjd if not isinstance(objectId, list): objectList = [objectId] else: objectList = objectId ephem = settings['path to ephem binary'] home = expanduser('~') results = [] tmpCmdList = [] for o in objectList: for m in mjdList: if not isinstance(o, int) and "'" in o: cmd = '%(ephem)s %(obscode)s %(m)s "%(o)s" ' % locals() else: cmd = "%(ephem)s %(obscode)s %(m)s '%(o)s'" % locals() if astorbPath: cmd += " '%(astorbPath)s'" % locals() tmpCmdList.append((cmd, o)) def x(l, n): for i in range(0, len(l), n): yield l[i:i + n] cmdList = [c for c in chunks(tmpCmdList, 10)] results = fmultiprocess(log=log, function=_generate_one_ephemeris, inputArray=range(len(cmdList))) if verbose == True: order = ['object_name', 'mjd', 'ra_deg', 'dec_deg', 'apparent_mag', 'observer_distance', 'heliocentric_distance', 'phase_angle', 'obscode', 'sun_obs_target_angle', 'galactic_latitude', 'ra_arcsec_per_hour', 'dec_arcsec_per_hour'] else: order = ['object_name', 'mjd', 'ra_deg', 'dec_deg', 'apparent_mag', 'observer_distance', 'heliocentric_distance', 'phase_angle'] resultList = [] for r2 in results: if not r2: continue for r in r2: if not r: continue orderDict = collections.OrderedDict({}) for i in order: orderDict[i] = r[i] resultList.append(orderDict) log.debug('completed the ``orbfit_ephemeris`` function') return resultList
orbfit_ephemeris
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log, objectId, mjd, settings, obscode=500, verbose=False, astorbPath=\n False):\n log.debug('starting the ``orbfit_ephemeris`` function')\n global cmd...
def x(short): return indent(short, branch_method=html_block_tag, leaf_method= convert_line, pass_syntax=PASS_SYNTAX, flush_left_syntax= FLUSH_LEFT_SYNTAX, flush_left_empty_line=FLUSH_LEFT_EMPTY_LINE, indentation_method=find_indentation)
text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(short):\n return indent(short, branch_method=html_block_tag, leaf_method=\n convert_line, pass_syntax=PASS_SYNTAX, flush_left_syntax=\n FLUSH_...
def x(prefix_lines): prefix, line = prefix_lines[0] len_prefix = len(prefix) i = 1 while i < len(prefix_lines): new_prefix, line = prefix_lines[i] if line and len(new_prefix) <= len_prefix: break i += 1 while i - 1 > 0 and prefix_lines[i - 1][1] == '': i -= 1 return i
get_indented_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix_lines):\n prefix, line = prefix_lines[0]\n len_prefix = len(prefix)\n i = 1\n while i < len(prefix_lines):\n new_prefix, line = prefi...
def x(text, branch_method, leaf_method, pass_syntax, flush_left_syntax, flush_left_empty_line, indentation_method, get_block=get_indented_block): text = text.rstrip() lines = text.split('\n') if lines and lines[0].startswith('!! '): lines[0] = lines[0].replace('!! ', '<!DOCTYPE ') + '>' output = [] indent_lines(lines, output, branch_method, leaf_method, pass_syntax, flush_left_syntax, flush_left_empty_line, indentation_method, get_block=get_indented_block) return '\n'.join(output) + '\n'
indent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, branch_method, leaf_method, pass_syntax, flush_left_syntax,\n flush_left_empty_line, indentation_method, get_block=get_indented_block):\n text = te...
def x(lines, output, branch_method, leaf_method, pass_syntax, flush_left_syntax, flush_left_empty_line, indentation_method, get_block): append = output.append def x(prefix_lines): while prefix_lines: prefix, line = prefix_lines[0] if line == '': prefix_lines.pop(0) append('') continue block_size = get_block(prefix_lines) if block_size == 1: prefix_lines.pop(0) if line == pass_syntax: pass elif line.startswith(flush_left_syntax): append(line[len(flush_left_syntax):]) elif line.startswith(flush_left_empty_line): append('') else: append(prefix + leaf_method(line)) else: block = prefix_lines[:block_size] prefix_lines = prefix_lines[block_size:] branch_method(output, block, recurse) return prefix_lines = list(map(indentation_method, lines)) recurse(prefix_lines)
indent_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lines, output, branch_method, leaf_method, pass_syntax,\n flush_left_syntax, flush_left_empty_line, indentation_method, get_block):\n append = output.app...
def x(amend: bool=False, stage: bool=False): LOGGER.info('writing requirements') base_cmd = 'pipenv lock -r' _write_reqs_file(f'{base_cmd}', 'requirements.txt') _write_reqs_file(f'{base_cmd} -d', 'requirements-dev.txt') files_to_add = ['Pipfile', 'requirements.txt', 'requirements-dev.txt'] if amend: CTX.repo.amend_commit(append_to_msg='update requirements [auto]', files_to_add=files_to_add) elif stage: CTX.repo.stage_subset(*files_to_add)
write_reqs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(amend: bool=False, stage: bool=False):\n LOGGER.info('writing requirements')\n base_cmd = 'pipenv lock -r'\n _write_reqs_file(f'{base_cmd}', 'requirem...
def x(amend: bool=False, stage: bool=False): changed_files = CTX.repo.changed_files() if ('requirements.txt' in changed_files or 'requirements-dev.txt' in changed_files): LOGGER.error('Requirements have changed; cannot update them') sys.exit(-1) _write_reqs(amend, stage)
reqs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(amend: bool=False, stage: bool=False):\n changed_files = CTX.repo.changed_files()\n if ('requirements.txt' in changed_files or 'requirements-dev.txt' in\...
def x(data, size): for i in range(0, len(data), size): yield data[i:i + size]
chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, size):\n for i in range(0, len(data), size):\n yield data[i:i + size]\n", "role": "user" }, { "content": "chunks", "role": "ass...
def x(): client_1 = MessageBot('verne', 'Jules Verne') client_1.start() client_1.connect('127.0.0.1') client_2 = MessageBot('adams', 'Douglas Adams') client_2.start() client_2.connect('127.0.0.1') herald_1 = Herald(client_1) herald_1.start() herald_2 = Herald(client_2) herald_2.start() handler = LogHandler() herald_1.register('/toto/*', handler) herald_2.register('/toto/*', handler) cmd = HeraldBot('bot', 'Robotnik', herald_1) cmd.connect('127.0.0.1') cmd.wait_stop() for closable in (client_1, client_2, herald_1, herald_2): closable.close() logging.info('Bye !')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n client_1 = MessageBot('verne', 'Jules Verne')\n client_1.start()\n client_1.connect('127.0.0.1')\n client_2 = MessageBot('adams', 'Douglas Ada...
def x(self, host, port=6667, password=None): self._irc.add_global_handler('all_events', self.__handler) self._connection = self._irc.server().connect(host, port, self. _nickname, password, self._username, self._realname) self.__stopped.clear() self.__thread = threading.Thread(target=self.__loop, name='IRC-Bot-Loop') self.__thread.daemon = True self.__thread.start()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host, port=6667, password=None):\n self._irc.add_global_handler('all_events', self.__handler)\n self._connection = self._irc.server().connect(host,...
def x(self, connection, event): try: method = getattr(self, 'on_{0}'.format(event.type)) except AttributeError: pass else: try: return method(connection, event) except Exception as ex: logging.exception('Error calling handler: %s', ex)
handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, event):\n try:\n method = getattr(self, 'on_{0}'.format(event.type))\n except AttributeError:\n pass\n else:\n ...
def x(self): if self._connection is not None: self._connection.disconnect('Bot is quitting') self._connection.close() self._connection = None self.__stopped.set() if self.__thread is not None: try: self.__thread.join(5) except RuntimeError: pass self.__thread = None
close
[ { "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._connection is not None:\n self._connection.disconnect('Bot is quitting')\n self._connection.close()\n self._connectio...
def x(self, timeout=None): self.__stopped.wait(timeout) return self.__stopped.is_set()
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n self.__stopped.wait(timeout)\n return self.__stopped.is_set()\n", "role": "user" }, { "content": "wait", "role": "...
def x(self, connection, event): self.__pool.start() logging.info("! Connected to server '%s': %s", event.source, event. arguments[0]) connection.join('#cohorte')
on_welcome
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, event):\n self.__pool.start()\n logging.info(\"! Connected to server '%s': %s\", event.source, event.\n arguments[0])\n conne...
def x(self, connection, event): sender = self.get_nick(event.source) channel = event.target message = event.arguments[0] self.handle_message(connection, sender, channel, message)
on_pubmsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, event):\n sender = self.get_nick(event.source)\n channel = event.target\n message = event.arguments[0]\n self.handle_message(conn...
def x(self, connection, event): sender = self.get_nick(event.source) message = event.arguments[0] if sender == 'NickServ': logging.info('Got message from NickServ: %s', message) if 'password' in message.lower(): connection.privmsg('NickServ', 'pass') else: connection.join('#cohorte') return self.handle_message(connection, sender, sender, message)
on_privmsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, event):\n sender = self.get_nick(event.source)\n message = event.arguments[0]\n if sender == 'NickServ':\n logging.info('Got ...
def x(self, connection, sender, target, message): parts = message.strip().split(' ', 2) if parts and parts[0].lower() == '!bot': try: command = parts[1].lower() except IndexError: self.safe_send(connection, target, 'No command given') return try: payload = parts[2] except IndexError: payload = '' self.__pool.enqueue(self._handle_command, connection, sender, target, command, payload)
handle_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, message):\n parts = message.strip().split(' ', 2)\n if parts and parts[0].lower() == '!bot':\n try:\n ...
def x(self, connection, event): sender = self.get_nick(event.source) invited = self.get_nick(event.target) channel = event.arguments[0] if invited == self._nickname: logging.info('! I am invited to %s by %s', channel, sender) connection.join(channel) else: logging.info('>> %s invited %s to %s', sender, invited, channel)
on_invite
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, event):\n sender = self.get_nick(event.source)\n invited = self.get_nick(event.target)\n channel = event.arguments[0]\n if invite...
def x(self, connection, sender, target, command, payload): try: handler = getattr(self, 'cmd_{0}'.format(command)) except AttributeError: self.safe_send(connection, target, 'Unknown command: %s', command) else: try: logging.info('! Handling command: %s', command) handler(connection, sender, target, payload) except Exception as ex: logging.exception('Error calling command handler: %s', ex)
handle_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, command, payload):\n try:\n handler = getattr(self, 'cmd_{0}'.format(command))\n except AttributeError:\n ...
def x(self, connection, target, message, *args, **kwargs): prefix = 'PRIVMSG {0} :'.format(target) max_len = 510 - len(prefix) for chunk in chunks(message.format(*args, **kwargs), max_len): connection.send_raw('{0}{1}'.format(prefix, chunk))
safe_send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, target, message, *args, **kwargs):\n prefix = 'PRIVMSG {0} :'.format(target)\n max_len = 510 - len(prefix)\n for chunk in chunks(mes...
def x(self, connection, sender, target, payload): msg_target, topic, content = self.parse_payload(payload) results = self.__herald.send(msg_target, topic, content) self.safe_send(connection, target, 'GOT RESULT: {0}'.format(results))
cmd_send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n msg_target, topic, content = self.parse_payload(payload)\n results = self.__herald.send(msg_target, topic, ...
def x(self, connection, sender, target, payload): msg_target, topic, content = self.parse_payload(payload) def x(sender, payload): logging.info('FIRE ACK from %s', sender) self.__herald.fire(msg_target, topic, content, callback)
cmd_fire
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n msg_target, topic, content = self.parse_payload(payload)\n\n def x(sender, payload):\n logging.info(...
def x(self, connection, sender, target, payload): msg_target, topic, content = self.parse_payload(payload) def x(sender, payload): logging.info('NOTICE ACK from %s: %s', sender, payload) self.__herald.notice(msg_target, topic, content, callback)
cmd_notice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n msg_target, topic, content = self.parse_payload(payload)\n\n def x(sender, payload):\n logging.info(...
def x(self, connection, sender, target, payload): msg_target, topic, content = self.parse_payload(payload) def x(sender, payload): logging.info('POST RES from %s: %s', sender, payload) self.__herald.post(msg_target, topic, content, callback)
cmd_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n msg_target, topic, content = self.parse_payload(payload)\n\n def x(sender, payload):\n logging.info(...
def x(self, connection, event): sender = self.get_nick(event.source) message = event.arguments[0] if sender == 'NickServ': logging.info('Got message from NickServ: %s', message) if 'password' in message.lower(): connection.privmsg('NickServ', 'pass') else: connection.join('#cohorte') return self._pool.enqueue(self.__on_message, connection, sender, message)
on_privmsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, event):\n sender = self.get_nick(event.source)\n message = event.arguments[0]\n if sender == 'NickServ':\n logging.info('Got ...
def x(self, connection, sender, message): if message.strip() == '!bot send': cycle = itertools.cycle(string.digits) content = ''.join(next(cycle) for _ in range(100)) self.send_message(sender, content) else: parts = message.split(':', 2) if not parts or parts[0] != 'HRLD': return if parts[1] == 'BEGIN': self._queue[parts[2]] = [] elif parts[1] == 'END': content = ''.join(self._queue.pop(parts[2])) self.__notify(sender, content) elif parts[1] == 'MSG': content = parts[2] self.__notify(sender, content) else: uid = parts[1] self._queue[uid].append(parts[2])
on_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, message):\n if message.strip() == '!bot send':\n cycle = itertools.cycle(string.digits)\n content = ''.join(next(cyc...
def x(self, sender, content): if self.handle_message is not None: try: self.handle_message(sender, content) except Exception as ex: logging.exception('Error calling message listener: %s', ex)
notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sender, content):\n if self.handle_message is not None:\n try:\n self.handle_message(sender, content)\n except Exception as e...
def x(self, uid, command=None): if command: return ':'.join(('HRLD', command, uid)) else: return ':'.join(('HRLD', uid))
make_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uid, command=None):\n if command:\n return ':'.join(('HRLD', command, uid))\n else:\n return ':'.join(('HRLD', uid))\n", "role": ...
def x(self, target, content, uid=None): prefix = 'PRIVMSG {0} :'.format(target) single_prefix = self._make_line('MSG:') single_prefix_len = len(single_prefix) max_len = 510 - len(prefix) content_len = len(content) if content_len + single_prefix_len < max_len: self._connection.send_raw('{0}{1}{2}'.format(prefix, single_prefix, content)) else: uid = uid or str(uuid.uuid4()).replace('-', '').upper() prefix = '{0}{1}:'.format(prefix, self._make_line(uid)) max_len = 510 - len(prefix) self._connection.privmsg(target, self._make_line(uid, 'BEGIN')) for chunk in chunks(content, max_len): self._connection.send_raw(''.join((prefix, chunk))) self._connection.privmsg(target, self._make_line(uid, 'END'))
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, content, uid=None):\n prefix = 'PRIVMSG {0} :'.format(target)\n single_prefix = self._make_line('MSG:')\n single_prefix_len = len(single...
def x(self, topic, content): return {'uid': str(uuid.uuid4()).replace('-', '').upper(), 'topic': topic, 'content': content}
make_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic, content):\n return {'uid': str(uuid.uuid4()).replace('-', '').upper(), 'topic':\n topic, 'content': content}\n", "role": "user" },...
def x(self, target, topic, content, callback=None): message = self.__make_message(topic, content) if callback is not None: self.__callbacks[message['uid']] = 'fire', callback self.__client.send_message(target, json.dumps(message), message['uid'])
fire
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, topic, content, callback=None):\n message = self.__make_message(topic, content)\n if callback is not None:\n self.__callbacks[messag...
def x(self, target, topic, content): event = threading.Event() results = [] def x(sender, content): results.append(content) event.set() self.post(target, topic, content, got_message) event.wait() return results
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target, topic, content):\n event = threading.Event()\n results = []\n\n def x(sender, content):\n results.append(content)\n event....
def x(self, sender, message): uid = message['uid'] msg_topic = message['topic'] self._ack(sender, uid, 'fire') all_listeners = set() for lst_topic, listeners in self.__listeners.items(): if fnmatch.fnmatch(msg_topic, lst_topic): all_listeners.update(listeners) self._ack(sender, uid, 'notice', 'ok' if all_listeners else 'none') try: results = [] for listener in all_listeners: result = listener.handle_message(sender, message['topic'], message['content']) if result: results.append(result) self._ack(sender, uid, 'send', json.dumps(results)) except: self._ack(sender, uid, 'send', 'Error')
notify_listeners
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sender, message):\n uid = message['uid']\n msg_topic = message['topic']\n self._ack(sender, uid, 'fire')\n all_listeners = set()\n for lst...
def x(self, sender, uid, level, payload=None): content = {'reply-to': uid, 'reply-level': level, 'payload': payload} self.__client.send_message(sender, json.dumps(content))
ack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sender, uid, level, payload=None):\n content = {'reply-to': uid, 'reply-level': level, 'payload': payload}\n self.__client.send_message(sender, jso...
def x(self, sender, content): try: message = json.loads(content) except (ValueError, TypeError) as ex: logging.error('Not a valid JSON string: %s', ex) return try: reply_uid = message['reply-to'] reply_level = message['reply-level'] except KeyError: logging.info('Got message %s from %s', message['content'], sender) self.__pool.enqueue(self._notify_listeners, sender, message) else: try: level, callback = self.__callbacks[reply_uid] except KeyError: pass else: if level == reply_level: try: callback(sender, message['payload']) except Exception as ex: logging.exception('Error notifying sender: %s', ex)
on_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sender, content):\n try:\n message = json.loads(content)\n except (ValueError, TypeError) as ex:\n logging.error('Not a valid JSON st...
def x(t): if re.match('[A-Za-z_]', peek(t.lexer)): t.lexer.push_state('property') return t
t_php_OBJECT_OPERATOR
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n if re.match('[A-Za-z_]', peek(t.lexer)):\n t.lexer.push_state('property')\n return t\n", "role": "user" }, { "content": "t_php_O...
def x(t): if '=' in t.value: t.type = 'OPEN_TAG_WITH_ECHO' t.lexer.lineno += t.value.count('\n') t.lexer.begin('php') return t
t_OPEN_TAG
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n if '=' in t.value:\n t.type = 'OPEN_TAG_WITH_ECHO'\n t.lexer.lineno += t.value.count('\\n')\n t.lexer.begin('php')\n return t\n", ...
def x(t): t.lexer.lineno += t.value.count('\n') t.lexer.begin('INITIAL') return t
t_php_CLOSE_TAG
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n t.lexer.lineno += t.value.count('\\n')\n t.lexer.begin('INITIAL')\n return t\n", "role": "user" }, { "content": "t_php_CLOSE_TAG", ...
def x(t): t.type = reserved_map.get(t.value.upper(), 'STRING') return t
t_php_STRING
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n t.type = reserved_map.get(t.value.upper(), 'STRING')\n return t\n", "role": "user" }, { "content": "t_php_STRING", "role": "assista...
def x(t): if re.match('[A-Za-z_]', peek(t.lexer)): t.lexer.push_state('varname') else: t.lexer.push_state('php') return t
t_quoted_DOLLAR_OPEN_CURLY_BRACES
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n if re.match('[A-Za-z_]', peek(t.lexer)):\n t.lexer.push_state('varname')\n else:\n t.lexer.push_state('php')\n return t\n", "r...
def x(t): if re.match('[A-Za-z_]', peek(t.lexer)): t.lexer.begin('varname') else: t.lexer.begin('php') return t
t_quotedvar_DOLLAR_OPEN_CURLY_BRACES
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n if re.match('[A-Za-z_]', peek(t.lexer)):\n t.lexer.begin('varname')\n else:\n t.lexer.begin('php')\n return t\n", "role": "use...
def x(t): t.lexer.lineno += t.value.count('\n') t.lexer.push_state('heredoc') t.lexer.heredoc_label = t.lexer.lexmatch.group('label') return t
t_php_START_HEREDOC
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n t.lexer.lineno += t.value.count('\\n')\n t.lexer.push_state('heredoc')\n t.lexer.heredoc_label = t.lexer.lexmatch.group('label')\n return t\n...
def x(t): if t.value == t.lexer.heredoc_label: del t.lexer.heredoc_label t.lexer.pop_state() else: t.type = 'ENCAPSED_AND_WHITESPACE' return t
t_heredoc_END_HEREDOC
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n if t.value == t.lexer.heredoc_label:\n del t.lexer.heredoc_label\n t.lexer.pop_state()\n else:\n t.type = 'ENCAPSED_AND_WHITES...
def x(t): t.lexer.lineno += t.value.count('\n') t.lexer.pop_state() return t
t_heredocvar_ENCAPSED_AND_WHITESPACE
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n t.lexer.lineno += t.value.count('\\n')\n t.lexer.pop_state()\n return t\n", "role": "user" }, { "content": "t_heredocvar_ENCAPSED_AN...
def x(self, client_key): if not self.clients.has_client(client_key): raise ClientNotExist() self.current_client = self.clients.get_client(client_key) return self
use
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_key):\n if not self.clients.has_client(client_key):\n raise ClientNotExist()\n self.current_client = self.clients.get_client(client_k...
def x(self, revision, is_amend=False): if not isinstance(revision, Revision): raise InvalidArgType() if not self.current_client: raise ClientNotSpecified() if is_amend: self.current_client.save(revision) else: self.current_client.write() self.current_client.save(revision) return self
commit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, revision, is_amend=False):\n if not isinstance(revision, Revision):\n raise InvalidArgType()\n if not self.current_client:\n raise Cl...
def x(self, client_key=None): if client_key is None and self.current_client is None: raise ClientNotExist() if client_key: if not self.clients.has_client(client_key): raise ClientNotExist() client = self.clients.get_client(client_key) return client.has_commit() if self.current_client: client = self.current_client return client.has_commit() return False
has_commit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_key=None):\n if client_key is None and self.current_client is None:\n raise ClientNotExist()\n if client_key:\n if not self.cl...
def x(ciprcfg, env, console): ciprcfg.create() templ_dir = path.join(env.skel_dir, 'default') console.quiet('Copying files from %s' % templ_dir) for src, dst in util.sync_dir_to(templ_dir, env.project_directory, ignore_existing=True): console.quiet(' %s -> %s' % (src, dst)) src = path.join(env.code_dir, 'cipr.dev.lua') dst = path.join(env.project_directory, 'cipr.lua') console.quiet(' %s -> %s' % (src, dst)) shutil.copy(src, dst)
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ciprcfg, env, console):\n ciprcfg.create()\n templ_dir = path.join(env.skel_dir, 'default')\n console.quiet('Copying files from %s' % templ_dir)\n ...
def x(env): files = [path.join(env.project_directory, 'cipr.lua')] for filename in files: if path.exists(filename): os.remove(filename) app.command.run(['init', env.project_directory])
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env):\n files = [path.join(env.project_directory, 'cipr.lua')]\n for filename in files:\n if path.exists(filename):\n os.remove(filenam...
def x(args, env, console, ciprcfg): for name in args: package_dir = path.join(env.package_dir, name) if path.exists(package_dir): console.quiet('Removing %s...' % name) if path.islink(package_dir): os.remove(package_dir) else: shutil.rmtree(package_dir) ciprcfg.remove_package(name)
uninstall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, env, console, ciprcfg):\n for name in args:\n package_dir = path.join(env.package_dir, name)\n if path.exists(package_dir):\n ...
def x(args, console, env, ciprcfg, opts): if len(args) == 0: if ciprcfg.exists: console.quiet('Installing current project packages...') for name, source in ciprcfg.packages.items(): if opts.upgrade: app.command.run(['install', '--upgrade', source]) else: app.command.run(['install', source]) else: console.error('No cipr project or package found.') return else: for source in args: package, name, version, type = _package_info(source) if not path.exists(env.package_dir): os.makedirs(env.package_dir) package_dir = path.join(env.package_dir, name) if path.exists(package_dir): if opts.upgrade: app.command.run(['uninstall', name]) else: console.quiet( 'Package %s already exists. Use --upgrade to force a re-install.' % name) return console.quiet('Installing %s...' % name) if type == 'git': tmpdir = tempfile.mkdtemp(prefix='cipr') clom.git.clone(package, tmpdir).shell.execute() if version: cmd = AND(clom.cd(tmpdir), clom.git.checkout(version)) cmd.shell.execute() package_json = path.join(tmpdir, 'package.json') if path.exists(package_json): shutil.move(tmpdir, package_dir) else: shutil.move(tmpdir, path.join(package_dir, name)) console.quiet('`%s` installed from git repo to `%s`' % ( name, package_dir)) elif path.exists(package): os.symlink(package, package_dir) else: console.error('Package `%s` type not recognized' % package) return pkg = Package(package_dir, source) ciprcfg.add_package(pkg) if pkg.dependencies: console.quiet('Installing dependancies...') for name, require in pkg.dependencies.items(): if opts.upgrade: app.command.run(['install', '--upgrade', require]) else: app.command.run(['install', require])
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, console, env, ciprcfg, opts):\n if len(args) == 0:\n if ciprcfg.exists:\n console.quiet('Installing current project packages...')\n ...
def x(ciprcfg, env, opts, console): for name, source in ciprcfg.packages.items(): console.normal('- %s' % name) if opts.long_details: console.normal(' - directory: %s' % path.join(env.package_dir, name)) console.normal(' - source: %s' % source)
packages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ciprcfg, env, opts, console):\n for name, source in ciprcfg.packages.items():\n console.normal('- %s' % name)\n if opts.long_details:\n ...
def x(env): os.putenv('CIPR_PACKAGES', env.package_dir) os.putenv('CIPR_PROJECT', env.project_directory) cmd = AND(clom.cd(path.dirname(env.project_directory)), clom[ CORONA_SIMULATOR_PATH](path.basename(env.project_directory))) try: cmd.shell.execute() except KeyboardInterrupt: pass
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env):\n os.putenv('CIPR_PACKAGES', env.package_dir)\n os.putenv('CIPR_PROJECT', env.project_directory)\n cmd = AND(clom.cd(path.dirname(env.project_di...
def x(env, ciprcfg, console): os.putenv('CIPR_PACKAGES', env.package_dir) os.putenv('CIPR_PROJECT', env.project_directory) build_settings = path.join(env.project_directory, 'build.settings') with open(build_settings, 'r') as f: data = f.read() m = _build_re.search(data) if m: ver = int(m.group(2)) data = data.replace(m.group(0), 'CFBundleVersion = "%d"' % (ver + 1)) with open(build_settings, 'w') as f: f.write(data) if path.exists(env.build_dir): shutil.rmtree(env.build_dir) os.makedirs(env.build_dir) if path.exists(env.dist_dir): shutil.rmtree(env.dist_dir) os.makedirs(env.dist_dir) console.normal('Building in %s' % env.build_dir) console.normal('Copy project files...') for src, dst in util.sync_dir_to(env.project_directory, env.build_dir, exclude=['.cipr', '.git', 'build', 'dist', '.*']): console.quiet(' %s -> %s' % (src, dst)) if src.endswith('.lua'): _fix_lua_module_name(src, dst) console.normal('Copy cipr packages...') for package in ciprcfg.packages.keys(): for src, dst in util.sync_lua_dir_to(path.join(env.package_dir, package), env.build_dir, exclude=['.git'], include=['*.lua']): console.quiet(' %s -> %s' % (src, dst)) if src.endswith('.lua'): _fix_lua_module_name(src, dst) src = path.join(env.code_dir, 'cipr.lua') dst = path.join(env.build_dir, 'cipr.lua') shutil.copy(src, dst) cmd = AND(clom.cd(env.build_dir), clom[CORONA_SIMULATOR_PATH](env. build_dir)) console.normal('Be sure to output your app to %s' % env.dist_dir) try: cmd.shell.execute() except KeyboardInterrupt: pass
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env, ciprcfg, console):\n os.putenv('CIPR_PACKAGES', env.package_dir)\n os.putenv('CIPR_PROJECT', env.project_directory)\n build_settings = path.join(...
def x(env, console): ipa_path, app_path = _get_ipa(env) output_dir = path.dirname(ipa_path) if path.exists(ipa_path): console.quiet('Removing %s' % ipa_path) os.remove(ipa_path) zf = zipfile.ZipFile(ipa_path, mode='w') payload_dir = 'Payload' for dirpath, dirnames, filenames in os.walk(app_path): for filename in filenames: filepath = path.join(dirpath, filename) prefix = path.commonprefix([filepath, path.dirname(app_path)]) write_path = path.join(payload_dir, filepath[len(prefix) + 1:]) console.quiet('Write %s' % write_path) zf.write(filepath, write_path) zf.close() console.quiet('Packaged %s' % ipa_path)
packageipa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env, console):\n ipa_path, app_path = _get_ipa(env)\n output_dir = path.dirname(ipa_path)\n if path.exists(ipa_path):\n console.quiet('Removing...
def x(env, console): for filepath in os.listdir(path.join(env.dir)): filename, ext = path.splitext(filepath) if ext == '.lua' and '.' in filename: paths, newfilename = filename.rsplit('.', 1) newpath = paths.replace('.', '/') newfilename = path.join(newpath, newfilename) + ext console.quiet('Move %s to %s' % (filepath, newfilename)) fullpath = path.join(env.project_directory, newpath) if not path.exists(fullpath): os.makedirs(fullpath) clom.git.mv(filepath, newfilename).shell.execute()
expanddotpaths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(env, console):\n for filepath in os.listdir(path.join(env.dir)):\n filename, ext = path.splitext(filepath)\n if ext == '.lua' and '.' in filen...
def x(path): pathvalidate.validate_file_path(path) if not os.path.lexists(path): raise FileNotFoundError(path) if os.path.isfile(path): logger.debug('file found: ' + path) return FileType.FILE if os.path.isdir(path): logger.debug('directory found: ' + path) return FileType.DIRECTORY if os.path.islink(path): logger.debug('link found: ' + path) return FileType.LINK raise RuntimeError()
check_file_existence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n pathvalidate.validate_file_path(path)\n if not os.path.lexists(path):\n raise FileNotFoundError(path)\n if os.path.isfile(path):\n ...
def x(permission): if len(permission) != 3: raise ValueError(permission) permission_int = 0 if permission[0] == 'r': permission_int += 4 if permission[1] == 'w': permission_int += 2 if permission[2] == 'x': permission_int += 1 return permission_int
parsePermission3Char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(permission):\n if len(permission) != 3:\n raise ValueError(permission)\n permission_int = 0\n if permission[0] == 'r':\n permission_int ...
def x(permission_text): from six.moves import range match = re.search('[-drwx]+', permission_text) if match is None: raise ValueError('invalid permission character: ' + permission_text) if len(permission_text) != 10: raise ValueError('invalid permission text length: ' + permission_text) permission_text = permission_text[1:] return int('0' + ''.join([str(parsePermission3Char(permission_text[i:i + 3])) for i in range(0, 9, 3)]), base=8)
parseLsPermissionText
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(permission_text):\n from six.moves import range\n match = re.search('[-drwx]+', permission_text)\n if match is None:\n raise ValueError('invali...
def x(cls, path, permission_text): try: check_file_existence(path) except FileNotFoundError: _, e, _ = sys.exc_info() logger.debug(e) return False logger.debug('chmod %s %s' % (path, permission_text)) os.chmod(path, parseLsPermissionText(permission_text))
chmod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, permission_text):\n try:\n check_file_existence(path)\n except FileNotFoundError:\n _, e, _ = sys.exc_info()\n logger.deb...
def x(self, key, value): value = value.lower() if value not in valid_statuses: raise ValueError('Build Status must have a value from:\n{}'.format( ', '.join(valid_statuses))) self.obj['status'][key] = value self.changes.append('Updating build:{}.status.{}={}'.format(self.obj[ 'name'], key, value)) return self
status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n value = value.lower()\n if value not in valid_statuses:\n raise ValueError('Build Status must have a value from:\\n{}'.format...
def x(self, state): state = state.lower() if state not in valid_states: raise ValueError('Build state must have a value from:\n{}'.format( ', '.join(valid_state))) self.obj['state'] = state self.changes.append('Updating build:{}.state={}'.format(self.obj['name' ], state)) return self
state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state):\n state = state.lower()\n if state not in valid_states:\n raise ValueError('Build state must have a value from:\\n{}'.format(\n ...
def x(self, key, value): self.obj[key] = value self.changes.append('Updating build:{}.{}={}'.format(self.obj['name'], key, value)) return self
change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n self.obj[key] = value\n self.changes.append('Updating build:{}.{}={}'.format(self.obj['name'],\n key, value))\n return sel...
def x(self, lane, status, target=None, meta=None, svcs=None): if target not in (None, 'current', 'future'): raise ValueError( "\nError: Target must be None, 'current', or 'future'\n") svcs, meta, lane = self._prep_for_release(lane, svcs=svcs, meta=meta) when = time.time() rel_data = meta.copy() rel_data.update({'_time': when, 'status': status, 'services': list(svcs .keys())}) rel_lane = self.obj.get('lanes', {}).get(lane, dict(log=[], status=status)) rel_lane['status'] = status rel_lane['log'] = [rel_data] + rel_lane.get('log', []) self.rcs.patch('build', self.name, {'lanes': {lane: rel_lane}}) if target: for svc in svcs: rel_data = {target: self.name} if target == 'current': mysvc = svcs[svc] curver = mysvc.get('release', {}).get('current', '') prev = [] if curver: prev = mysvc.get('release', {}).get('previous', []) if not prev or prev[0] != curver: prev = [curver] + prev while len(prev) > 5: prev.pop() rel_data['previous'] = prev self.rcs.patch('service', svc, {'release': rel_data, 'statuses': { status: when}, 'status': status})
release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lane, status, target=None, meta=None, svcs=None):\n if target not in (None, 'current', 'future'):\n raise ValueError(\n \"\\nError: ...
def x(self, lane, svcs=None, meta=None): svcs, meta, lane = self._prep_for_release(lane, svcs=svcs, meta=meta) for svc in svcs: self.changes.append('Promoting: {}.release.future={}'.format(svc, self.name)) self.rcs.patch('service', svc, {'release': {'future': self.name}, 'statuses': {'future': time.time()}}) return self
promote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lane, svcs=None, meta=None):\n svcs, meta, lane = self._prep_for_release(lane, svcs=svcs, meta=meta)\n for svc in svcs:\n self.changes.appen...
def x(self, data): for key in data: if key in ('status', 'state', 'name', 'id', 'application', 'services', 'release'): raise ValueError('Sorry, cannot set build info with key of {}'. format(key)) self.obj[key] = data[key] self.changes.append('Adding build info') return self
add_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n for key in data:\n if key in ('status', 'state', 'name', 'id', 'application',\n 'services', 'release'):\n raise ...
def x(self, value): if self.choices: value = self.normalize_field(value) if value in self.choices: return None return _('Must be one of: %(choices)s') % {'choices': '; '.join( self.choices)} if self.default is not None: if value is None or value == '': value = self.default if self.required and (value is None or value == ''): return _('Required field')
validate_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self.choices:\n value = self.normalize_field(value)\n if value in self.choices:\n return None\n return _(...
def x(self, value): if self.default is not None: if value is None or value == '': value = self.default return value
normalize_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self.default is not None:\n if value is None or value == '':\n value = self.default\n return value\n", "role": "...
def x(self, value): if self.default is not None: if value is None or value == '': value = self.default return value or ''
localize_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if self.default is not None:\n if value is None or value == '':\n value = self.default\n return value or ''\n", "ro...
def x(collection, issn, raw=False): tc = ThriftClient() body = {'query': {'filtered': {}}} fltr = {} query = {'query': {'bool': {'must': [{'match': {'collection': collection}}, {'match': {'issn': issn}}]}}} body['query']['filtered'].update(fltr) body['query']['filtered'].update(query) query_parameters = [('size', '0'), ('search_type', 'count')] body['aggs'] = {'issues': {'cardinality': {'field': 'issue'}}, 'citations': {'sum': {'field': 'citations'}}, 'citable': {'filter': {'terms': {'document_type': [i for i in utils. CITABLE_DOCUMENT_TYPES]}}}} query_result = tc.search('article', json.dumps(body), query_parameters) computed = _compute_journal_composition(query_result) return query_result if raw else computed
journal_composition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(collection, issn, raw=False):\n tc = ThriftClient()\n body = {'query': {'filtered': {}}}\n fltr = {}\n query = {'query': {'bool': {'must': [{'match...
def x(collection, raw=False): tc = ThriftClient() body = {'query': {'filtered': {}}} fltr = {} query = {'query': {'bool': {'must': [{'match': {'collection': collection}}]}}} body['query']['filtered'].update(fltr) body['query']['filtered'].update(query) query_parameters = [('size', '0'), ('search_type', 'count')] body['aggs'] = {'journals': {'cardinality': {'field': 'issn'}}, 'issues': {'cardinality': {'field': 'issue'}}, 'citations': {'sum': {'field': 'citations'}}, 'citable': {'filter': {'terms': { 'document_type': [i for i in utils.CITABLE_DOCUMENT_TYPES]}}}} query_result = tc.search('article', json.dumps(body), query_parameters) computed = _compute_collection_composition(query_result) return query_result if raw else computed
collection_composition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(collection, raw=False):\n tc = ThriftClient()\n body = {'query': {'filtered': {}}}\n fltr = {}\n query = {'query': {'bool': {'must': [{'match': {'c...
def x(collection, raw=False): tc = ThriftClient() body = {'query': {'filtered': {}}} fltr = {} query = {'query': {'bool': {'must': [{'match': {'collection': collection}}]}}} body['query']['filtered'].update(fltr) body['query']['filtered'].update(query) query_parameters = [('size', '0'), ('search_type', 'count')] body['aggs'] = {'status': {'terms': {'field': 'status'}}} query_result = tc.search('journal', json.dumps(body), query_parameters) computed = _compute_journals_status(query_result) return query_result if raw else computed
journals_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(collection, raw=False):\n tc = ThriftClient()\n body = {'query': {'filtered': {}}}\n fltr = {}\n query = {'query': {'bool': {'must': [{'match': {'c...
def x(E: np.ndarray, E0: np.ndarray, Q0: np.ndarray) ->Tuple[np.ndarray, float ]: E0 = np.atleast_1d(E0) Q0 = np.atleast_1d(Q0) assert E0.ndim == Q0.ndim == 1 assert Q0.size == 1 or Q0.size == E0.size Phi = Q0 / (2 * pi * E0 ** 3) * E[:, None] * np.exp(-E[:, None] / E0) Q = np.trapz(Phi, E, axis=0) logging.info('total maxwellian flux Q: ' + ' '.join('{:.1e}'.format(q) for q in Q)) return Phi, Q
maxwellian
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(E: np.ndarray, E0: np.ndarray, Q0: np.ndarray) ->Tuple[np.ndarray, float\n ]:\n E0 = np.atleast_1d(E0)\n Q0 = np.atleast_1d(Q0)\n assert E0.ndim ==...
def x(E: np.ndarray, diffnumflux: np.ndarray, isimE0: np.ndarray, E0: np. ndarray, Bhf: np.ndarray, bh: float, verbose: int=0): Bh = np.empty_like(E0) for iE0 in np.arange(E0.size): Bh[iE0] = Bhf[iE0] * diffnumflux[isimE0[iE0], iE0] het = Bh * (E[:, None] / E0) ** -bh het[E[:, None] < E0] = 0.0 if verbose > 0: print('Bh: ' + ' '.join('{:0.1f}'.format(b) for b in Bh)) return het
hitail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(E: np.ndarray, diffnumflux: np.ndarray, isimE0: np.ndarray, E0: np.\n ndarray, Bhf: np.ndarray, bh: float, verbose: int=0):\n Bh = np.empty_like(E0)\n ...
def x(self, path='/app', mode='debug'): options = {'path': path} project = builds.from_path(path) project.prepare() project.validate() project.build(mode=mode)
handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path='/app', mode='debug'):\n options = {'path': path}\n project = builds.from_path(path)\n project.prepare()\n project.validate()\n proje...
def x(self, path='/app'): options = {'path': path} project = builds.from_path(path) print(project.get_export_path())
handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path='/app'):\n options = {'path': path}\n project = builds.from_path(path)\n print(project.get_export_path())\n", "role": "user" }, { ...
def x(self, path='/app', ctx='all'): options = {'path': path} project = builds.from_path(path) project.log(ctx=ctx)
handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path='/app', ctx='all'):\n options = {'path': path}\n project = builds.from_path(path)\n project.log(ctx=ctx)\n", "role": "user" }, { ...
def x(self, *args): mode = diffusingModeEnum.unknown if isinstance(args[0], str) and len(args) == 3: mode = diffusingModeEnum.element elif hasattr(args[0], '__len__') and len(args) == 2: mode = diffusingModeEnum.elements else: raise TypeError( 'Called diffuse method using bad argments, receive this' + " '{0}', but expected 'str, any, any' or" + " 'dict(str: any), dict(str: any)'.".format(args)) self._diffuse(mode, *args)
diffuse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n mode = diffusingModeEnum.unknown\n if isinstance(args[0], str) and len(args) == 3:\n mode = diffusingModeEnum.element\n elif ha...