source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(source='', level='', title='', data={}): source = '' if source is None else source level = '' if level is None else level title = '' if title is None else title if not type(data) is dict: data = {} data['source'] = source data['level'] = level data['title'] = title return format(data)
formatLog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source='', level='', title='', data={}):\n source = '' if source is None else source\n level = '' if level is None else level\n title = '' if title is...
def x(self): return self.manager.put(id=self.id, name=self.name, description=self. description, command_to_run=self.command_to_run, environment_variables=self.environment_variables, required_arguments=self.required_arguments, required_arguments_default_values=self. required_arguments_default_values, logs_path=self.logs_path, results_path=self.results_path, container_image=self. container_image, container_type=self.container_type)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.manager.put(id=self.id, name=self.name, description=self.\n description, command_to_run=self.command_to_run,\n environmen...
def x(self, name, command_to_run, container_image, container_type, description='', logs_path='', results_path='', environment_variables= None, required_arguments=None, required_arguments_default_values=None, extra_data_to_post=None): if extra_data_to_post is None: extra_data_to_post = {} extra_data_to_post.update({'container_image': container_image, 'container_type': container_type, 'logs_path': logs_path, 'results_path': results_path}) return super(ContainerTaskTypeManager, self).create(name=name, command_to_run=command_to_run, description=description, environment_variables=environment_variables, required_arguments= required_arguments, required_arguments_default_values= required_arguments_default_values, extra_data_to_post= extra_data_to_post)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, command_to_run, container_image, container_type,\n description='', logs_path='', results_path='', environment_variables=\n None, required_arg...
def x(self, id, name, description, command_to_run, environment_variables, required_arguments, required_arguments_default_values, logs_path, results_path, container_image, container_type, extra_data_to_put=None): if extra_data_to_put is None: extra_data_to_put = {} extra_data_to_put.update({'logs_path': logs_path, 'results_path': results_path, 'container_image': container_image, 'container_type': container_type}) return super(ContainerTaskTypeManager, self).put(id=id, name=name, description=description, command_to_run=command_to_run, environment_variables=environment_variables, required_arguments= required_arguments, required_arguments_default_values= required_arguments_default_values, extra_data_to_put=extra_data_to_put)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, name, description, command_to_run, environment_variables,\n required_arguments, required_arguments_default_values, logs_path,\n results_path, c...
def x(val): val = val.lower() if val in ('y', 'yes', 't', 'true', 'on', '1'): return 1 elif val in ('n', 'no', 'f', 'false', 'off', '0', ''): return 0 else: raise ValueError('Invalid truth value: {0}'.format(val))
strtobool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val):\n val = val.lower()\n if val in ('y', 'yes', 't', 'true', 'on', '1'):\n return 1\n elif val in ('n', 'no', 'f', 'false', 'off', '0', ''):...
def x(value, separator): value_list = [item.strip() for item in value.split(separator)] value_list_sanitized = builtins.list(filter(None, value_list)) if len(value_list_sanitized) > 0: return value_list_sanitized else: raise ValueError('Invalid list variable.')
str_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, separator):\n value_list = [item.strip() for item in value.split(separator)]\n value_list_sanitized = builtins.list(filter(None, value_list))\n ...
def x(name, value): if value is not None: environ[name] = builtins.str(value) elif environ.get(name): del environ[name]
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, value):\n if value is not None:\n environ[name] = builtins.str(value)\n elif environ.get(name):\n del environ[name]\n", "role": "...
def x(name, default=None, allow_none=False, fallback=None): raw_value = environ.get(name) if raw_value is None and fallback is not None: if not isinstance(fallback, builtins.list) and not isinstance(fallback, builtins.tuple): fallback = [fallback] for fall in fallback: raw_value = environ.get(fall) if raw_value is not None: break if raw_value or raw_value == '': return raw_value elif default is not None or allow_none: return default else: raise KeyError('Set the "{0}" environment variable'.format(name))
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, default=None, allow_none=False, fallback=None):\n raw_value = environ.get(name)\n if raw_value is None and fallback is not None:\n if not is...
def x(name, default=None, allow_none=False, fallback=None): value = read(name, default, allow_none, fallback=fallback) if value is None and allow_none: return None else: return builtins.str(value).strip()
str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, default=None, allow_none=False, fallback=None):\n value = read(name, default, allow_none, fallback=fallback)\n if value is None and allow_none:\n ...
def x(name, default=None, allow_none=False, fallback=None): value = read(name, default, allow_none, fallback=fallback) if isinstance(value, builtins.bool): return value elif isinstance(value, builtins.int): return True if value > 0 else False elif value is None and allow_none: return None else: value_str = builtins.str(value).lower().strip() return _strtobool(value_str)
bool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, default=None, allow_none=False, fallback=None):\n value = read(name, default, allow_none, fallback=fallback)\n if isinstance(value, builtins.bool):...
def x(name, default=None, allow_none=False, fallback=None): value = read(name, default, allow_none, fallback=fallback) if isinstance(value, builtins.str): value = value.strip() if value is None and allow_none: return None else: return builtins.int(value)
int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, default=None, allow_none=False, fallback=None):\n value = read(name, default, allow_none, fallback=fallback)\n if isinstance(value, builtins.str):\...
def x(name, default=None, allow_none=False, fallback=None, separator=','): value = read(name, default, allow_none, fallback=fallback) if isinstance(value, builtins.list): return value elif isinstance(value, builtins.str): return _str_to_list(value, separator) elif value is None and allow_none: return None else: return [builtins.str(value)]
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, default=None, allow_none=False, fallback=None, separator=','):\n value = read(name, default, allow_none, fallback=fallback)\n if isinstance(value, ...
def x(config): config.add_route('references', '/references') _add_referencer(config.registry) config.add_view_deriver(protected_resources.protected_view) config.add_renderer('json_item', json_renderer) config.scan()
includeme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n config.add_route('references', '/references')\n _add_referencer(config.registry)\n config.add_view_deriver(protected_resources.protected_vi...
def x(registry): referencer = registry.queryUtility(IReferencer) if referencer is not None: return referencer ref = registry.settings['urireferencer.referencer'] url = registry.settings['urireferencer.registry_url'] r = DottedNameResolver() registry.registerUtility(r.resolve(ref)(url), IReferencer) return registry.queryUtility(IReferencer)
add_referencer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(registry):\n referencer = registry.queryUtility(IReferencer)\n if referencer is not None:\n return referencer\n ref = registry.settings['uriref...
def x(registry): regis = getattr(registry, 'registry', None) if regis is None: regis = registry return regis.queryUtility(IReferencer)
get_referencer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(registry):\n regis = getattr(registry, 'registry', None)\n if regis is None:\n regis = registry\n return regis.queryUtility(IReferencer)\n", ...
def x(region, credentials): conn = boto.ec2.connect_to_region(region, aws_access_key_id=credentials .access_key_id, aws_secret_access_key=credentials.secret_access_key) if conn: return conn else: log_red('Failure to authenticate to EC2.') return False
connect_to_ec2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(region, credentials):\n conn = boto.ec2.connect_to_region(region, aws_access_key_id=credentials\n .access_key_id, aws_secret_access_key=credentials.s...
def x(self, *args, **kwargs): if args: kwargs = dict(zip(self.header, args)) for header in kwargs: cell = kwargs[header] if not isinstance(cell, tuple): cell = cell, self.write_cell(self._row, self.header.index(header), *cell) self._row += 1
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if args:\n kwargs = dict(zip(self.header, args))\n for header in kwargs:\n cell = kwargs[header]\n if not ...
def x(layout: QLayout) ->None: if layout is not None: while layout.count(): item = layout.takeAt(0) widget = item.widget() if widget is not None: widget.deleteLater() else: clear_layout(item.layout())
clear_layout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(layout: QLayout) ->None:\n if layout is not None:\n while layout.count():\n item = layout.takeAt(0)\n widget = item.widget()\n ...
def x(): filename = 'HangulSyllableType.txt' current_dir = os.path.abspath(os.path.dirname(__file__)) with codecs.open(os.path.join(current_dir, filename), mode='r', encoding='utf-8') as fp: for line in fp: if not line.strip() or line.startswith('#'): continue data = line.strip().split(';') syllable_type, _ = map(six.text_type.strip, data[1].split('#')) if '..' in data[0]: start, end = map(lambda x: int(x, 16), data[0].strip(). split('..')) for idx in range(start, end + 1): _hangul_syllable_types[idx] = syllable_type else: _hangul_syllable_types[int(data[0].strip(), 16) ] = syllable_type
load_hangul_syllable_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n filename = 'HangulSyllableType.txt'\n current_dir = os.path.abspath(os.path.dirname(__file__))\n with codecs.open(os.path.join(current_dir, filen...
def x(): filename = 'Jamo.txt' current_dir = os.path.abspath(os.path.dirname(__file__)) with codecs.open(os.path.join(current_dir, filename), mode='r', encoding='utf-8') as fp: for line in fp: if not line.strip() or line.startswith('#'): continue data = line.strip().split(';') code = int(data[0].strip(), 16) char_info = data[1].split('#') short_name = char_info[0].strip() _jamo_short_names[code] = short_name
load_jamo_short_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n filename = 'Jamo.txt'\n current_dir = os.path.abspath(os.path.dirname(__file__))\n with codecs.open(os.path.join(current_dir, filename), mode='r'...
def x(hangul_syllable): if not _is_hangul_syllable(hangul_syllable): raise ValueError( 'Value 0x%0.4x does not represent a Hangul syllable!' % hangul_syllable) if not _hangul_syllable_types: _load_hangul_syllable_types() return _hangul_syllable_types[hangul_syllable]
get_hangul_syllable_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hangul_syllable):\n if not _is_hangul_syllable(hangul_syllable):\n raise ValueError(\n 'Value 0x%0.4x does not represent a Hangul syllable...
def x(jamo): if not _is_jamo(jamo): raise ValueError( 'Value 0x%0.4x passed in does not represent a Jamo!' % jamo) if not _jamo_short_names: _load_jamo_short_names() return _jamo_short_names[jamo]
get_jamo_short_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jamo):\n if not _is_jamo(jamo):\n raise ValueError(\n 'Value 0x%0.4x passed in does not represent a Jamo!' % jamo)\n if not _jamo_short...
def x(jamo): fmt_str_invalid_sequence = ( '{0} does not represent a valid sequence of Jamo!') if len(jamo) == 3: l_part, v_part, t_part = jamo if not (l_part in range(4352, 4370 + 1) and v_part in range(4449, 4469 + 1) and t_part in range(4520, 4546 + 1)): raise ValueError(fmt_str_invalid_sequence.format(jamo)) l_index = l_part - L_BASE v_index = v_part - V_BASE t_index = t_part - T_BASE lv_index = l_index * N_COUNT + v_index * T_COUNT return S_BASE + lv_index + t_index elif len(jamo) == 2: if jamo[0] in range(4352, 4370 + 1) and jamo[1] in range(4449, 4469 + 1 ): l_part, v_part = jamo l_index = l_part - L_BASE v_index = v_part - V_BASE lv_index = l_index * N_COUNT + v_index * T_COUNT return S_BASE + lv_index elif _get_hangul_syllable_type(jamo[0]) == 'LV' and jamo[1] in range( 4520, 4546 + 1): lv_part, t_part = jamo t_index = t_part - T_BASE return lv_part + t_index else: raise ValueError(fmt_str_invalid_sequence.format(jamo)) else: raise ValueError(fmt_str_invalid_sequence.format(jamo))
compose_hangul_syllable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jamo):\n fmt_str_invalid_sequence = (\n '{0} does not represent a valid sequence of Jamo!')\n if len(jamo) == 3:\n l_part, v_part, t_part =...
def x(hangul_syllable, fully_decompose=False): if not _is_hangul_syllable(hangul_syllable): raise ValueError( 'Value passed in does not represent a Hangul syllable!') s_index = hangul_syllable - S_BASE if fully_decompose: l_index = s_index // N_COUNT v_index = s_index % N_COUNT // T_COUNT t_index = s_index % T_COUNT l_part = L_BASE + l_index v_part = V_BASE + v_index t_part = T_BASE + t_index if t_index > 0 else None return l_part, v_part, t_part elif _get_hangul_syllable_type(hangul_syllable) == 'LV': l_index = s_index // N_COUNT v_index = s_index % N_COUNT // T_COUNT l_part = L_BASE + l_index v_part = V_BASE + v_index return l_part, v_part else: lv_index = s_index // T_COUNT * T_COUNT t_index = s_index % T_COUNT lv_part = S_BASE + lv_index t_part = T_BASE + t_index return lv_part, t_part
decompose_hangul_syllable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hangul_syllable, fully_decompose=False):\n if not _is_hangul_syllable(hangul_syllable):\n raise ValueError(\n 'Value passed in does not re...
def x(hangul_syllable): if not _is_hangul_syllable(hangul_syllable): raise ValueError( 'Value passed in does not represent a Hangul syllable!') jamo = decompose_hangul_syllable(hangul_syllable, fully_decompose=True) result = '' for j in jamo: if j is not None: result += _get_jamo_short_name(j) return result
get_hangul_syllable_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hangul_syllable):\n if not _is_hangul_syllable(hangul_syllable):\n raise ValueError(\n 'Value passed in does not represent a Hangul syllab...
def x(spec, timeout, error_callback, local, app): callers_dict = {} def x(endpoint): if not endpoint.handler_client: return callers_dict[endpoint.handler_client] = _generate_client_caller(spec, endpoint, timeout, error_callback, local, app) spec.call_on_each_endpoint(mycallback) return callers_dict
generate_client_callers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, timeout, error_callback, local, app):\n callers_dict = {}\n\n def x(endpoint):\n if not endpoint.handler_client:\n return\n ...
def x(self, force_retry): last_exception = None for i in range(self.max_attempts): try: log.info('Calling %s %s' % (self.method, self.url)) response = self.requests_method(self.url, data=self.data, params=self.params, headers=self.headers, timeout=(self. connect_timeout, self.read_timeout), verify=self.verify_ssl) if response is None: log.warn('Got response None') if self._method_is_safe_to_retry(): delay = 0.5 + i * 0.5 log.info( 'Waiting %s sec and Retrying since call is a %s' % (delay, self.method)) time.sleep(delay) continue else: raise PyMacaronCoreException( 'Call %s %s returned empty response' % (self.method, self.url)) return response except Exception as e: last_exception = e retry = force_retry if isinstance(e, ReadTimeout): log.warn('Got a ReadTimeout calling %s %s' % (self.method, self.url)) log.warn('Exception was: %s' % str(e)) resp = e.response if not resp: log.info('Requests error has no response.') else: b = resp.content log.info('Requests has a response with content: ' + pprint.pformat(b)) if self._method_is_safe_to_retry(): log.info('Retrying since call is a %s' % self.method) retry = True elif isinstance(e, ConnectTimeout): log.warn('Got a ConnectTimeout calling %s %s' % (self. method, self.url)) log.warn('Exception was: %s' % str(e)) retry = True if retry: continue else: raise e if not last_exception: last_exception = Exception( 'Reached max-attempts (%s). Giving up calling %s %s' % (self. max_attempts, self.method, self.url)) raise last_exception
call_retry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force_retry):\n last_exception = None\n for i in range(self.max_attempts):\n try:\n log.info('Calling %s %s' % (self.method, self...
def x(word): word = split(word) compound = True if re.search('-| |\\.', word) else False syllabify = _syllabify_compound if compound else _syllabify syll, rules = syllabify(word) yield syll, rules n = 3 if 'T4' in rules: yield syllabify(word, T4=False) n -= 1 for n in range(3): yield '', ''
syllabify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n word = split(word)\n compound = True if re.search('-| |\\\\.', word) else False\n syllabify = _syllabify_compound if compound else _syllabify...
def x(word, T4=True): word = replace_umlauts(word) word, rules = apply_T1(word) if re.search('[^ieAyOauo]*([ieAyOauo]{2})[^ieAyOauo]*', word): word, T2 = apply_T2(word) word, T8 = apply_T8(word) word, T9 = apply_T9(word) word, T4 = apply_T4(word) if T4 else (word, '') rules += T2 + T8 + T9 + T4 if re.search('[ieAyOauo]{3}', word): word, T6 = apply_T6(word) word, T5 = apply_T5(word) word, T7 = apply_T7(word) word, T2 = apply_T2(word) rules += T5 + T6 + T7 + T2 word = replace_umlauts(word, put_back=True) rules = rules or ' T0' return word, rules
syllabify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word, T4=True):\n word = replace_umlauts(word)\n word, rules = apply_T1(word)\n if re.search('[^ieAyOauo]*([ieAyOauo]{2})[^ieAyOauo]*', word):\n ...
def x(word): WORD = [w for w in re.split('([ieAyOauo]+)', word) if w] count = 0 for i, v in enumerate(WORD): if i == 0 and is_consonant(v[0]): continue elif is_consonant(v[0]) and i + 1 != len(WORD): if is_cluster(v): if count % 2 == 0: WORD[i] = v[0] + '.' + v[1:] else: WORD[i] = '.' + v else: WORD[i] = v[:-1] + '.' + v[-1] count += 1 WORD = ''.join(WORD) RULE = ' T1' if word != WORD else '' return WORD, RULE
apply_T1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = [w for w in re.split('([ieAyOauo]+)', word) if w]\n count = 0\n for i, v in enumerate(WORD):\n if i == 0 and is_consonant(v[0])...
def x(aligned_template, aligned_query): insertion = [] deletion = [] matches = [] cigar = [] for r_aa, q_aa in zip(aligned_template.lower(), aligned_query.lower()): gap_ref = r_aa == '-' gap_que = q_aa == '-' match = r_aa == q_aa if matches and not match: cigar.append(':%s' % len(matches)) matches = [] if insertion and not gap_ref: cigar.append('+%s' % ''.join(insertion)) insertion = [] elif deletion and not gap_que: cigar.append('-%s' % ''.join(deletion)) deletion = [] if gap_ref: if insertion: insertion.append(q_aa) else: insertion = [q_aa] elif gap_que: if deletion: deletion.append(r_aa) else: deletion = [r_aa] elif match: if matches: matches.append(r_aa) else: matches = [r_aa] else: cigar.append('*%s%s' % (r_aa, q_aa)) if matches: cigar.append(':%s' % len(matches)) del matches if insertion: cigar.append('+%s' % ''.join(insertion)) del insertion elif deletion: cigar.append('-%s' % ''.join(deletion)) del deletion return ''.join(cigar)
extended_cigar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aligned_template, aligned_query):\n insertion = []\n deletion = []\n matches = []\n cigar = []\n for r_aa, q_aa in zip(aligned_template.lower(),...
def x(template, cigar): query = [] entries = ['+', '-', '*', ':'] number = list(map(str, range(10))) cigar_length = len(cigar) num = [] entry = None pos = 0 i = 0 while i < cigar_length: if cigar[i] in entries: if entry == ':': old_pos = pos pos += int(''.join(num)) query.append(template[old_pos:pos]) num = [] entry = cigar[i] if entry == '*': i += 2 query.append(cigar[i]) pos += 1 elif cigar[i] in number: num.append(cigar[i]) elif entry == '-': pos += 1 elif entry == '+': query.append(cigar[i]) i += 1 if entry == ':': old_pos = pos pos += int(''.join(num)) query.append(template[old_pos:pos]) return ''.join(query).upper()
cigar2query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template, cigar):\n query = []\n entries = ['+', '-', '*', ':']\n number = list(map(str, range(10)))\n cigar_length = len(cigar)\n num = []\n ...
def x(save, best_hsp, tmp_results, tmp_gene_split): hit_id = best_hsp['hit_id'] new_start_query = best_hsp['query_start'] new_end_query = best_hsp['query_end'] new_start_sbjct = int(best_hsp['sbjct_start']) new_end_sbjct = int(best_hsp['sbjct_end']) new_score = best_hsp['cal_score'] new_db_hit = best_hsp['sbjct_header'] new_contig = best_hsp['contig_name'] new_HSP = best_hsp['HSP_length'] for hit in list(tmp_results): hit_data = tmp_results[hit] old_start_query = hit_data['query_start'] old_end_query = hit_data['query_end'] old_start_sbjct = int(hit_data['sbjct_start']) old_end_sbjct = int(hit_data['sbjct_end']) old_score = hit_data['cal_score'] old_db_hit = hit_data['sbjct_header'] old_contig = hit_data['contig_name'] old_HSP = hit_data['HSP_length'] remove_old = 0 if new_db_hit == old_db_hit: if (new_start_sbjct < old_start_sbjct or new_end_sbjct > old_end_sbjct): tmp_gene_split[old_db_hit][hit_id] = 1 if not hit in tmp_gene_split[old_db_hit]: tmp_gene_split[old_db_hit][hit] = 1 elif new_score > old_score: remove_old = 1 if (new_db_hit in tmp_gene_split and not hit_id in tmp_gene_split[new_db_hit]): tmp_gene_split[new_db_hit][hit_id] = 1 else: save = 0 if hit_id != hit: if (new_db_hit in tmp_gene_split and hit_id in tmp_gene_split[new_db_hit]): del tmp_gene_split[new_db_hit][hit_id] break if new_contig == old_contig: if (old_start_query == new_start_query and old_end_query == new_end_query): if best_hsp['perc_ident'] > hit_data['perc_ident']: remove_old = 1 if (new_db_hit in tmp_gene_split and not hit_id in tmp_gene_split[new_db_hit]): tmp_gene_split[new_db_hit][hit_id] = 1 elif best_hsp['perc_ident'] == hit_data['perc_ident']: if (new_db_hit in tmp_gene_split and not hit_id in tmp_gene_split[new_db_hit]): tmp_gene_split[new_db_hit][hit_id] = 1 else: save = 0 if (new_db_hit in tmp_gene_split and hit_id in tmp_gene_split[new_db_hit]): del tmp_gene_split[new_db_hit][hit_id] break elif max(old_end_query, new_end_query) - min(old_start_query, new_start_query) <= old_end_query - old_start_query + ( new_end_query - new_start_query): if new_score > old_score: remove_old = 1 if (new_db_hit in tmp_gene_split and not hit_id in tmp_gene_split[new_db_hit]): tmp_gene_split[new_db_hit][hit_id] = 1 elif new_score == old_score: if int(best_hsp['perc_coverage']) == 100 and int(hit_data ['perc_coverage']) == 100 and new_HSP > old_HSP: remove_old = 1 if (new_db_hit in tmp_gene_split and not hit_id in tmp_gene_split[new_db_hit]): tmp_gene_split[new_db_hit][hit_id] = 1 else: if (new_db_hit in tmp_gene_split and hit_id in tmp_gene_split[new_db_hit]): del tmp_gene_split[new_db_hit][hit_id] save = 0 break if remove_old == 1: del tmp_results[hit] if old_db_hit in tmp_gene_split and hit in tmp_gene_split[ old_db_hit]: del tmp_gene_split[old_db_hit][hit] return save, tmp_gene_split, tmp_results
compare_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(save, best_hsp, tmp_results, tmp_gene_split):\n hit_id = best_hsp['hit_id']\n new_start_query = best_hsp['query_start']\n new_end_query = best_hsp['qu...
def x(gene_split, gene_results, hit): first = 1 for split in gene_split[hit['sbjct_header']]: new_start = int(gene_results[split]['sbjct_start']) new_end = int(gene_results[split]['sbjct_end']) if first == 1: new_length = int(gene_results[split]['HSP_length']) old_start = new_start old_end = new_end first = 0 continue if new_start < old_start: new_length = new_length + (old_start - new_start) old_start = new_start if new_end > old_end: new_length = new_length + (new_end - old_end) old_end = new_end return new_length
calculate_new_length
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene_split, gene_results, hit):\n first = 1\n for split in gene_split[hit['sbjct_header']]:\n new_start = int(gene_results[split]['sbjct_start'])\...
def x(data): if len(data) < 6: return None pktlen = struct.unpack('>H', data[4:6])[0] + 6 if len(data) < pktlen: return None return data[:pktlen], data[pktlen:]
stream_to_packet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n if len(data) < 6:\n return None\n pktlen = struct.unpack('>H', data[4:6])[0] + 6\n if len(data) < pktlen:\n return None\n re...
def x(value, convert_instances=False, convert_datetime=True, level=0, max_depth=3): if isinstance(value, _simple_types): return value if isinstance(value, datetime.datetime): if convert_datetime: return timeutils.strtime(value) else: return value if type(value) == itertools.count: return six.text_type(value) if getattr(value, '__module__', None) == 'mox': return 'mock' if level > max_depth: return '?' try: recursive = functools.partial(to_primitive, convert_instances= convert_instances, convert_datetime=convert_datetime, level= level, max_depth=max_depth) if isinstance(value, dict): return dict((k, recursive(v)) for k, v in six.iteritems(value)) elif isinstance(value, (list, tuple)): return [recursive(lv) for lv in value] if xmlrpclib and isinstance(value, xmlrpclib.DateTime): value = datetime.datetime(*tuple(value.timetuple())[:6]) if convert_datetime and isinstance(value, datetime.datetime): return timeutils.strtime(value) elif isinstance(value, gettextutils.Message): return value.data elif hasattr(value, 'iteritems'): return recursive(dict(value.iteritems()), level=level + 1) elif hasattr(value, '__iter__'): return recursive(list(value)) elif convert_instances and hasattr(value, '__dict__'): return recursive(value.__dict__, level=level + 1) elif netaddr and isinstance(value, netaddr.IPAddress): return six.text_type(value) else: if any(test(value) for test in _nasty_type_tests): return six.text_type(value) return value except TypeError: return six.text_type(value)
to_primitive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, convert_instances=False, convert_datetime=True, level=0,\n max_depth=3):\n if isinstance(value, _simple_types):\n return value\n if isin...
def x(syll): return re.search('([ieaouäöy]{1})', syll, flags=FLAGS).group(1).upper()
get_vowel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(syll):\n return re.search('([ieaouäöy]{1})', syll, flags=FLAGS).group(1).upper()\n", "role": "user" }, { "content": "get_vowel", "role": "as...
def x(syll): return re.match('(^|[^ieaouäöy]+)[ieaouäöy]{1}$', syll, flags=FLAGS)
is_light
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(syll):\n return re.match('(^|[^ieaouäöy]+)[ieaouäöy]{1}$', syll, flags=FLAGS)\n", "role": "user" }, { "content": "is_light", "role": "assist...
def x(syllabified_simplex_word): syllables = syllabified_simplex_word.split('.') stressed = "'" + syllables[0] try: n = 0 medial = syllables[1:-1] for i, syll in enumerate(medial): if (i + n) % 2 == 0: stressed += '.' + syll else: try: if is_light(syll) and is_heavy(medial[i + 1]): stressed += '.' + syll n += 1 continue except IndexError: pass stressed += '.`' + syll except IndexError: pass if len(syllables) > 1: stressed += '.' + syllables[-1] return stressed
stress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(syllabified_simplex_word):\n syllables = syllabified_simplex_word.split('.')\n stressed = \"'\" + syllables[0]\n try:\n n = 0\n medial =...
def x(word): parts = re.split('([ieaouäöy]+)', word, flags=re.I | re.U) onset, coda = parts[0], parts[-1] if len(onset) <= 1 or onset.lower() in ONSETS: return len(coda) <= 1 return False
sonseq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n parts = re.split('([ieaouäöy]+)', word, flags=re.I | re.U)\n onset, coda = parts[0], parts[-1]\n if len(onset) <= 1 or onset.lower() in ONSET...
def x(word): depth = {'ä': 0, 'ö': 0, 'y': 0, 'a': 1, 'o': 1, 'u': 1} vowels = filter(lambda ch: is_front(ch) or is_back(ch), word) depths = (depth[x.lower()] for x in vowels) return len(set(depths)) < 2
harmonic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n depth = {'ä': 0, 'ö': 0, 'y': 0, 'a': 1, 'o': 1, 'u': 1}\n vowels = filter(lambda ch: is_front(ch) or is_back(ch), word)\n depths = (depth[x....
def x(self): return self.manager.put(id=self.id, name=self.name, description=self. description, command_to_run=self.command_to_run, environment_variables=self.environment_variables, required_arguments=self.required_arguments, required_arguments_default_values=self. required_arguments_default_values, json_file_option=self. json_file_option)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.manager.put(id=self.id, name=self.name, description=self.\n description, command_to_run=self.command_to_run,\n environmen...
def x(self, name, command_to_run, description='', environment_variables= None, required_arguments=None, required_arguments_default_values=None, json_file_option=None, extra_data_to_post=None): if extra_data_to_post is None: extra_data_to_post = {} extra_data_to_post.update({'json_file_option': json_file_option}) return super(ExecutableTaskTypeManager, self).create(name=name, command_to_run=command_to_run, description=description, environment_variables=environment_variables, required_arguments= required_arguments, required_arguments_default_values= required_arguments_default_values, extra_data_to_post= extra_data_to_post)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, command_to_run, description='', environment_variables=\n None, required_arguments=None, required_arguments_default_values=None,\n json_file_o...
def x(self, id, name, description, command_to_run, environment_variables, required_arguments, required_arguments_default_values, json_file_option, extra_data_to_put=None): if extra_data_to_put is None: extra_data_to_put = {} extra_data_to_put.update({'json_file_option': json_file_option}) return super(ExecutableTaskTypeManager, self).put(id=id, name=name, description=description, command_to_run=command_to_run, environment_variables=environment_variables, required_arguments= required_arguments, required_arguments_default_values= required_arguments_default_values, extra_data_to_put=extra_data_to_put)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, name, description, command_to_run, environment_variables,\n required_arguments, required_arguments_default_values, json_file_option,\n extra_da...
def x(self, analysistype='genesippr'): logging.info('Creating {} report'.format(analysistype)) genusgenes = dict() targetpath = str() for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': targetpath = sample[analysistype].targetpath for organismfile in glob(os.path.join(targetpath, '*.tfa')): organism = os.path.splitext(os.path.basename(organismfile))[0] for record in SeqIO.parse(open(organismfile), 'fasta'): try: genusgenes[organism].add(record.id.split('_')[0]) except (KeyError, IndexError): genusgenes[organism] = set() genusgenes[organism].add(record.id.split('_')[0]) for sample in self.runmetadata.samples: sample[analysistype].targetgenera = list() if sample.general.bestassemblyfile != 'NA': for organism in genusgenes: for gene in sample[analysistype].results: if gene.split('_')[0] in genusgenes[organism]: if organism not in sample[analysistype].targetgenera: sample[analysistype].targetgenera.append(organism) make_path(self.reportpath) header = 'Strain,Genus,{},\n'.format(','.join(self.genelist)) data = str() with open(os.path.join(self.reportpath, analysistype + '.csv'), 'w' ) as report: for sample in self.runmetadata.samples: sample[analysistype].report_output = list() if sample.general.bestassemblyfile != 'NA': data += '{},{},'.format(sample.name, ';'.join(sample[ analysistype].targetgenera)) best_dict = dict() if sample[analysistype].results: gene_check = list() for target, pid in sample[analysistype].results.items(): gene_name = target.split('_')[0] for gene in self.genelist: if gene == gene_name: try: if float(pid) > best_dict[gene]: best_dict[gene] = float(pid) except KeyError: best_dict[gene] = float(pid) for gene in self.genelist: try: best_dict[gene] except KeyError: data += ',' for name, identity in sample[analysistype ].results.items(): if name.split('_')[0 ] == gene and gene not in gene_check: data += '{pid}%'.format(pid=best_dict[gene]) try: if (not sample.general. trimmedcorrectedfastqfiles[0]. endswith('.fasta')): data += ' ({avgd} +/- {std}),'.format(avgd =sample[analysistype].avgdepth[name ], std=sample[analysistype]. standarddev[name]) else: data += ',' except IndexError: data += ',' gene_check.append(gene) sample[analysistype].report_output.append(gene) data += '\n' else: data += '\n' report.write(header) report.write(data)
reporter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, analysistype='genesippr'):\n logging.info('Creating {} report'.format(analysistype))\n genusgenes = dict()\n targetpath = str()\n for sample ...
def x(self, analysistype='genesippr'): results = dict() for genus, genelist in self.genedict.items(): results[genus] = str() for sample in self.runmetadata.samples: try: if genus in sample[analysistype].targetgenera: results[genus] += '{},'.format(sample.name) for gene in genelist: if gene.lower() in [target[0].lower().split('_')[0] for target in sample[analysistype].results.items()]: results[genus] += '+,' else: results[genus] += '-,' results[genus] += '\n' except AttributeError: pass for genus, resultstring in results.items(): if resultstring: with open(os.path.join(self.reportpath, '{}_genesippr.csv'. format(genus)), 'w') as genusreport: genusreport.write('Strain,{}\n'.format(','.join(self. genedict[genus]))) genusreport.write(resultstring)
genusspecific
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, analysistype='genesippr'):\n results = dict()\n for genus, genelist in self.genedict.items():\n results[genus] = str()\n for sample i...
def x(self, analysistype='GDCS'): logging.info('Creating {} report'.format(analysistype)) gdcs = list() genera = list() for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': if os.path.isdir(sample[analysistype].targetpath): self.gdcs_fai(sample) sample[analysistype].createreport = True if sample.general.closestrefseqgenus not in genera: genera.append(sample.general.closestrefseqgenus) try: for gene in sorted(sample[analysistype].faidict): if gene not in gdcs: gdcs.append(gene) except AttributeError: sample[analysistype].createreport = False else: sample[analysistype].createreport = False else: sample[analysistype].createreport = False sample.general.incomplete = True header = 'Strain,Genus,Matches,MeanCoverage,Pass/Fail,{},\n'.format(',' .join(gdcs)) data = str() with open(os.path.join(self.reportpath, '{}.csv'.format(analysistype)), 'w' ) as report: for genus in genera: for sample in self.runmetadata.samples: if sample.general.closestrefseqgenus == genus: if sample[analysistype].createreport: sample[analysistype].totaldepth = list() data += '{},{},'.format(sample.name, genus) count = 0 specific = str() for gene in gdcs: if gene not in [result for result in sample[ analysistype].faidict]: specific += 'X,' else: try: identity = sample[analysistype].results[ gene] specific += '{}% ({} +/- {}),'.format( identity, sample[analysistype]. avgdepth[gene], sample[analysistype ].standarddev[gene]) sample[analysistype].totaldepth.append( float(sample[analysistype].avgdepth [gene])) count += 1 except (KeyError, AttributeError): sample.general.incomplete = True specific += '-,' sample[analysistype].mean = numpy.mean(sample[ analysistype].totaldepth) sample[analysistype].stddev = numpy.std(sample[ analysistype].totaldepth) if count >= len(sample[analysistype].faidict) - 1: if sample[analysistype].mean > 20: quality = '+' else: quality = '?' sample.general.incomplete = True else: quality = '-' sample.general.incomplete = True data += ( '{hits}/{total},{mean} +/- {std},{fail},{gdcs}\n' .format(hits=str(count), total=len(sample[ analysistype].faidict), mean='{:.2f}'.format( sample[analysistype].mean), std='{:.2f}'.format (sample[analysistype].stddev), fail=quality, gdcs=specific)) elif sample.general.closestrefseqgenus == 'NA': data += '{}\n'.format(sample.name) sample.general.incomplete = True report.write(header) report.write(data)
gdcsreporter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, analysistype='GDCS'):\n logging.info('Creating {} report'.format(analysistype))\n gdcs = list()\n genera = list()\n for sample in self.runmet...
def x(sample, analysistype='GDCS'): try: sample[analysistype].faifile = glob(os.path.join(sample[ analysistype].targetpath, '*.fai'))[0] except IndexError: target_file = glob(os.path.join(sample[analysistype].targetpath, '*.fasta'))[0] samindex = SamtoolsFaidxCommandline(reference=target_file) map(StringIO, samindex(cwd=sample[analysistype].targetpath)) sample[analysistype].faifile = glob(os.path.join(sample[ analysistype].targetpath, '*.fai'))[0] try: with open(sample[analysistype].faifile, 'r') as faifile: for line in faifile: data = line.split('\t') try: sample[analysistype].faidict[data[0]] = int(data[1]) except KeyError: sample[analysistype].faidict = dict() sample[analysistype].faidict[data[0]] = int(data[1]) except FileNotFoundError: pass
gdcs_fai
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sample, analysistype='GDCS'):\n try:\n sample[analysistype].faifile = glob(os.path.join(sample[\n analysistype].targetpath, '*.fai'))[0]\n...
def x(self, analysistype='sixteens_full'): make_path(self.reportpath) header = 'Strain,Gene,PercentIdentity,Genus,FoldCoverage\n' data = '' with open(os.path.join(self.reportpath, analysistype + '.csv'), 'w' ) as report: with open(os.path.join(self.reportpath, analysistype + '_sequences.fa'), 'w') as sequences: for sample in self.runmetadata.samples: try: sample[analysistype].besthit = sorted(sample[ analysistype].results.items(), key=operator. itemgetter(1), reverse=True)[0][0] data += sample.name + ',' for name, identity in sample[analysistype].results.items(): if name == sample[analysistype].besthit: data += '{},{},{},{}\n'.format(name, identity, sample[analysistype].genus, sample[ analysistype].avgdepth[name]) record = SeqRecord(Seq(sample[analysistype]. sequences[name], IUPAC.unambiguous_dna), id ='{}_{}'.format(sample.name, '16S'), description='') SeqIO.write(record, sequences, 'fasta') except (KeyError, IndexError): data += '{}\n'.format(sample.name) report.write(header) report.write(data)
sixteensreporter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, analysistype='sixteens_full'):\n make_path(self.reportpath)\n header = 'Strain,Gene,PercentIdentity,Genus,FoldCoverage\\n'\n data = ''\n with...
def x(self, analysistype='confindr'): data = ( 'Strain,Genus,NumContamSNVs,ContamStatus,PercentContam,PercentContamSTD\n' ) with open(os.path.join(self.reportpath, analysistype + '.csv'), 'w' ) as report: for sample in self.runmetadata.samples: data += ('{str},{genus},{numcontamsnv},{status},{pc},{pcs}\n'. format(str=sample.name, genus=sample.confindr.genus, numcontamsnv=sample.confindr.num_contaminated_snvs, status= sample.confindr.contam_status, pc=sample.confindr. percent_contam, pcs=sample.confindr.percent_contam_std)) report.write(data)
confindr_reporter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, analysistype='confindr'):\n data = (\n 'Strain,Genus,NumContamSNVs,ContamStatus,PercentContam,PercentContamSTD\\n'\n )\n with open(os...
def x(self): self.analysescomplete = True self.reportpath = os.path.join(self.path, 'reports') self.runmetadata = MetadataObject() self.runmetadata.samples = list() for strain in self.samples: for sample in self.completemetadata: if sample.name == strain: self.runmetadata.samples.append(sample) self.reporter() self.genusspecific() self.sixteensreporter() self.gdcsreporter() self.confindr_reporter()
methodreporter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.analysescomplete = True\n self.reportpath = os.path.join(self.path, 'reports')\n self.runmetadata = MetadataObject()\n self.runmetada...
def x(self): self.dataframe_setup() self.figure_populate(self.outputfolder, self.image_report, self. header_list, self.samples, 'genesippr', 'report', fail=self.fail)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.dataframe_setup()\n self.figure_populate(self.outputfolder, self.image_report, self.\n header_list, self.samples, 'genesippr', 'repo...
def x(self, inputstring, header=None): if str(inputstring) == 'nan': outputstring = 0 elif '%' in str(inputstring): group = re.findall('(\\d+)\\..+', str(inputstring)) outputstring = group[0] elif header == 'Pass/Fail': if str(inputstring) == '+': outputstring = '100' else: outputstring = -100 self.fail = True elif header == 'ContamStatus': if str(inputstring) == 'Clean': outputstring = '100' else: outputstring = -100 self.fail = True elif header == 'MeanCoverage': cov = float(str(inputstring).split(' ')[0]) if cov >= 20: outputstring = 100 else: outputstring = -100 self.fail = True else: outputstring = str(inputstring) return outputstring
data_sanitise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inputstring, header=None):\n if str(inputstring) == 'nan':\n outputstring = 0\n elif '%' in str(inputstring):\n group = re.findall('(...
def x(self): genesippr_dict = dict() try: sippr_matrix = pd.read_csv(os.path.join(self.reportpath, 'genesippr.csv'), delimiter=',', index_col=0).T.to_dict() except FileNotFoundError: sippr_matrix = dict() try: conf_matrix = pd.read_csv(os.path.join(self.reportpath, 'confindr_report.csv'), delimiter=',', index_col=0).T.to_dict() except FileNotFoundError: conf_matrix = dict() try: gdcs_matrix = pd.read_csv(os.path.join(self.reportpath, 'GDCS.csv'), delimiter=',', index_col=0).T.to_dict() except FileNotFoundError: gdcs_matrix = dict() for sample in self.metadata: genesippr_dict[sample.name] = dict() try: genesippr_dict[sample.name]['eae'] = self.data_sanitise( sippr_matrix[sample.name]['eae']) except KeyError: genesippr_dict[sample.name]['eae'] = 0 try: genesippr_dict[sample.name]['hlyAEc'] = self.data_sanitise( sippr_matrix[sample.name]['hlyAEc']) except KeyError: genesippr_dict[sample.name]['hlyAEc'] = 0 try: genesippr_dict[sample.name]['VT1'] = self.data_sanitise( sippr_matrix[sample.name]['VT1']) except KeyError: genesippr_dict[sample.name]['VT1'] = 0 try: genesippr_dict[sample.name]['VT2'] = self.data_sanitise( sippr_matrix[sample.name]['VT2']) except KeyError: genesippr_dict[sample.name]['VT2'] = 0 try: genesippr_dict[sample.name]['hlyALm'] = self.data_sanitise( sippr_matrix[sample.name]['hlyALm']) except KeyError: genesippr_dict[sample.name]['hlyALm'] = 0 try: genesippr_dict[sample.name]['IGS'] = self.data_sanitise( sippr_matrix[sample.name]['IGS']) except KeyError: genesippr_dict[sample.name]['IGS'] = 0 try: genesippr_dict[sample.name]['inlJ'] = self.data_sanitise( sippr_matrix[sample.name]['inlJ']) except KeyError: genesippr_dict[sample.name]['inlJ'] = 0 try: genesippr_dict[sample.name]['invA'] = self.data_sanitise( sippr_matrix[sample.name]['invA']) except KeyError: genesippr_dict[sample.name]['invA'] = 0 try: genesippr_dict[sample.name]['stn'] = self.data_sanitise( sippr_matrix[sample.name]['stn']) except KeyError: genesippr_dict[sample.name]['stn'] = 0 try: genesippr_dict[sample.name]['GDCS'] = self.data_sanitise( gdcs_matrix[sample.name]['Pass/Fail'], header='Pass/Fail') except KeyError: genesippr_dict[sample.name]['GDCS'] = 0 try: genesippr_dict[sample.name]['Contamination'] = self.data_sanitise( conf_matrix[sample.name]['ContamStatus'], header='ContamStatus' ) except KeyError: genesippr_dict[sample.name]['Contamination'] = 0 try: genesippr_dict[sample.name]['Coverage'] = self.data_sanitise( gdcs_matrix[sample.name]['MeanCoverage'], header='MeanCoverage' ) except KeyError: genesippr_dict[sample.name]['Coverage'] = 0 with open(self.image_report, 'w') as csv: data = '{}\n'.format(','.join(self.header_list)) for strain in sorted(genesippr_dict): data += '{str},'.format(str=strain) for header in self.header_list[1:]: data += '{value},'.format(value=genesippr_dict[strain][header]) data = data.rstrip(',') data += '\n' csv.write(data)
dataframe_setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n genesippr_dict = dict()\n try:\n sippr_matrix = pd.read_csv(os.path.join(self.reportpath,\n 'genesippr.csv'), delimiter=',', i...
def x(outputpath, csv, xlabels, ylabels, analysistype, description, fail=False ): df = pd.read_csv(os.path.join(outputpath, csv), delimiter=',', index_col=0) if description == 'template': cmap = ['#a0a0a0'] elif fail: cmap = ['#ff0000', '#a0a0a0', '#00cc00'] else: cmap = ['#a0a0a0', '#00cc00'] plot = sns.heatmap(df, cbar=False, linewidths=0.5, cmap=cmap) plot.xaxis.set_ticks_position('top') plot.set_ylabel('') plot.set_xticklabels(xlabels[1:], rotation=90) plot.set_yticklabels(ylabels, rotation=0) fig = plot.get_figure() fig.savefig(os.path.join(outputpath, '{at}_{desc}.png'.format(at= analysistype, desc=description)), bbox_inches='tight')
figure_populate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outputpath, csv, xlabels, ylabels, analysistype, description, fail=False\n ):\n df = pd.read_csv(os.path.join(outputpath, csv), delimiter=',', index_col=...
def x(log=False): if log: bookshelf2.logging_helpers.log_green('inserts /usr/local/bin into PATH' ) with settings(hide('warnings', 'running', 'stdout', 'stderr'), capture=True ): try: sudo( 'echo "export PATH=/usr/local/bin:$PATH" |sudo /usr/bin/tee /etc/profile.d/fix-path.sh' ) return True except: raise SystemExit(1)
add_usr_local_bin_to_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log=False):\n if log:\n bookshelf2.logging_helpers.log_green('inserts /usr/local/bin into PATH'\n )\n with settings(hide('warnings', 'r...
def x(location, mode=None, owner=None, group=None, recursive=False, use_sudo=False): args = '' if recursive: args = args + ' -R ' if mode: if use_sudo: sudo('chmod %s %s %s' % (args, mode, location)) else: run('chmod %s %s %s' % (args, mode, location)) if owner: if use_sudo: sudo('chown %s %s %s' % (args, owner, location)) else: run('chown %s %s %s' % (args, owner, location)) if group: if use_sudo: sudo('chgrp %s %s %s' % (args, group, location)) else: run('chgrp %s %s %s' % (args, group, location)) return True
dir_attribs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location, mode=None, owner=None, group=None, recursive=False,\n use_sudo=False):\n args = ''\n if recursive:\n args = args + ' -R '\n if mod...
def x(location, recursive=False, mode=None, owner=None, group=None, use_sudo=False): args = '' if recursive: args = args + ' -p ' if not dir_exists(location): if use_sudo: sudo('mkdir %s %s' % (args, location)) else: run('mkdir %s %s' % (args, location)) if owner or group or mode: if use_sudo: dir_attribs(location, owner=owner, group=group, mode=mode, recursive=recursive, use_sudo=True) else: dir_attribs(location, owner=owner, group=group, mode=mode, recursive=recursive) return True
dir_ensure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location, recursive=False, mode=None, owner=None, group=None,\n use_sudo=False):\n args = ''\n if recursive:\n args = args + ' -p '\n if not...
def x(location, use_sudo=False): with settings(hide('running', 'stdout', 'stderr'), warn_only=True): if use_sudo: return not bool(sudo('test -d %s' % location).return_code) else: return not bool(run('test -d %s' % location).return_code)
dir_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location, use_sudo=False):\n with settings(hide('running', 'stdout', 'stderr'), warn_only=True):\n if use_sudo:\n return not bool(sudo('te...
def x(log=False): if log: bookshelf2.logging_helpers.log_green('disabling env reset on sudo') file_append('/etc/sudoers', 'Defaults:%wheel !env_reset,!secure_path', use_sudo=True, partial=True) return True
disable_env_reset_on_sudo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log=False):\n if log:\n bookshelf2.logging_helpers.log_green('disabling env reset on sudo')\n file_append('/etc/sudoers', 'Defaults:%wheel !env_re...
def x(log=False): if log: bookshelf2.logging_helpers.log_green( 'disabling requiretty on sudo calls') comment_line('/etc/sudoers', '^Defaults.*requiretty', use_sudo=True) return True
disable_requiretty_on_sudoers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log=False):\n if log:\n bookshelf2.logging_helpers.log_green(\n 'disabling requiretty on sudo calls')\n comment_line('/etc/sudoers', '^...
def x(location, mode=None, owner=None, group=None, use_sudo=False, recursive=True): return dir_attribs(location=location, mode=mode, owner=owner, group= group, recursive=recursive, use_sudo=False)
file_attribs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location, mode=None, owner=None, group=None, use_sudo=False,\n recursive=True):\n return dir_attribs(location=location, mode=mode, owner=owner, group=\n ...
def x(): with settings(hide('warnings', 'running', 'stderr'), warn_only=True, capture=True): release = {} data = run('cat /etc/os-release') for line in data.split('\n'): if not line: continue parts = line.split('=') if len(parts) == 2: release[parts[0]] = parts[1].strip('\n\r"') return release
os_release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with settings(hide('warnings', 'running', 'stderr'), warn_only=True,\n capture=True):\n release = {}\n data = run('cat /etc/os-rel...
def x(): with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): data = os_release() return data['ID']
linux_distribution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with settings(hide('warnings', 'running', 'stdout', 'stderr'),\n warn_only=True, capture=True):\n data = os_release()\n return dat...
def x(): with settings(hide('warnings', 'running'), capture=True): _lsb_release = {} data = sudo('cat /etc/lsb-release') for line in data.split('\n'): if not line: continue parts = line.split('=') if len(parts) == 2: _lsb_release[parts[0]] = parts[1].strip('\n\r"') return _lsb_release
lsb_release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with settings(hide('warnings', 'running'), capture=True):\n _lsb_release = {}\n data = sudo('cat /etc/lsb-release')\n for line in ...
def x(service, log=False): with settings(): if log: bookshelf2.logging_helpers.log_yellow('stoping service %s' % service) sudo('service %s stop' % service) if log: bookshelf2.logging_helpers.log_yellow('starting service %s' % service) sudo('service %s start' % service) return True
restart_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(service, log=False):\n with settings():\n if log:\n bookshelf2.logging_helpers.log_yellow('stoping service %s' %\n service)...
def x(service, start=True, enabled=True, unmask=False, restart=False): with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): if restart: sudo('systemctl restart %s' % service) elif start: sudo('systemctl start %s' % service) else: sudo('systemctl stop %s' % service) if enabled: sudo('systemctl enable %s' % service) else: sudo('systemctl disable %s' % service) if unmask: sudo('systemctl unmask %s' % service)
systemd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(service, start=True, enabled=True, unmask=False, restart=False):\n with settings(hide('warnings', 'running', 'stdout', 'stderr'),\n warn_only=True, c...
def x(distribution, force=False): if ('centos' in distribution or 'rhel' in distribution or 'redhat' in distribution): bookshelf2.logging_helpers.log_green('installing OS updates') sudo('yum -y --quiet clean all') sudo('yum group mark convert') sudo('yum -y --quiet update') if 'ubuntu' in distribution or 'debian' in distribution: with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=False, capture=True): sudo('DEBIAN_FRONTEND=noninteractive apt-get update') if force: sudo( "sudo DEBIAN_FRONTEND=noninteractive apt-get -y -o Dpkg::Options::='--force-confdef' -o Dpkg::Options::='--force-confold' upgrade --force-yes" ) else: sudo( "sudo DEBIAN_FRONTEND=noninteractive apt-get -y -o Dpkg::Options::='--force-confdef' -o Dpkg::Options::='--force-confold' upgrade" )
install_os_updates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(distribution, force=False):\n if ('centos' in distribution or 'rhel' in distribution or 'redhat' in\n distribution):\n bookshelf2.logging_help...
def x(self, width=64, height=12): from mrcrowbar.ansi import format_bar_graph_iter if 256 % width != 0: raise ValueError('Width of the histogram must be a divisor of 256') elif width <= 0: raise ValueError('Width of the histogram must be greater than zero') elif width > 256: raise ValueError( 'Width of the histogram must be less than or equal to 256') buckets = self.histogram(width) result = [] for line in format_bar_graph_iter(buckets, width=width, height=height): result.append(' {}\n'.format(line)) result.append('╘' + '═' * width + '╛\n') result.append('entropy: {:.10f}\n'.format(self.entropy)) result.append('samples: {}'.format(self.samples)) return ''.join(result)
ansi_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, width=64, height=12):\n from mrcrowbar.ansi import format_bar_graph_iter\n if 256 % width != 0:\n raise ValueError('Width of the histogram m...
def x(self): return self.manager.put(id=self.id, name=self.name, description=self. description, whitelisted_container_task_types=self. whitelisted_container_task_types, whitelisted_executable_task_types =self.whitelisted_executable_task_types)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.manager.put(id=self.id, name=self.name, description=self.\n description, whitelisted_container_task_types=self.\n whiteli...
def x(self, name, description='', whitelisted_container_task_types=None, whitelisted_executable_task_types=None): if whitelisted_container_task_types is None: whitelisted_container_task_types = [] if whitelisted_executable_task_types is None: whitelisted_executable_task_types = [] request_url = self._client.base_api_url + self.list_url data_to_post = {'name': name, 'description': description, 'whitelisted_container_task_types': whitelisted_container_task_types, 'whitelisted_executable_task_types': whitelisted_executable_task_types} response = self._client.session.post(request_url, data=data_to_post) self.validate_request_success(response_text=response.text, request_url= request_url, status_code=response.status_code, expected_status_code =HTTP_201_CREATED) return self.response_data_to_model_instance(response.json())
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, description='', whitelisted_container_task_types=None,\n whitelisted_executable_task_types=None):\n if whitelisted_container_task_types is No...
def x(self, id, name=None, description=None, whitelisted_container_task_types=None, whitelisted_executable_task_types=None): request_url = self._client.base_api_url + self.detail_url.format(id=id) data_to_patch = {} if name is not None: data_to_patch['name'] = name if description is not None: data_to_patch['description'] = description if whitelisted_container_task_types is not None: data_to_patch['whitelisted_container_task_types' ] = whitelisted_container_task_types if whitelisted_executable_task_types is not None: data_to_patch['whitelisted_executable_task_types' ] = whitelisted_executable_task_types response = self._client.session.patch(request_url, data=data_to_patch) self.validate_request_success(response_text=response.text, request_url= request_url, status_code=response.status_code, expected_status_code =HTTP_200_OK) return self.response_data_to_model_instance(response.json())
patch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, name=None, description=None,\n whitelisted_container_task_types=None,\n whitelisted_executable_task_types=None):\n request_url = self._clien...
def x(level='WARNING'): log = logging.getLogger('mrcrowbar') log.setLevel(level) out = logging.StreamHandler() out.setLevel(level) form = logging.Formatter('[%(levelname)s] %(name)s - %(message)s') out.setFormatter(form) log.addHandler(out)
enable_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level='WARNING'):\n log = logging.getLogger('mrcrowbar')\n log.setLevel(level)\n out = logging.StreamHandler()\n out.setLevel(level)\n form = lo...
def x(source, substring, start=None, end=None, overlap=False): data = source base = 0 if end is not None: data = data[:end] if start is not None: data = data[start:] base = start pointer = 0 increment = 1 if overlap else len(substring) or 1 while True: pointer = data.find(substring, pointer) if pointer == -1: return yield base + pointer pointer += increment
find_all_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, substring, start=None, end=None, overlap=False):\n data = source\n base = 0\n if end is not None:\n data = data[:end]\n if start is ...
def x(source, substring, start=None, end=None, overlap=False): return [x for x in find_all_iter(source, substring, start, end, overlap)]
find_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, substring, start=None, end=None, overlap=False):\n return [x for x in find_all_iter(source, substring, start, end, overlap)]\n", "role": "user" ...
def x(source1, source2, start=None, end=None): start = start if start is not None else 0 end = end if end is not None else min(len(source1), len(source2)) end_point = min(end, len(source1), len(source2)) pointer = start diff_start = None results = [] while pointer < end_point: if source1[pointer] != source2[pointer]: if diff_start is None: diff_start = pointer elif diff_start is not None: results.append((diff_start, pointer - diff_start)) diff_start = None pointer += 1 if diff_start is not None: results.append((diff_start, pointer - diff_start)) diff_start = None return results
basic_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source1, source2, start=None, end=None):\n start = start if start is not None else 0\n end = end if end is not None else min(len(source1), len(source2))\...
def x(source, start=None, end=None, length=None, major_len=8, minor_len=4, colour=True, address_base=None): assert is_bytes(source) start, end = bounds(start, end, length, len(source)) start = max(start, 0) end = min(end, len(source)) if len(source) == 0 or start == end == 0: return address_base_offset = (address_base - start if address_base is not None else 0) for offset in range(start, end, minor_len * major_len): yield ansi.format_hexdump_line(source, offset, end, major_len, minor_len, colour, address_base_offset=address_base_offset) return
hexdump_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, start=None, end=None, length=None, major_len=8, minor_len=4,\n colour=True, address_base=None):\n assert is_bytes(source)\n start, end = bound...
def x(source, start=None, end=None, length=None, major_len=8, minor_len=4, colour=True, address_base=None): for line in hexdump_iter(source, start, end, length, major_len, minor_len, colour, address_base): print(line)
hexdump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, start=None, end=None, length=None, major_len=8, minor_len=4,\n colour=True, address_base=None):\n for line in hexdump_iter(source, start, end, le...
def x(source1, source2, start=None, end=None, length=None, major_len=8, minor_len=4, colour=True, before=2, after=2, address_base=None): stride = minor_len * major_len start = start if start is not None else 0 end = end if end is not None else max(len(source1), len(source2)) start = max(start, 0) end = min(end, max(len(source1), len(source2))) address_base_offset = (address_base - start if address_base is not None else 0) diff_lines = [] for offset in range(start, end, stride): if source1[offset:offset + stride] != source2[offset:offset + stride]: diff_lines.append(offset) show_all = before is None or after is None if show_all: show_lines = {x: (2 if x in diff_lines else 1) for x in range(start, end, stride)} else: show_lines = {x: (2 if x in diff_lines else 0) for x in range(start, end, stride)} for index in diff_lines: for b in [(index - (x + 1) * stride) for x in range(before)]: if b in show_lines and show_lines[b] == 0: show_lines[b] = 1 for a in [(index + (x + 1) * stride) for x in range(after)]: if a in show_lines and show_lines[a] == 0: show_lines[a] = 1 skip = False for offset in sorted(show_lines.keys()): if skip == True and show_lines[offset] != 0: yield '...' skip = False if show_lines[offset] == 2: check = basic_diff(source1, source2, start=offset, end=offset + stride) highlights = {} for o, l in check: for i in range(o, o + l): highlights[i] = DIFF_COLOUR_MAP[0] if offset < len(source1): yield ansi.format_hexdump_line(source1, offset, min(end, len(source1)), major_len, minor_len, colour, prefix='-', highlight_addr=DIFF_COLOUR_MAP[0], highlight_map= highlights, address_base_offset=address_base_offset) highlights = {k: DIFF_COLOUR_MAP[1] for k in highlights.keys()} if offset < len(source2): yield ansi.format_hexdump_line(source2, offset, min(end, len(source2)), major_len, minor_len, colour, prefix='+', highlight_addr=DIFF_COLOUR_MAP[1], highlight_map= highlights, address_base_offset=address_base_offset) elif show_lines[offset] == 1: yield ansi.format_hexdump_line(source1, offset, end, major_len, minor_len, colour, prefix=' ', address_base_offset= address_base_offset) elif show_lines[offset] == 0: skip = True if skip == True: yield '...' skip = False return
hexdump_diff_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source1, source2, start=None, end=None, length=None, major_len=8,\n minor_len=4, colour=True, before=2, after=2, address_base=None):\n stride = minor_len...
def x(source1, source2, start=None, end=None, length=None, major_len=8, minor_len=4, colour=True, before=2, after=2, address_base=None): for line in hexdump_diff_iter(source1, source2, start, end, length, major_len, minor_len, colour, before, after, address_base): print(line)
hexdump_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source1, source2, start=None, end=None, length=None, major_len=8,\n minor_len=4, colour=True, before=2, after=2, address_base=None):\n for line in hexdum...
def x(byte): longbits = byte & 255 longbits = (longbits | longbits << 28) & 64424509455 longbits = (longbits | longbits << 14) & 844437815230467 longbits = (longbits | longbits << 7) & 72340172838076673 return longbits
unpack_bits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(byte):\n longbits = byte & 255\n longbits = (longbits | longbits << 28) & 64424509455\n longbits = (longbits | longbits << 14) & 844437815230467\n ...
def x(longbits): byte = longbits & 72340172838076673 byte = (byte | byte >> 7) & 844437815230467 byte = (byte | byte >> 14) & 64424509455 byte = (byte | byte >> 28) & 255 return byte
pack_bits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(longbits):\n byte = longbits & 72340172838076673\n byte = (byte | byte >> 7) & 844437815230467\n byte = (byte | byte >> 14) & 64424509455\n byte = ...
def x(source, start=None, end=None, length=None, width=64, height=None, palette=None): assert is_bytes(source) if not palette: palette = colour.TEST_PALETTE start = 0 if start is None else start if end is not None and length is not None: raise ValueError("Can't define both an end and a length!") elif length is not None: end = start + length elif end is not None: pass else: end = len(source) start = max(start, 0) end = min(end, len(source)) if len(source) == 0 or start == end == 0: return iter(()) if height is None: height = math.ceil((end - start) / width) def x(x_pos, y_pos, frame): index = y_pos * width + x_pos + start if index >= end: return 0, 0, 0, 0 return palette[source[index]] return ansi.format_image_iter(data_fetch, width=width, height=height)
pixdump_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, start=None, end=None, length=None, width=64, height=None,\n palette=None):\n assert is_bytes(source)\n if not palette:\n palette = colo...
def x(source, start=None, end=None, length=None, width=64, height=None, palette=None): for line in pixdump_iter(source, start, end, length, width, height, palette ): print(line)
pixdump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, start=None, end=None, length=None, width=64, height=None,\n palette=None):\n for line in pixdump_iter(source, start, end, length, width, height, ...
def x(self, offset): assert offset in range(len(self.buffer)) self.pos = offset self._fill_buffer()
set_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, offset):\n assert offset in range(len(self.buffer))\n self.pos = offset\n self._fill_buffer()\n", "role": "user" }, { "content": "se...
def x(self, count): result = 0 for i in range(count): if self.bits_remaining <= 0: self._fill_buffer() if self.bits_reverse: bit = 1 if self.current_bits & 128 << 8 * (self.bytes_to_cache - 1 ) else 0 self.current_bits <<= 1 self.current_bits &= 255 else: bit = self.current_bits & 1 self.current_bits >>= 1 self.bits_remaining -= 1 if self.output_reverse: result <<= 1 result |= bit else: result |= bit << i return result
get_bits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, count):\n result = 0\n for i in range(count):\n if self.bits_remaining <= 0:\n self._fill_buffer()\n if self.bits_reverse:...
def x(self, value, count): for _ in range(count): bit = value & 1 value >>= 1 if self.bits_reverse: if self.insert_at_msb: self.current_bits |= bit << self.bits_remaining - 1 else: self.current_bits <<= 1 self.current_bits |= bit elif self.insert_at_msb: self.current_bits >>= 1 self.current_bits |= bit << 7 else: self.current_bits |= bit << 8 - self.bits_remaining self.bits_remaining -= 1 if self.bits_remaining <= 0: self.output.append(self.current_bits) self.current_bits = 0 self.bits_remaining = 8
put_bits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, count):\n for _ in range(count):\n bit = value & 1\n value >>= 1\n if self.bits_reverse:\n if self.insert_at_ms...
def x(self): last_byte = self.current_bits if self.bits_remaining < 8 else None result = self.output if last_byte is not None: result = bytearray(result) result.append(last_byte) if self.bytes_reverse: return bytes(reversed(result)) else: return bytes(result)
get_buffer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n last_byte = self.current_bits if self.bits_remaining < 8 else None\n result = self.output\n if last_byte is not None:\n result = bytea...
def x(self, connection_name='DEFAULT', **kwargs): if not kwargs: raise InvalidQueryError('Can not execute a query without parameters') obj = self.pool.connections[connection_name].session.query(self._model ).with_for_update(nowait=True, of=self._model).filter_by(**kwargs ).first() if not obj: raise NotFoundError('Object not found') return obj
get_for_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection_name='DEFAULT', **kwargs):\n if not kwargs:\n raise InvalidQueryError('Can not execute a query without parameters')\n obj = self....
def x(word, compound=None): if compound is None: compound = bool(re.search('(-| |=)', word)) syllabify = _syllabify_compound if compound else _syllabify syll, rules = syllabify(word) yield syll, rules n = 7 if 'T4' in rules: yield syllabify(word, T4=False) n -= 1 if 'e' in rules: yield syllabify(word, T1E=False) n -= 1 if 'e' in rules and 'T4' in rules: yield syllabify(word, T4=False, T1E=False) n -= 1 for i in range(n): yield '', ''
syllabify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word, compound=None):\n if compound is None:\n compound = bool(re.search('(-| |=)', word))\n syllabify = _syllabify_compound if compound else _syl...
def x(self): if not self.class_name: raise ValueError else: tbl_name = ModelCompiler.convert_case(self.class_name) last_letter = tbl_name[-1] if last_letter in ('y',): return '{}ies'.format(tbl_name[:-1]) elif last_letter in ('s',): return '{}es'.format(tbl_name) else: return '{}s'.format(tbl_name)
table_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.class_name:\n raise ValueError\n else:\n tbl_name = ModelCompiler.convert_case(self.class_name)\n last_letter = tbl...
def x(self): res = [] for column in self.column_definitions: tmp = column.get('type', None) res.append(ModelCompiler.get_column_type(tmp)) if tmp else False res = list(set(res)) return res
types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = []\n for column in self.column_definitions:\n tmp = column.get('type', None)\n res.append(ModelCompiler.get_column_type(tmp)...
def x(self): if not self.foreign_key_definitions: return self.standard_types else: tmp = self.standard_types tmp.append('ForeignKey') return tmp
basic_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.foreign_key_definitions:\n return self.standard_types\n else:\n tmp = self.standard_types\n tmp.append('Foreign...
def x(self): res = [] for column in self.column_definitions: if 'primary_key' in column.keys(): tmp = column.get('primary_key', None) res.append(column['name']) if tmp else False return res
primary_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = []\n for column in self.column_definitions:\n if 'primary_key' in column.keys():\n tmp = column.get('primary_key', None)...
def x(self): res = [] if self.postgres_types: res.append(ALCHEMY_TEMPLATES.named_import.safe_substitute(module= 'sqlalchemy.dialects.postgresql', labels=', '.join(self. postgres_types))) if self.mutable_dict_types: res.append(ALCHEMY_TEMPLATES.named_import.safe_substitute(module= 'sqlalchemy.ext.mutable', labels='MutableDict')) return '\n'.join(res)
compiled_named_imports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = []\n if self.postgres_types:\n res.append(ALCHEMY_TEMPLATES.named_import.safe_substitute(module=\n 'sqlalchemy.dialects....
def x(self): module = 'sqlalchemy.orm' labels = [] if self.relationship_definitions: labels.append('relationship') return ALCHEMY_TEMPLATES.named_import.safe_substitute(module=module, labels=', '.join(labels))
compiled_orm_imports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n module = 'sqlalchemy.orm'\n labels = []\n if self.relationship_definitions:\n labels.append('relationship')\n return ALCHEMY_TEMPLA...
def x(self): def x(column): tmp = [] for arg_name, arg_val in column.items(): if arg_name not in ('name', 'type'): if arg_name in ('server_default', 'server_onupdate'): arg_val = '"{}"'.format(arg_val) tmp.append(ALCHEMY_TEMPLATES.column_arg.safe_substitute( arg_name=arg_name, arg_val=arg_val)) return ', '.join(tmp) res = [] for column in self.column_definitions: column_args = get_column_args(column) column_type, type_params = ModelCompiler.get_col_type_info(column. get('type')) column_name = column.get('name') if column_type in MUTABLE_DICT_TYPES: column_type = ALCHEMY_TEMPLATES.mutable_dict_type.safe_substitute( type=column_type, type_params=type_params) type_params = '' res.append(ALCHEMY_TEMPLATES.column_definition.safe_substitute( column_name=column_name, column_type=column_type, column_args= column_args, type_params=type_params)) join_string = '\n' + self.tab return join_string.join(res)
compiled_columns
[ { "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(column):\n tmp = []\n for arg_name, arg_val in column.items():\n if arg_name not in ('name', 'type'):\n ...
def x(self): def x(column): tmp = [] for arg_name, arg_val in column.items(): if arg_name not in ('name', 'type', 'reference'): if arg_name in ('server_default', 'server_onupdate'): arg_val = '"{}"'.format(arg_val) tmp.append(ALCHEMY_TEMPLATES.column_arg.safe_substitute( arg_name=arg_name, arg_val=arg_val)) return ', '.join(tmp) def x(column): table = column['reference']['table'] column = column['reference']['column'] return ALCHEMY_TEMPLATES.foreign_key_arg.safe_substitute( reference_table=table, reference_column=column) res = [] for column in self.foreign_key_definitions: column_args = get_column_args(column) column_type, type_params = ModelCompiler.get_col_type_info(column. get('type')) column_name = column.get('name') reference = get_fkey_args(column) if column_type in MUTABLE_DICT_TYPES: column_type = ALCHEMY_TEMPLATES.mutable_dict_type.safe_substitute( type=column_type, type_params=type_params) type_params = '' res.append(ALCHEMY_TEMPLATES.foreign_key.safe_substitute( column_name=column_name, column_type=column_type, column_args= column_args, foreign_key_args=reference, type_params=type_params)) join_string = '\n' + self.tab return join_string.join(res)
compiled_foreign_keys
[ { "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(column):\n tmp = []\n for arg_name, arg_val in column.items():\n if arg_name not in ('name', 'type', 'reference'):...
def x(self): def x(column): tmp = [] for arg_name, arg_val in column.items(): if arg_name not in ('name', 'type', 'reference', 'class'): if arg_name in ('back_populates',): arg_val = "'{}'".format(arg_val) tmp.append(ALCHEMY_TEMPLATES.column_arg.safe_substitute( arg_name=arg_name, arg_val=arg_val)) return ', '.join(tmp) res = [] for column in self.relationship_definitions: column_args = get_column_args(column) column_name = column.get('name') cls_name = column.get('class') res.append(ALCHEMY_TEMPLATES.relationship.safe_substitute( column_name=column_name, column_args=column_args, class_name= cls_name)) join_string = '\n' + self.tab return join_string.join(res)
compiled_relationships
[ { "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(column):\n tmp = []\n for arg_name, arg_val in column.items():\n if arg_name not in ('name', 'type', 'reference', ...
def x(self): res = [col['name'] for col in self.column_definitions] res.extend([col['name'] for col in self.foreign_key_definitions]) return res
columns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = [col['name'] for col in self.column_definitions]\n res.extend([col['name'] for col in self.foreign_key_definitions])\n return res\n", ...