source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, lineno, count=1): self.sourcelines[lineno] = self.sourcelines.get(lineno, 0) + count
mark
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lineno, count=1):\n self.sourcelines[lineno] = self.sourcelines.get(lineno, 0) + count\n", "role": "user" }, { "content": "mark", "rol...
def x(self): lineno = self.firstlineno counter = 0 for line in self.source: if self.sourcelines.get(lineno) == 0: if not self.blank_rx.match(line): counter += 1 lineno += 1 return counter
count_never_executed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lineno = self.firstlineno\n counter = 0\n for line in self.source:\n if self.sourcelines.get(lineno) == 0:\n if not self.bl...
def x(self, val): _maxes, _lists = self._maxes, self._lists if _maxes: pos = bisect_right(_maxes, val) if pos == len(_maxes): pos -= 1 _maxes[pos] = val _lists[pos].append(val) else: insort(_lists[pos], val) self._expand(pos) else: _maxes.append(val) _lists.append([val]) self._len += 1
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val):\n _maxes, _lists = self._maxes, self._lists\n if _maxes:\n pos = bisect_right(_maxes, val)\n if pos == len(_maxes):\n ...
def x(self, val): _maxes = self._maxes if not _maxes: raise ValueError('{0} not in list'.format(repr(val))) pos = bisect_left(_maxes, val) if pos == len(_maxes): raise ValueError('{0} not in list'.format(repr(val))) _lists = self._lists idx = bisect_left(_lists[pos], val) if _lists[pos][idx] == val: self._delete(pos, idx) else: raise ValueError('{0} not in list'.format(repr(val)))
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val):\n _maxes = self._maxes\n if not _maxes:\n raise ValueError('{0} not in list'.format(repr(val)))\n pos = bisect_left(_maxes, val)\n ...
def x(self, pos, idx): _maxes, _lists, _index = self._maxes, self._lists, self._index lists_pos = _lists[pos] del lists_pos[idx] self._len -= 1 len_lists_pos = len(lists_pos) if len_lists_pos > self._half: _maxes[pos] = lists_pos[-1] if _index: child = self._offset + pos while child > 0: _index[child] -= 1 child = child - 1 >> 1 _index[0] -= 1 elif len(_lists) > 1: if not pos: pos += 1 prev = pos - 1 _lists[prev].extend(_lists[pos]) _maxes[prev] = _lists[prev][-1] del _maxes[pos] del _lists[pos] del _index[:] self._expand(prev) elif len_lists_pos: _maxes[pos] = lists_pos[-1] else: del _maxes[pos] del _lists[pos] del _index[:]
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pos, idx):\n _maxes, _lists, _index = self._maxes, self._lists, self._index\n lists_pos = _lists[pos]\n del lists_pos[idx]\n self._len -= 1\n...
def x(self, values): _maxes, _lists, _load = self._maxes, self._lists, self._load if not isinstance(values, list): values = list(values) if any(values[pos - 1] > values[pos] for pos in range(1, len(values))): raise ValueError('given sequence not in sort order') offset = 0 if _maxes: if values[0] < _lists[-1][-1]: msg = '{0} not in sort order at index {1}'.format(repr(values[0 ]), self._len) raise ValueError(msg) if len(_lists[-1]) < self._half: _lists[-1].extend(values[:_load]) _maxes[-1] = _lists[-1][-1] offset = _load len_lists = len(_lists) for idx in range(offset, len(values), _load): _lists.append(values[idx:idx + _load]) _maxes.append(_lists[-1][-1]) _index = self._index if len_lists == len(_lists): len_index = len(_index) if len_index > 0: len_values = len(values) child = len_index - 1 while child: _index[child] += len_values child = child - 1 >> 1 _index[0] += len_values else: del _index[:] self._len += len(values)
extend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, values):\n _maxes, _lists, _load = self._maxes, self._lists, self._load\n if not isinstance(values, list):\n values = list(values)\n if a...
def x(self, idx, val): _maxes, _lists, _len = self._maxes, self._lists, self._len if idx < 0: idx += _len if idx < 0: idx = 0 if idx > _len: idx = _len if not _maxes: _maxes.append(val) _lists.append([val]) self._len = 1 return if not idx: if val > _lists[0][0]: msg = '{0} not in sort order at index {1}'.format(repr(val), 0) raise ValueError(msg) else: _lists[0].insert(0, val) self._expand(0) self._len += 1 return if idx == _len: pos = len(_lists) - 1 if _lists[pos][-1] > val: msg = '{0} not in sort order at index {1}'.format(repr(val), _len) raise ValueError(msg) else: _lists[pos].append(val) _maxes[pos] = _lists[pos][-1] self._expand(pos) self._len += 1 return pos, idx = self._pos(idx) idx_before = idx - 1 if idx_before < 0: pos_before = pos - 1 idx_before = len(_lists[pos_before]) - 1 else: pos_before = pos before = _lists[pos_before][idx_before] if before <= val <= _lists[pos][idx]: _lists[pos].insert(idx, val) self._expand(pos) self._len += 1 else: msg = '{0} not in sort order at index {1}'.format(repr(val), idx) raise ValueError(msg)
insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx, val):\n _maxes, _lists, _len = self._maxes, self._lists, self._len\n if idx < 0:\n idx += _len\n if idx < 0:\n idx = 0\n i...
def x(self, iterable): _maxes, _lists, _keys = self._maxes, self._lists, self._keys values = sorted(iterable, key=self._key) if _maxes: if len(values) * 4 >= self._len: values.extend(chain.from_iterable(_lists)) values.sort(key=self._key) self._clear() else: _add = self.add for val in values: _add(val) return _load, _index = self._load, self._index _lists.extend(values[pos:pos + _load] for pos in range(0, len(values), _load)) _keys.extend(list(map(self._key, _list)) for _list in _lists) _maxes.extend(sublist[-1] for sublist in _keys) self._len = len(values) del _index[:]
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iterable):\n _maxes, _lists, _keys = self._maxes, self._lists, self._keys\n values = sorted(iterable, key=self._key)\n if _maxes:\n if le...
def x(self, username_ibm): if self.get_mode() == 'ibm': self.__username_ibm = username_ibm else: raise Exception('Mode is {}, whereas it must be `ibm`'.format(self. get_moder()))
set_username_ibm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username_ibm):\n if self.get_mode() == 'ibm':\n self.__username_ibm = username_ibm\n else:\n raise Exception('Mode is {}, whereas it ...
def x(self, password_ibm): if self.get_mode() == 'ibm': self.__password_ibm = password_ibm else: raise Exception('Mode is {}, whereas it must be `ibm`'.format(self. get_mode()))
set_password_ibm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password_ibm):\n if self.get_mode() == 'ibm':\n self.__password_ibm = password_ibm\n else:\n raise Exception('Mode is {}, whereas it ...
def x(self, sub_dir=''): audio_files = list() for possibly_audio_file in os.listdir('{}/{}'.format(self.src_dir, sub_dir) ): file_format = ''.join(possibly_audio_file.split('.')[-1]) if file_format.lower() == 'wav': audio_files.append(possibly_audio_file) return audio_files
list_audio_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sub_dir=''):\n audio_files = list()\n for possibly_audio_file in os.listdir('{}/{}'.format(self.src_dir, sub_dir)\n ):\n file_format ...
def x(self, audio_abs_path): channel_num = int(subprocess.check_output( 'sox --i {} | grep "{}" | awk -F " : " \'{{print $2}}\''.format( audio_abs_path, 'Channels'), shell=True, universal_newlines=True). rstrip()) return channel_num
get_audio_channels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path):\n channel_num = int(subprocess.check_output(\n 'sox --i {} | grep \"{}\" | awk -F \" : \" \\'{{print $2}}\\''.format(\n ...
def x(self, audio_abs_path): sample_rate = int(subprocess.check_output( 'sox --i {} | grep "{}" | awk -F " : " \'{{print $2}}\''.format( audio_abs_path, 'Sample Rate'), shell=True, universal_newlines=True ).rstrip()) return sample_rate
get_audio_sample_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path):\n sample_rate = int(subprocess.check_output(\n 'sox --i {} | grep \"{}\" | awk -F \" : \" \\'{{print $2}}\\''.format(\n ...
def x(self, audio_abs_path): sample_bit = int(subprocess.check_output( 'sox --i {} | grep "{}" | awk -F " : " \'{{print $2}}\' | grep -oh "^[^-]*" ' .format(audio_abs_path, 'Precision'), shell=True, universal_newlines=True).rstrip()) return sample_bit
get_audio_sample_bit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path):\n sample_bit = int(subprocess.check_output(\n 'sox --i {} | grep \"{}\" | awk -F \" : \" \\'{{print $2}}\\' | grep -oh \"^[^-]...
def x(self, audio_abs_path): HHMMSS_duration = subprocess.check_output( 'sox --i {} | grep "{}" | awk -F " : " \'{{print $2}}\' | grep -oh "^[^=]*" ' .format(audio_abs_path, 'Duration'), shell=True, universal_newlines =True).rstrip() total_seconds = sum([(float(x) * 60 ** (2 - i)) for i, x in enumerate( HHMMSS_duration.split(':'))]) return total_seconds
get_audio_duration_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path):\n HHMMSS_duration = subprocess.check_output(\n 'sox --i {} | grep \"{}\" | awk -F \" : \" \\'{{print $2}}\\' | grep -oh \"^[^=...
def x(self, audio_abs_path): bit_Rate_formatted = subprocess.check_output( 'sox --i {} | grep "{}" | awk -F " : " \'{{print $2}}\''.format( audio_abs_path, 'Bit Rate'), shell=True, universal_newlines=True ).rstrip() bit_rate = (lambda x: int(x[:-1]) * 10 ** 3 if x[-1].lower() == 'k' else int(x[:-1]) * 10 ** 6 if x[-1].lower() == 'm' else int(x[:-1]) * 10 ** 9 if x[-1].lower() == 'g' else int(x))(bit_Rate_formatted) return bit_rate
get_audio_bit_rate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path):\n bit_Rate_formatted = subprocess.check_output(\n 'sox --i {} | grep \"{}\" | awk -F \" : \" \\'{{print $2}}\\''.format(\n ...
def x(seconds): less_than_second = seconds - floor(seconds) minutes, seconds = divmod(floor(seconds), 60) hours, minutes = divmod(minutes, 60) return '{}H{}M{}S.{}'.format(hours, minutes, seconds, less_than_second)
seconds_to_HHMMSS
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seconds):\n less_than_second = seconds - floor(seconds)\n minutes, seconds = divmod(floor(seconds), 60)\n hours, minutes = divmod(minutes, 60)\n re...
def x(self, audio_abs_path, segment_abs_path, starting_second, duration): subprocess.Popen(['sox', str(audio_abs_path), str(segment_abs_path), 'trim', str(starting_second), str(duration)], universal_newlines=True ).communicate()
audio_segment_extractor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path, segment_abs_path, starting_second, duration):\n subprocess.Popen(['sox', str(audio_abs_path), str(segment_abs_path),\n 'trim', ...
def x(self, audio_abs_path, results_abs_path, duration_seconds): total_seconds = self._get_audio_duration_seconds(audio_abs_path) current_segment = 0 while current_segment <= total_seconds // duration_seconds + 1: if current_segment + duration_seconds > total_seconds: ending_second = total_seconds else: ending_second = current_segment + duration_seconds self._audio_segment_extractor(audio_abs_path, results_abs_path. replace('*', '{:03d}'.format(current_segment)), starting_second =current_segment, duration=ending_second - current_segment) current_segment += 1
split_audio_by_duration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path, results_abs_path, duration_seconds):\n total_seconds = self._get_audio_duration_seconds(audio_abs_path)\n current_segment = 0\n ...
def x(self, audio_abs_path, results_abs_path, chunk_size): sample_rate = self._get_audio_sample_rate(audio_abs_path) sample_bit = self._get_audio_sample_bit(audio_abs_path) channel_num = self._get_audio_channels(audio_abs_path) duration = 8 * chunk_size / reduce(lambda x, y: int(x) * int(y), [ sample_rate, sample_bit, channel_num]) self._split_audio_by_duration(audio_abs_path, results_abs_path, duration)
split_audio_by_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, audio_abs_path, results_abs_path, chunk_size):\n sample_rate = self._get_audio_sample_rate(audio_abs_path)\n sample_bit = self._get_audio_sample_bi...
def x(self, basename): name = ''.join(basename.split('.')[:-1]) if basename.split('.')[-1] == 'wav': if self.get_verbosity(): print('Found wave! Copying to {}/filtered/{}'.format(self. src_dir, basename)) subprocess.Popen(['cp', '{}/{}.wav'.format(self.src_dir, name), '{}/filtered/{}.wav'.format(self.src_dir, name)], universal_newlines=True).communicate()
filtering_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, basename):\n name = ''.join(basename.split('.')[:-1])\n if basename.split('.')[-1] == 'wav':\n if self.get_verbosity():\n print('...
def x(self, basename): name = ''.join(basename.split('.')[:-1]) if self.get_mode() == 'ibm': total_size = os.path.getsize('{}/filtered/{}.wav'.format(self. src_dir, name)) if total_size >= self.ibm_api_limit_bytes: if self.get_verbosity(): print("{}'s size over API limit ({}). Splitting".format( name, self.ibm_api_limit_bytes)) self._split_audio_by_size('{}/filtered/{}.wav'.format(self. src_dir, name), '{}/staging/{}*.wav'.format(self.src_dir, name), self.ibm_api_limit_bytes * 95 / 100) else: if self.get_verbosity(): print("{}'s size is fine. Moving to staging dir'".format(name)) subprocess.Popen('mv {}/filtered/{}.wav {}/staging/{}000.wav'. format(self.src_dir, name, self.src_dir, name), shell=True, universal_newlines=True).communicate() elif self.get_mode() == 'cmu': if self.get_verbosity(): print('Converting {} to a readable wav'.format(basename)) ffmpeg = os.path.basename(find_executable('ffmpeg') or find_executable('avconv')) if ffmpeg is None: raise Exception( 'Either ffmpeg or avconv is needed. Neither is installed or accessible' ) try: ffmpeg_log_level = '8' if self.get_verbosity(): ffmpeg_log_level = '32' subprocess.check_call([str(ffmpeg), '-y', '-i', '{}/filtered/{}.wav'.format(self.src_dir, str(name)), '-acodec', 'pcm_s16le', '-ac', '1', '-ar', '16000', '{}/staging/{}000.wav'.format(self.src_dir, name), '-v', ffmpeg_log_level], universal_newlines=True) except subprocess.CalledProcessError as e: print(e) if os.path.exists('{}/staging/{}000.wav'.format(self.src_dir, name)): if self.get_verbosity(): print( '{}/filtered/{} was converted to {}/staging/{}000.wav Now removing the copy of {} in filtered sub directory' .format(self.src_dir, basename, self.src_dir, name, basename)) subprocess.Popen(['rm', '{}/filtered/{}'.format(self.src_dir, basename)], universal_newlines=True).communicate() else: raise Exception('Something went wrong with ffmpeg conversion!')
staging_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, basename):\n name = ''.join(basename.split('.')[:-1])\n if self.get_mode() == 'ibm':\n total_size = os.path.getsize('{}/filtered/{}.wav'.for...
def x(self, basename, replace_already_indexed=False): if basename is not None: if basename in self.get_timestamps(): if self.get_verbosity(): print('File specified was already indexed. Reindexing...') del self.__timestamps[basename] self._filtering_step(basename) self._staging_step(basename) else: for audio_basename in self._list_audio_files(): if audio_basename in self.__timestamps: if replace_already_indexed: if self.get_verbosity(): print('Already indexed {}. Reindexing...'.format( audio_basename)) del self.__timestamps[audio_basename] else: if self.get_verbosity(): print('Already indexed {}. Skipping...'.format( audio_basename)) continue self._filtering_step(audio_basename) self._staging_step(audio_basename)
prepare_audio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, basename, replace_already_indexed=False):\n if basename is not None:\n if basename in self.get_timestamps():\n if self.get_verbosity...
def x(self, basename=None, replace_already_indexed=False): self._prepare_audio(basename=basename, replace_already_indexed= replace_already_indexed) for staging_audio_basename in self._list_audio_files(sub_dir='staging'): original_audio_name = ''.join(staging_audio_basename.split('.')[:-1])[: -3] pocketsphinx_command = ''.join(['pocketsphinx_continuous', '-infile', str('{}/staging/{}'.format(self.src_dir, staging_audio_basename)), '-time', 'yes', '-logfn', '/dev/null']) try: if self.get_verbosity(): print('Now indexing {}'.format(staging_audio_basename)) output = subprocess.check_output(['pocketsphinx_continuous', '-infile', str('{}/staging/{}'.format(self.src_dir, staging_audio_basename)), '-time', 'yes', '-logfn', '/dev/null'], universal_newlines=True).split('\n') str_timestamps_with_sil_conf = list(map(lambda x: x.split(' '), filter(None, output[1:]))) self.__timestamps_unregulated[original_audio_name + '.wav'] = [self ._timestamp_extractor_cmu(staging_audio_basename, str_timestamps_with_sil_conf)] if self.get_verbosity(): print('Done indexing {}'.format(staging_audio_basename)) except OSError as e: if self.get_verbosity(): print(e, 'The command was: {}'.format(pocketsphinx_command)) self.__errors[time(), staging_audio_basename] = e self._timestamp_regulator() if self.get_verbosity(): print('Finished indexing procedure')
index_audio_cmu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, basename=None, replace_already_indexed=False):\n self._prepare_audio(basename=basename, replace_already_indexed=\n replace_already_indexed)\n ...
def x(self, staging_audio_basename, str_timestamps_with_sil_conf): filter_untimed = filter(lambda x: len(x) == 4, str_timestamps_with_sil_conf ) if filter_untimed != str_timestamps_with_sil_conf: self.__errors[time(), staging_audio_basename ] = str_timestamps_with_sil_conf str_timestamps = [str_timestamp[:-1] for str_timestamp in filter_untimed if not any([(letter in {'<', '>', '/'}) for letter in ''.join(str_timestamp)])] timestamps = list([_WordBlock(word=re.findall('^[^\\(]+', x[0])[0], start=round(float(x[1]), 2), end=round(float(x[2]), 2)) for x in str_timestamps]) return timestamps
timestamp_extractor_cmu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, staging_audio_basename, str_timestamps_with_sil_conf):\n filter_untimed = filter(lambda x: len(x) == 4, str_timestamps_with_sil_conf\n )\n i...
def x(self, basename=None, replace_already_indexed=False, continuous=True, model='en-US_BroadbandModel', word_confidence=True, word_alternatives_threshold=0.9, profanity_filter_for_US_results=False): params = {'continuous': continuous, 'model': model, 'word_alternatives_threshold': word_alternatives_threshold, 'word_confidence': word_confidence, 'timestamps': True, 'inactivity_timeout': str(-1), 'profanity_filter': profanity_filter_for_US_results} self._prepare_audio(basename=basename, replace_already_indexed= replace_already_indexed) for staging_audio_basename in self._list_audio_files(sub_dir='staging'): original_audio_name = ''.join(staging_audio_basename.split('.')[:-1])[: -3] with open('{}/staging/{}'.format(self.src_dir, staging_audio_basename), 'rb') as f: if self.get_verbosity(): print('Uploading {}...'.format(staging_audio_basename)) response = requests.post(url= 'https://stream.watsonplatform.net/speech-to-text/api/v1/recognize' , auth=(self.get_username_ibm(), self.get_password_ibm()), headers={'content-type': 'audio/wav'}, data=f.read(), params=params) if self.get_verbosity(): print('Indexing {}...'.format(staging_audio_basename)) self.__timestamps_unregulated[original_audio_name + '.wav'].append( self._timestamp_extractor_ibm(staging_audio_basename, json. loads(response.text))) if self.get_verbosity(): print('Done indexing {}'.format(staging_audio_basename)) self._timestamp_regulator() if self.get_verbosity(): print('Indexing procedure finished')
index_audio_ibm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, basename=None, replace_already_indexed=False, continuous=True,\n model='en-US_BroadbandModel', word_confidence=True,\n word_alternatives_threshold=...
def x(self, staging_audio_basename, audio_json): try: timestamps_of_sentences = [audio_json['results'][i]['alternatives'] [0]['timestamps'] for i in range(len(audio_json['results']))] return [_WordBlock(word=word_block[0], start=round(float(word_block [1]), 2), end=round(float(word_block[2]), 2)) for sentence_block in timestamps_of_sentences for word_block in sentence_block] except KeyError: self.__errors[time(), staging_audio_basename] = audio_json if self.get_verbosity(): print(audio_json) print('The resulting request from Watson was unintelligible.') return False
timestamp_extractor_ibm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, staging_audio_basename, audio_json):\n try:\n timestamps_of_sentences = [audio_json['results'][i]['alternatives']\n [0]['timestamps'...
def x(self, *args, **kwargs): with _Subdirectory_Managing_Decorator(self.src_dir, self. _needed_directories): if self.get_mode() == 'ibm': self._index_audio_ibm(*args, **kwargs) elif self.get_mode() == 'cmu': self._index_audio_cmu(*args, **kwargs)
index_audio
[ { "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 with _Subdirectory_Managing_Decorator(self.src_dir, self.\n _needed_directories):\n if self.get_mode() == 'ibm':\n ...
def x(self): unified_timestamps = _PrettyDefaultDict(list) staged_files = self._list_audio_files(sub_dir='staging') for timestamp_basename in self.__timestamps_unregulated: if len(self.__timestamps_unregulated[timestamp_basename]) > 1: timestamp_name = ''.join(timestamp_basename.split('.')[:-1]) staged_splitted_files_of_timestamp = list(filter(lambda staged_file: timestamp_name == staged_file[:-3] and all([(x in set(map(str, range(10)))) for x in staged_file[-3:]]), staged_files)) if len(staged_splitted_files_of_timestamp) == 0: self.__errors[time(), timestamp_basename] = {'reason': 'Missing staged file', 'current_staged_files': staged_files } continue staged_splitted_files_of_timestamp.sort() unified_timestamp = list() for staging_digits, splitted_file in enumerate(self. __timestamps_unregulated[timestamp_basename]): prev_splits_sec = 0 if int(staging_digits) != 0: prev_splits_sec = self._get_audio_duration_seconds( '{}/staging/{}{:03d}'.format(self.src_dir, timestamp_name, staging_digits - 1)) for word_block in splitted_file: unified_timestamp.append(_WordBlock(word=word_block. word, start=round(word_block.start + prev_splits_sec, 2), end=round(word_block.end + prev_splits_sec, 2))) unified_timestamps[str(timestamp_basename)] += unified_timestamp else: unified_timestamps[timestamp_basename ] += self.__timestamps_unregulated[timestamp_basename][0] self.__timestamps.update(unified_timestamps) self.__timestamps_unregulated = _PrettyDefaultDict(list)
timestamp_regulator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n unified_timestamps = _PrettyDefaultDict(list)\n staged_files = self._list_audio_files(sub_dir='staging')\n for timestamp_basename in self.__t...
def x(self, indexed_audio_file_abs_path): with open(indexed_audio_file_abs_path, 'wb') as f: pickle.dump(self.get_timestamps(), f, pickle.HIGHEST_PROTOCOL)
save_indexed_audio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indexed_audio_file_abs_path):\n with open(indexed_audio_file_abs_path, 'wb') as f:\n pickle.dump(self.get_timestamps(), f, pickle.HIGHEST_PROTO...
def x(self, indexed_audio_file_abs_path): with open(indexed_audio_file_abs_path, 'rb') as f: self.__timestamps = pickle.load(f)
load_indexed_audio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indexed_audio_file_abs_path):\n with open(indexed_audio_file_abs_path, 'rb') as f:\n self.__timestamps = pickle.load(f)\n", "role": "user" ...
def x(self, sub, sup): return bool(re.search('.*'.join(sub), sup))
is_subsequence_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sub, sup):\n return bool(re.search('.*'.join(sub), sup))\n", "role": "user" }, { "content": "is_subsequence_of", "role": "assistant" ...
def x(self, sub, sup, anagram=False, subsequence=False, supersequence=False): def x(one, another): for element in one: if element in another: yield element def x(sub, sup): return set(Counter(sub).keys()).issubset(set(Counter(sup).keys())) def x(sub, sup): return all([(Counter(sub)[element] <= Counter(sup)[element]) for element in Counter(sub)]) def x(sub, sup, list_of_tups): return len(list_of_tups) > 0 and all([(Counter(sub)[tup[0]] <= Counter(sup)[tup[1]]) for tup in list_of_tups]) if len(sub) > len(sup): return False for pred, func in set([(anagram, self._is_anagram_of), (subsequence, self._is_subsequence_of), (supersequence, self._is_supersequence_of)]): if pred: pred_seive = [(sub_key, sup_key) for sub_key in set(Counter(sub ).keys()) for sup_key in set(Counter(sup).keys()) if func( sub_key, sup_key)] if not extra_freq_check(sub, sup, pred_seive): return False if not any([anagram, subsequence, supersequence]) and (not containment_check(sub, sup) or not containment_freq_check(sub, sup)): return False for x1, x2 in zip(get_all_in(sup, sub), get_all_in(sub, sup)): if x1 != x2: return False return True
partial_search_validator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sub, sup, anagram=False, subsequence=False, supersequence=False):\n\n def x(one, another):\n for element in one:\n if element in ano...
def x(self, query, audio_basename=None, case_sensitive=False, subsequence= False, supersequence=False, timing_error=0.0, anagram=False, missing_word_tolerance=0): def x(case_sensitive=case_sensitive): def x(query, case_sensitive=case_sensitive): query_words = list(filter(None, ''.join(filter(lambda char: char in ascii_letters + ' ', list(query))).split(' '))) if case_sensitive: return query_words return [q.lower() for q in query_words] def x(case_sensitive=case_sensitive): timestamps = self.get_timestamps().copy() if not case_sensitive: return {audio_basename: [_WordBlock(word=word_block.word. lower(), start=word_block.start, end=word_block.end) for word_block in timestamps[audio_basename]] for audio_basename in timestamps} return timestamps return locals() query_words = case_sensitivity_handler()['get_query_words'](query) timestamps = case_sensitivity_handler()['get_timestamps']() assert abs(missing_word_tolerance - (len(query_words) - 2) ) >= 0, 'The number of words that can be missing must be less than the total number of words within the query minus the first and the last word.' for audio_filename in (lambda : timestamps.keys() if audio_basename is None else [audio_basename])(): result = list() missed_words_so_far = 0 query_cursor = 0 try: for word_block in timestamps[audio_filename]: if word_block.word == query_words[query_cursor ] or subsequence and self._is_subsequence_of(query_words [query_cursor], word_block.word ) or supersequence and self._is_supersequence_of( query_words[query_cursor], word_block.word ) or anagram and self._is_anagram_of(query_words[ query_cursor], word_block.word): result.append(word_block) if timing_error is not None: try: if round(result[-1].start - result[-2].end, 4 ) > timing_error: result = list() query_cursor = 0 except IndexError: pass if self._partial_search_validator(query_words, [x.word for x in result], anagram=anagram, subsequence= subsequence, supersequence=supersequence): yield {'File Name': audio_filename, 'Query': query, 'Result': tuple([result[0].start, result[-1].end])} result = list() query_cursor = 0 else: query_cursor += 1 elif missed_words_so_far > missing_word_tolerance: result = list() query_cursor = 0 elif missing_word_tolerance > 0 and len(result) > 0: result.append(word_block) missed_words_so_far += 1 except KeyError: pass except IndexError: continue
search_gen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, audio_basename=None, case_sensitive=False, subsequence=\n False, supersequence=False, timing_error=0.0, anagram=False,\n missing_word_tolera...
def x(self, queries, audio_basename=None, case_sensitive=False, subsequence =False, supersequence=False, timing_error=0.0, anagram=False, missing_word_tolerance=0): search_gen_rest_of_kwargs = {'audio_basename': audio_basename, 'case_sensitive': case_sensitive, 'subsequence': subsequence, 'supersequence': supersequence, 'timing_error': timing_error, 'anagram': anagram, 'missing_word_tolerance': missing_word_tolerance} if not isinstance(queries, (list, str)): raise TypeError('Invalid query type.') if type(queries) is not list: queries = [queries] search_results = _PrettyDefaultDict(lambda : _PrettyDefaultDict(list)) for query in queries: search_gen = self.search_gen(query=query, **search_gen_rest_of_kwargs) for search_result in search_gen: search_results[query][search_result['File Name']].append( search_result['Result']) return search_results
search_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queries, audio_basename=None, case_sensitive=False, subsequence\n =False, supersequence=False, timing_error=0.0, anagram=False,\n missing_word_tole...
def x(self, pattern, audio_basename=None): def x(index_tup, audio_basename): space_indexes = [i for i, x in enumerate(transcription[ audio_basename]) if x == ' '] space_indexes.sort(reverse=True) index_start, index_end = index_tup index_end -= 1 while transcription[audio_basename][index_start] == ' ': index_start += 1 while transcription[audio_basename][index_end] == ' ': index_end -= 1 block_number_start = 0 block_number_end = len(space_indexes) for block_cursor, space_index in enumerate(space_indexes): if index_start > space_index: block_number_start = len(space_indexes) - block_cursor break for block_cursor, space_index in enumerate(space_indexes): if index_end > space_index: block_number_end = len(space_indexes) - block_cursor break return timestamps[audio_basename][block_number_start ].start, timestamps[audio_basename][block_number_end].end timestamps = self.get_timestamps() if audio_basename is not None: timestamps = {audio_basename: timestamps[audio_basename]} transcription = {audio_basename: ' '.join([word_block.word for word_block in timestamps[audio_basename]]) for audio_basename in timestamps} match_map = map(lambda audio_basename: tuple((audio_basename, re. finditer(pattern, transcription[audio_basename]))), transcription. keys()) search_results = _PrettyDefaultDict(lambda : _PrettyDefaultDict(list)) for audio_basename, match_iter in match_map: for match in match_iter: search_results[match.group()][audio_basename].append(tuple( indexes_in_transcript_to_start_end_second(match.span(), audio_basename))) return search_results
search_regexp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern, audio_basename=None):\n\n def x(index_tup, audio_basename):\n space_indexes = [i for i, x in enumerate(transcription[\n aud...
def x(n): sieve = [True] * (n / 2) for i in xrange(3, int(n ** 0.5) + 1, 2): if sieve[i / 2]: sieve[i * i / 2::i] = [False] * ((n - i * i - 1) / (2 * i) + 1) return [2] + [(2 * i + 1) for i in xrange(1, n / 2) if sieve[i]]
rwh_primes1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n):\n sieve = [True] * (n / 2)\n for i in xrange(3, int(n ** 0.5) + 1, 2):\n if sieve[i / 2]:\n sieve[i * i / 2::i] = [False] * ((n - i...
def x(generator=2, c_exp=8, fast_primes=False, single=False): root_charac = 2 field_charac = int(root_charac ** c_exp - 1) field_charac_next = int(root_charac ** (c_exp + 1) - 1) prim_candidates = [] if fast_primes: prim_candidates = rwh_primes1(field_charac_next) prim_candidates = [x for x in prim_candidates if x > field_charac] else: prim_candidates = xrange(field_charac + 2, field_charac_next, root_charac) correct_primes = [] for prim in prim_candidates: seen = bytearray(field_charac + 1) conflict = False x = 1 for i in xrange(field_charac): x = gf_mult_noLUT(x, generator, prim, field_charac + 1) if x > field_charac or seen[x] == 1: conflict = True break else: seen[x] = 1 if not conflict: correct_primes.append(prim) if single: return prim return correct_primes
find_prime_polys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(generator=2, c_exp=8, fast_primes=False, single=False):\n root_charac = 2\n field_charac = int(root_charac ** c_exp - 1)\n field_charac_next = int(roo...
def x(prim=285, generator=2, c_exp=8): global gf_exp, gf_log, field_charac field_charac = int(2 ** c_exp - 1) gf_exp = bytearray(field_charac * 2) gf_log = bytearray(field_charac + 1) x = 1 for i in xrange(field_charac): gf_exp[i] = x gf_log[x] = i x = gf_mult_noLUT(x, generator, prim, field_charac + 1) for i in xrange(field_charac, field_charac * 2): gf_exp[i] = gf_exp[i - field_charac] return [gf_log, gf_exp]
init_tables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prim=285, generator=2, c_exp=8):\n global gf_exp, gf_log, field_charac\n field_charac = int(2 ** c_exp - 1)\n gf_exp = bytearray(field_charac * 2)\n ...
def x(x, y, prim=0): def x(x, y): z = 0 i = 0 while y >> i > 0: if y & 1 << i: z ^= x << i i += 1 return z def x(n): bits = 0 while n >> bits: bits += 1 return bits def x(dividend, divisor=None): dl1 = bit_length(dividend) dl2 = bit_length(divisor) if dl1 < dl2: return dividend for i in xrange(dl1 - dl2, -1, -1): if dividend & 1 << i + dl2 - 1: dividend ^= divisor << i return dividend result = cl_mult(x, y) if prim > 0: result = cl_div(result, prim) return result
gf_mult_noLUT_slow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, y, prim=0):\n\n def x(x, y):\n z = 0\n i = 0\n while y >> i > 0:\n if y & 1 << i:\n z ^= x << i\n ...
def x(x, y, prim=0, field_charac_full=256, carryless=True): r = 0 while y: if y & 1: r = r ^ x if carryless else r + x y = y >> 1 x = x << 1 if prim > 0 and x & field_charac_full: x = x ^ prim return r
gf_mult_noLUT
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, y, prim=0, field_charac_full=256, carryless=True):\n r = 0\n while y:\n if y & 1:\n r = r ^ x if carryless else r + x\n y = y...
def x(p, q): r = bytearray(len(p) + len(q) - 1) lp = [gf_log[p[i]] for i in xrange(len(p))] for j in xrange(len(q)): qj = q[j] if qj != 0: lq = gf_log[qj] for i in xrange(len(p)): if p[i] != 0: r[i + j] ^= gf_exp[lp[i] + lq] return r
gf_poly_mul
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p, q):\n r = bytearray(len(p) + len(q) - 1)\n lp = [gf_log[p[i]] for i in xrange(len(p))]\n for j in xrange(len(q)):\n qj = q[j]\n if qj...
def x(p, q): r = bytearray(len(p) + len(q) - 1) for j in xrange(len(q)): for i in xrange(len(p)): r[i + j] ^= gf_mul(p[i], q[j]) return r
gf_poly_mul_simple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p, q):\n r = bytearray(len(p) + len(q) - 1)\n for j in xrange(len(q)):\n for i in xrange(len(p)):\n r[i + j] ^= gf_mul(p[i], q[j])\n ...
def x(dividend, divisor): msg_out = bytearray(dividend) for i in xrange(len(dividend) - (len(divisor) - 1)): coef = msg_out[i] if coef != 0: for j in xrange(1, len(divisor)): if divisor[j] != 0: msg_out[i + j] ^= gf_mul(divisor[j], coef) separator = -(len(divisor) - 1) return msg_out[:separator], msg_out[separator:]
gf_poly_div
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dividend, divisor):\n msg_out = bytearray(dividend)\n for i in xrange(len(dividend) - (len(divisor) - 1)):\n coef = msg_out[i]\n if coef !=...
def x(poly): length = len(poly) out = bytearray(2 * length - 1) for i in xrange(length - 1): p = poly[i] k = 2 * i if p != 0: out[k] = gf_exp[2 * gf_log[p]] out[2 * length - 2] = gf_exp[2 * gf_log[poly[length - 1]]] if out[0] == 0: out[0] = 2 * poly[1] - 1 return out
gf_poly_square
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poly):\n length = len(poly)\n out = bytearray(2 * length - 1)\n for i in xrange(length - 1):\n p = poly[i]\n k = 2 * i\n if p != ...
def x(poly, x): y = poly[0] for i in xrange(1, len(poly)): y = gf_mul(y, x) ^ poly[i] return y
gf_poly_eval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(poly, x):\n y = poly[0]\n for i in xrange(1, len(poly)):\n y = gf_mul(y, x) ^ poly[i]\n return y\n", "role": "user" }, { "content":...
def x(nsym, fcr=0, generator=2): g = bytearray([1]) for i in xrange(nsym): g = gf_poly_mul(g, [1, gf_pow(generator, i + fcr)]) return g
rs_generator_poly
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nsym, fcr=0, generator=2):\n g = bytearray([1])\n for i in xrange(nsym):\n g = gf_poly_mul(g, [1, gf_pow(generator, i + fcr)])\n return g\n", ...
def x(max_nsym, fcr=0, generator=2): g_all = {} g_all[0] = g_all[1] = [1] for nsym in xrange(max_nsym): g_all[nsym] = rs_generator_poly(nsym, fcr, generator) return g_all
rs_generator_poly_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_nsym, fcr=0, generator=2):\n g_all = {}\n g_all[0] = g_all[1] = [1]\n for nsym in xrange(max_nsym):\n g_all[nsym] = rs_generator_poly(nsym,...
def x(msg_in, nsym, fcr=0, generator=2, gen=None): global field_charac if len(msg_in) + nsym > field_charac: raise ValueError('Message is too long (%i when max is %i)' % (len( msg_in) + nsym, field_charac)) if gen is None: gen = rs_generator_poly(nsym, fcr, generator) _, remainder = gf_poly_div(msg_in + bytearray(len(gen) - 1), gen) msg_out = msg_in + remainder return msg_out
rs_simple_encode_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg_in, nsym, fcr=0, generator=2, gen=None):\n global field_charac\n if len(msg_in) + nsym > field_charac:\n raise ValueError('Message is too long...
def x(msg_in, nsym, fcr=0, generator=2, gen=None): global field_charac if len(msg_in) + nsym > field_charac: raise ValueError('Message is too long (%i when max is %i)' % (len( msg_in) + nsym, field_charac)) if gen is None: gen = rs_generator_poly(nsym, fcr, generator) msg_in = bytearray(msg_in) msg_out = bytearray(msg_in) + bytearray(len(gen) - 1) lgen = bytearray([gf_log[gen[j]] for j in xrange(len(gen))]) for i in xrange(len(msg_in)): coef = msg_out[i] if coef != 0: lcoef = gf_log[coef] for j in xrange(1, len(gen)): msg_out[i + j] ^= gf_exp[lcoef + lgen[j]] msg_out[:len(msg_in)] = msg_in return msg_out
rs_encode_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg_in, nsym, fcr=0, generator=2, gen=None):\n global field_charac\n if len(msg_in) + nsym > field_charac:\n raise ValueError('Message is too long...
def x(msg, nsym, fcr=0, generator=2): return [0] + [gf_poly_eval(msg, gf_pow(generator, i + fcr)) for i in xrange(nsym)]
rs_calc_syndromes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, nsym, fcr=0, generator=2):\n return [0] + [gf_poly_eval(msg, gf_pow(generator, i + fcr)) for i in\n xrange(nsym)]\n", "role": "user" }, ...
def x(msg_in, synd, err_pos, fcr=0, generator=2): global field_charac msg = bytearray(msg_in) coef_pos = [(len(msg) - 1 - p) for p in err_pos] err_loc = rs_find_errata_locator(coef_pos, generator) err_eval = rs_find_error_evaluator(synd[::-1], err_loc, len(err_loc) - 1)[: :-1] X = [] for i in xrange(len(coef_pos)): l = field_charac - coef_pos[i] X.append(gf_pow(generator, -l)) E = bytearray(len(msg)) Xlength = len(X) for i, Xi in enumerate(X): Xi_inv = gf_inverse(Xi) err_loc_prime_tmp = [] for j in xrange(Xlength): if j != i: err_loc_prime_tmp.append(gf_sub(1, gf_mul(Xi_inv, X[j]))) err_loc_prime = 1 for coef in err_loc_prime_tmp: err_loc_prime = gf_mul(err_loc_prime, coef) y = gf_poly_eval(err_eval[::-1], Xi_inv) y = gf_mul(gf_pow(Xi, 1 - fcr), y) magnitude = gf_div(y, err_loc_prime) E[err_pos[i]] = magnitude msg = gf_poly_add(msg, E) return msg
rs_correct_errata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg_in, synd, err_pos, fcr=0, generator=2):\n global field_charac\n msg = bytearray(msg_in)\n coef_pos = [(len(msg) - 1 - p) for p in err_pos]\n er...
def x(synd, nsym, erase_loc=None, erase_count=0): if erase_loc: err_loc = bytearray(erase_loc) old_loc = bytearray(erase_loc) else: err_loc = bytearray([1]) old_loc = bytearray([1]) synd_shift = 0 if len(synd) > nsym: synd_shift = len(synd) - nsym for i in xrange(nsym - erase_count): if erase_loc: K = erase_count + i + synd_shift else: K = i + synd_shift delta = synd[K] for j in xrange(1, len(err_loc)): delta ^= gf_mul(err_loc[-(j + 1)], synd[K - j]) old_loc = old_loc + bytearray([0]) if delta != 0: if len(old_loc) > len(err_loc): new_loc = gf_poly_scale(old_loc, delta) old_loc = gf_poly_scale(err_loc, gf_inverse(delta)) err_loc = new_loc err_loc = gf_poly_add(err_loc, gf_poly_scale(old_loc, delta)) err_loc = list(itertools.dropwhile(lambda x: x == 0, err_loc)) errs = len(err_loc) - 1 if (errs - erase_count) * 2 + erase_count > nsym: raise ReedSolomonError('Too many errors to correct') return err_loc
rs_find_error_locator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(synd, nsym, erase_loc=None, erase_count=0):\n if erase_loc:\n err_loc = bytearray(erase_loc)\n old_loc = bytearray(erase_loc)\n else:\n ...
def x(e_pos, generator=2): e_loc = [1] for i in e_pos: e_loc = gf_poly_mul(e_loc, gf_poly_add([1], [gf_pow(generator, i), 0])) return e_loc
rs_find_errata_locator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(e_pos, generator=2):\n e_loc = [1]\n for i in e_pos:\n e_loc = gf_poly_mul(e_loc, gf_poly_add([1], [gf_pow(generator, i), 0]))\n return e_loc\n...
def x(synd, err_loc, nsym): _, remainder = gf_poly_div(gf_poly_mul(synd, err_loc), [1] + [0] * ( nsym + 1)) return remainder
rs_find_error_evaluator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(synd, err_loc, nsym):\n _, remainder = gf_poly_div(gf_poly_mul(synd, err_loc), [1] + [0] * (\n nsym + 1))\n return remainder\n", "role": "user...
def x(err_loc, nmess, generator=2): errs = len(err_loc) - 1 err_pos = [] for i in xrange(nmess): if gf_poly_eval(err_loc, gf_pow(generator, i)) == 0: err_pos.append(nmess - 1 - i) if len(err_pos) != errs: raise ReedSolomonError( 'Too many (or few) errors found by Chien Search for the errata locator polynomial!' ) return err_pos
rs_find_errors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(err_loc, nmess, generator=2):\n errs = len(err_loc) - 1\n err_pos = []\n for i in xrange(nmess):\n if gf_poly_eval(err_loc, gf_pow(generator, i...
def x(msg_in, nsym, fcr=0, generator=2, erase_pos=None, only_erasures=False): global field_charac if len(msg_in) > field_charac: raise ValueError('Message is too long (%i when max is %i)' % (len( msg_in), field_charac)) msg_out = bytearray(msg_in) if erase_pos is None: erase_pos = [] else: for e_pos in erase_pos: msg_out[e_pos] = 0 if len(erase_pos) > nsym: raise ReedSolomonError('Too many erasures to correct') synd = rs_calc_syndromes(msg_out, nsym, fcr, generator) if max(synd) == 0: return msg_out[:-nsym], msg_out[-nsym:] if only_erasures: err_pos = [] else: fsynd = rs_forney_syndromes(synd, erase_pos, len(msg_out), generator) err_loc = rs_find_error_locator(fsynd, nsym, erase_count=len(erase_pos) ) err_pos = rs_find_errors(err_loc[::-1], len(msg_out), generator) if err_pos is None: raise ReedSolomonError('Could not locate error') msg_out = rs_correct_errata(msg_out, synd, erase_pos + err_pos, fcr, generator) synd = rs_calc_syndromes(msg_out, nsym, fcr, generator) if max(synd) > 0: raise ReedSolomonError('Could not correct message') return msg_out[:-nsym], msg_out[-nsym:]
rs_correct_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg_in, nsym, fcr=0, generator=2, erase_pos=None, only_erasures=False):\n global field_charac\n if len(msg_in) > field_charac:\n raise ValueError(...
def x(msg_in, nsym, fcr=0, generator=2, erase_pos=None, only_erasures=False): global field_charac if len(msg_in) > field_charac: raise ValueError('Message is too long (%i when max is %i)' % (len( msg_in), field_charac)) msg_out = bytearray(msg_in) if erase_pos is None: erase_pos = [] else: for e_pos in erase_pos: msg_out[e_pos] = 0 if len(erase_pos) > nsym: raise ReedSolomonError('Too many erasures to correct') synd = rs_calc_syndromes(msg_out, nsym, fcr, generator) if max(synd) == 0: return msg_out[:-nsym], msg_out[-nsym:] erase_loc = None erase_count = 0 if erase_pos: erase_count = len(erase_pos) erase_pos_reversed = [(len(msg_out) - 1 - eras) for eras in erase_pos] erase_loc = rs_find_errata_locator(erase_pos_reversed, generator= generator) if only_erasures: err_loc = erase_loc[::-1] else: err_loc = rs_find_error_locator(synd, nsym, erase_loc=erase_loc, erase_count=erase_count) err_loc = err_loc[::-1] err_pos = rs_find_errors(err_loc, len(msg_out), generator) if err_pos is None: raise ReedSolomonError('Could not locate error') msg_out = rs_correct_errata(msg_out, synd, err_pos, fcr=fcr, generator= generator) synd = rs_calc_syndromes(msg_out, nsym, fcr, generator) if max(synd) > 0: raise ReedSolomonError('Could not correct message') return msg_out[:-nsym], msg_out[-nsym:]
rs_correct_msg_nofsynd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg_in, nsym, fcr=0, generator=2, erase_pos=None, only_erasures=False):\n global field_charac\n if len(msg_in) > field_charac:\n raise ValueError(...
def x(msg, nsym, fcr=0, generator=2): return max(rs_calc_syndromes(msg, nsym, fcr, generator)) == 0
rs_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, nsym, fcr=0, generator=2):\n return max(rs_calc_syndromes(msg, nsym, fcr, generator)) == 0\n", "role": "user" }, { "content": "rs_check", ...
def x(self, data): if isinstance(data, str): data = bytearray(data, 'latin-1') chunk_size = self.nsize - self.nsym enc = bytearray() for i in xrange(0, len(data), chunk_size): chunk = data[i:i + chunk_size] enc.extend(rs_encode_msg(chunk, self.nsym, fcr=self.fcr, generator= self.generator)) return enc
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if isinstance(data, str):\n data = bytearray(data, 'latin-1')\n chunk_size = self.nsize - self.nsym\n enc = bytearray()\n for...
def x(self, data, erase_pos=None, only_erasures=False): if isinstance(data, str): data = bytearray(data, 'latin-1') dec = bytearray() for i in xrange(0, len(data), self.nsize): chunk = data[i:i + self.nsize] e_pos = [] if erase_pos: e_pos = [x for x in erase_pos if x <= self.nsize] erase_pos = [(x - (self.nsize + 1)) for x in erase_pos if x > self.nsize] dec.extend(rs_correct_msg(chunk, self.nsym, fcr=self.fcr, generator =self.generator, erase_pos=e_pos, only_erasures=only_erasures)[0]) return dec
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, erase_pos=None, only_erasures=False):\n if isinstance(data, str):\n data = bytearray(data, 'latin-1')\n dec = bytearray()\n for i i...
def x(record, index, stop_types=STOP_TYPES, already_seen=None, type_group=False ): if already_seen is None: already_seen = set() if record['address'] not in already_seen: already_seen.add(record['address']) if 'refs' in record: for child in children(record, index, stop_types=stop_types): if child['address'] not in already_seen: for descendant in recurse(child, index, stop_types, already_seen=already_seen, type_group=type_group): yield descendant yield record
recurse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(record, index, stop_types=STOP_TYPES, already_seen=None, type_group=False\n ):\n if already_seen is None:\n already_seen = set()\n if record['a...
def x(record, index, stop_types=STOP_TYPES, open=None, seen=None): if open is None: open = [] if seen is None: seen = set() for child in children(record, index, stop_types=stop_types): if child['type'] in stop_types or child['type'] == LOOP_TYPE: continue if child['address'] in open: start = open.index(child['address']) new = frozenset(open[start:]) if new not in seen: seen.add(new) yield new elif child['address'] in seen: continue else: seen.add(child['address']) open.append(child['address']) for loop in find_loops(child, index, stop_types=stop_types, open=open, seen=seen): yield loop open.pop(-1)
find_loops
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(record, index, stop_types=STOP_TYPES, open=None, seen=None):\n if open is None:\n open = []\n if seen is None:\n seen = set()\n for chil...
def x(loops, index, shared): for loop in loops: loop = list(loop) members = [index[addr] for addr in loop] external_parents = list(set([addr for addr in sum([shared.get(addr, []) for addr in loop], []) if addr not in loop])) if external_parents: if len(external_parents) == 1: parent = index.get(external_parents[0]) if parent['type'] == LOOP_TYPE: continue loop_addr = new_address(index) shared[loop_addr] = external_parents loop_record = index[loop_addr] = {'address': loop_addr, 'refs': loop, 'parents': external_parents, 'type': LOOP_TYPE, 'size': 0 } for member in members: member['refs'] = [ref for ref in member['refs'] if ref not in loop] member['parents'][:] = [loop_addr] for parent in external_parents: parent = index[parent] for member in members: rewrite_references(parent['refs'], member['address'], None) parent['refs'].append(loop_addr)
promote_loops
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(loops, index, shared):\n for loop in loops:\n loop = list(loop)\n members = [index[addr] for addr in loop]\n external_parents = list(se...
def x(record, index, key='refs', stop_types=STOP_TYPES): types = {} for child in children(record, index, key, stop_types=stop_types): types.setdefault(child['type'], []).append(child) return types
children_types
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(record, index, key='refs', stop_types=STOP_TYPES):\n types = {}\n for child in children(record, index, key, stop_types=stop_types):\n types.setdef...
def x(overall_record, index, shared, stop_types=STOP_TYPES, already_seen= None, min_size=0): for record in recurse(overall_record, index, stop_types=stop_types, already_seen=already_seen, type_group=True): if record.get('totsize') is not None: continue rinfo = record rinfo['module'] = overall_record.get('name', NON_MODULE_REFS) if not record['refs']: rinfo['rsize'] = 0 rinfo['children'] = [] else: rinfo['children'] = rinfo_children = list(children(record, index, stop_types=stop_types)) rinfo['rsize'] = sum([(child.get('totsize', 0.0) / float(len( shared.get(child['address'], [])) or 1)) for child in rinfo_children], 0.0) rinfo['totsize'] = record['size'] + rinfo['rsize'] return None
recurse_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(overall_record, index, shared, stop_types=STOP_TYPES, already_seen=\n None, min_size=0):\n for record in recurse(overall_record, index, stop_types=stop_t...
def x(sequence, old, new, single_ref=False): old, new = as_id(old), as_id(new) to_delete = [] for i, n in enumerate(sequence): if n == old: if new is None: to_delete.append(i) else: sequence[i] = new if single_ref: new = None elif n == new and single_ref: new = None if to_delete: to_delete.reverse() for i in to_delete: del sequence[i] return sequence
rewrite_references
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequence, old, new, single_ref=False):\n old, new = as_id(old), as_id(new)\n to_delete = []\n for i, n in enumerate(sequence):\n if n == old:\n...
def x(child, shared, parent): return not child.get('refs', ()) and (not shared.get(child['address']) or shared.get(child['address']) == [parent['address']])
simple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(child, shared, parent):\n return not child.get('refs', ()) and (not shared.get(child['address']) or\n shared.get(child['address']) == [parent['addres...
def x(index, shared, simplify_dicts=SIMPLIFY_DICTS, always_compress= ALWAYS_COMPRESS_DICTS): to_delete = set() for to_simplify in iterindex(index): if to_simplify['address'] in to_delete: continue if to_simplify['type' ] in simplify_dicts and not 'compressed' in to_simplify: refs = to_simplify['refs'] for ref in refs: child = index.get(ref) if child is not None and child['type'] == 'dict': child_referrers = child['parents'][:] if len(child_referrers) == 1 or to_simplify['type' ] in always_compress: to_simplify['compressed'] = True to_simplify['refs'] = child['refs'] to_simplify['size'] += child['size'] while to_simplify['address'] in child_referrers: child_referrers.remove(to_simplify['address']) if child_referrers: rewrite_refs(child_referrers, child['address'], to_simplify['address'], index, single_ref=True) for grandchild in child['refs']: grandchild = index[grandchild] parent_set = grandchild['parents'] if parent_set: rewrite_references(parent_set, child, to_simplify, single_ref=True) assert parent_set to_delete.add(child['address']) for item in to_delete: del index[item] del shared[item] return index
simplify_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(index, shared, simplify_dicts=SIMPLIFY_DICTS, always_compress=\n ALWAYS_COMPRESS_DICTS):\n to_delete = set()\n for to_simplify in iterindex(index):\n ...
def x(modules, index, shared, stop_types=STOP_TYPES): reachable = set() already_seen = set() for module in modules: for child in recurse(module, index, stop_types=stop_types, already_seen=already_seen): reachable.add(child['address']) return reachable
find_reachable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modules, index, shared, stop_types=STOP_TYPES):\n reachable = set()\n already_seen = set()\n for module in modules:\n for child in recurse(modu...
def x(reachable, shared): for id, shares in shared.iteritems(): if id in reachable: filtered = [x for x in shares if x in reachable] if len(filtered) != len(shares): shares[:] = filtered
deparent_unreachable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reachable, shared):\n for id, shares in shared.iteritems():\n if id in reachable:\n filtered = [x for x in shares if x in reachable]\n ...
def x(index, shared): for v in iterindex(index): v['parents'] = shared.get(v['address'], [])
bind_parents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(index, shared):\n for v in iterindex(index):\n v['parents'] = shared.get(v['address'], [])\n", "role": "user" }, { "content": "bind_paren...
def x(disconnected, index, shared): log.warn('%s disconnected objects in %s total objects', len( disconnected), len(index)) natural_roots = [x for x in disconnected if x.get('refs') and not x.get ('parents')] log.warn('%s objects with no parents at all', len(natural_roots)) for natural_root in natural_roots: recurse_module(natural_root, index, shared) yield natural_root rest = [x for x in disconnected if x.get('totsize') is None] un_found = {'type': 'module', 'name': '<disconnected objects>', 'children': rest, 'parents': [], 'size': 0, 'totsize': sum([x[ 'size'] for x in rest], 0), 'address': new_address(index)} index[un_found['address']] = un_found yield un_found
find_roots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(disconnected, index, shared):\n log.warn('%s disconnected objects in %s total objects', len(\n disconnected), len(index))\n natural_roots = [x for...
def x(self, key): if key not in self.roots: root, self.rows = load(self.filename, include_interpreter=self. include_interpreter) self.roots[key] = root return self.roots[key]
get_root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key not in self.roots:\n root, self.rows = load(self.filename, include_interpreter=self.\n include_interpreter)\n ...
def x(self): if not self.URL_TEMPLATE: raise NotImplementedError return self.URL_TEMPLATE.format(self=self)
url
[ { "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.URL_TEMPLATE:\n raise NotImplementedError\n return self.URL_TEMPLATE.format(self=self)\n", "role": "user" }, { "c...
def x(self, method_name, *args, **kwargs): self.actions.append((method_name, args, kwargs))
record_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method_name, *args, **kwargs):\n self.actions.append((method_name, args, kwargs))\n", "role": "user" }, { "content": "record_action", ...
def x(self, target): for method_name, args, kwargs in self.actions: method = getattr(target, method_name) method(*args, **kwargs)
play_actions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target):\n for method_name, args, kwargs in self.actions:\n method = getattr(target, method_name)\n method(*args, **kwargs)\n", "rol...
def x(self, host, rule, **options): def x(func): endpoint = '{func.__module__}:{func.__name__}'.format(func=func) self.record_action('add_url_rule', host, rule, endpoint, **options) return func return decorator
route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host, rule, **options):\n\n def x(func):\n endpoint = '{func.__module__}:{func.__name__}'.format(func=func)\n self.record_action('add_ur...
def x(text, encoding='utf-8'): if not isinstance(text, (bytes, text_type)): raise TypeError('must be string type') if isinstance(text, text_type): return text.encode(encoding) return text
to_bytes_safe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, encoding='utf-8'):\n if not isinstance(text, (bytes, text_type)):\n raise TypeError('must be string type')\n if isinstance(text, text_type):...
def x(self, obj, name): attr_name = self.attr_names[name] return getattr(obj, attr_name)
get_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, name):\n attr_name = self.attr_names[name]\n return getattr(obj, attr_name)\n", "role": "user" }, { "content": "get_attr", "ro...
def x(self, host, rule_string, endpoint, **options): rule = Rule(rule_string, host=host, endpoint=endpoint, **options) self.url_map.add(rule)
add_url_rule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, host, rule_string, endpoint, **options):\n rule = Rule(rule_string, host=host, endpoint=endpoint, **options)\n self.url_map.add(rule)\n", "role...
def x(self, url_string): url = urllib.parse.urlparse(url_string) url = self.validate_url(url) url_adapter = self.url_map.bind(server_name=url.hostname, url_scheme= url.scheme, path_info=url.path) query_args = url_decode(url.query) return url, url_adapter, query_args
parse_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url_string):\n url = urllib.parse.urlparse(url_string)\n url = self.validate_url(url)\n url_adapter = self.url_map.bind(server_name=url.hostname...
def x(self, url): url_path = to_bytes_safe(url.path) url_path = urllib.parse.quote(url_path, safe=b'/%') url_query = to_bytes_safe(url.query) url_query = urllib.parse.quote(url_query, safe=b'?=&') url = urllib.parse.ParseResult(url.scheme, url.netloc, url_path, url. params, url_query, url.fragment) has_hostname = url.hostname is not None and len(url.hostname) > 0 has_http_scheme = url.scheme in ('http', 'https') has_path = not len(url.path) or url.path.startswith('/') if not (has_hostname and has_http_scheme and has_path): raise NotSupported('invalid url: %s' % repr(url)) return url
validate_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n url_path = to_bytes_safe(url.path)\n url_path = urllib.parse.quote(url_path, safe=b'/%')\n url_query = to_bytes_safe(url.query)\n url...
def x(self, url_string): url, url_adapter, query_args = self.parse_url(url_string) try: endpoint, kwargs = url_adapter.match() except NotFound: raise NotSupported(url_string) except RequestRedirect as e: new_url = '{0.new_url}?{1}'.format(e, url_encode(query_args)) return self.dispatch_url(new_url) try: handler = import_string(endpoint) request = Request(url=url, args=query_args) return handler(request, **kwargs) except RequestRedirect as e: return self.dispatch_url(e.new_url)
dispatch_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url_string):\n url, url_adapter, query_args = self.parse_url(url_string)\n try:\n endpoint, kwargs = url_adapter.match()\n except NotFoun...
def x(self, site): if isinstance(site, string_types): site = import_string(site) site.play_actions(target=self)
mount_site
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, site):\n if isinstance(site, string_types):\n site = import_string(site)\n site.play_actions(target=self)\n", "role": "user" }, { ...
def x(self, *args, **kwargs): return self._makeApiCall(self.funcinfo['ping'], *args, **kwargs)
ping
[ { "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 return self._makeApiCall(self.funcinfo['ping'], *args, **kwargs)\n", "role": "user" }, { "content": "ping", "role"...
def x(self, *args, **kwargs): return self._makeApiCall(self.funcinfo['githubWebHookConsumer'], *args, **kwargs)
githubWebHookConsumer
[ { "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 return self._makeApiCall(self.funcinfo['githubWebHookConsumer'], *args,\n **kwargs)\n", "role": "user" }, { "co...
def x(self, *args, **kwargs): return self._makeApiCall(self.funcinfo['badge'], *args, **kwargs)
badge
[ { "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 return self._makeApiCall(self.funcinfo['badge'], *args, **kwargs)\n", "role": "user" }, { "content": "badge", "rol...
def x(self, *args, **kwargs): return self._makeApiCall(self.funcinfo['createComment'], *args, **kwargs)
createComment
[ { "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 return self._makeApiCall(self.funcinfo['createComment'], *args, **kwargs)\n", "role": "user" }, { "content": "createCo...
def x(): w = lambda l: l[random.randrange(len(l))] er = lambda w: w[:-1] + 'ier' if w.endswith('y' ) else w + 'r' if w.endswith('e') else w + 'er' s = lambda w: w + 's' punc = lambda c, *l: ' '.join(l) + c sentence = lambda *l: lambda : ' '.join(l) pick = lambda *l: l[random.randrange(len(l))]() while True: yield pick(sentence('the', w(adj), w(them), 'and the', w(them), w( them_verb)), sentence('delivering me to', w(place)), sentence( 'they', w(action), 'my', w(me_part), 'and', w(me_verb), 'with all my', w(feeling)), sentence('in the', w(place), 'my', w(feeling), 'shall', w(me_verb)), sentence(punc(',', er(w(adj)), 'than the a petty', w(feeling))), sentence(er(w(adj)), 'than', w(them), 'in', w(place)), sentence(punc('!', 'oh my', w(me_part )), punc('!', 'the', w(feeling))), sentence('no one', s(w(angst )), 'why the', w(them), w(them_verb + me_verb)))
lorem_gotham
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n w = lambda l: l[random.randrange(len(l))]\n er = lambda w: w[:-1] + 'ier' if w.endswith('y'\n ) else w + 'r' if w.endswith('e') else w + 'er'...
def x(): w = lambda l: l[random.randrange(len(l))] sentence = lambda *l: lambda : ' '.join(l) pick = lambda *l: l[random.randrange(len(l))]() return pick(sentence('why i', w(me_verb)), sentence(w(place)), sentence ('a', w(adj), w(adj), w(place)), sentence('the', w(them)))
lorem_gotham_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n w = lambda l: l[random.randrange(len(l))]\n sentence = lambda *l: lambda : ' '.join(l)\n pick = lambda *l: l[random.randrange(len(l))]()\n ret...
def x(): print() print('-~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~-') print(lorem_gotham_title().center(50)) print('-~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~-') print() poem = lorem_gotham() for n in range(16): if n in (4, 8, 12): print() print(next(poem)) print()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print()\n print('-~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~--~*~-')\n print(lorem_gotham_title().center(50))\n print('-~*~--~*~--~*~--~*~--~...
async def listWorkerTypes(self, *args, **kwargs): """ See the list of worker types which are known to be managed This method is only for debugging the ec2-manager This method gives output: ``v1/list-worker-types.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['listWorkerTypes'], *args, **kwargs)
listWorkerTypes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def listWorkerTypes(self, *args, **kwargs):\n \"\"\"\n See the list of worker types which are known to be managed\n\n This method is only for ...
async def runInstance(self, *args, **kwargs): """ Run an instance Request an instance of a worker type This method takes input: ``v1/run-instance-request.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['runInstance'], *args, ** kwargs)
runInstance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def runInstance(self, *args, **kwargs):\n \"\"\"\n Run an instance\n\n Request an instance of a worker type\n\n This method takes input...
async def workerTypeStats(self, *args, **kwargs): """ Look up the resource stats for a workerType Return an object which has a generic state description. This only contains counts of instances This method gives output: ``v1/worker-type-resources.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['workerTypeStats'], *args, **kwargs)
workerTypeStats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def workerTypeStats(self, *args, **kwargs):\n \"\"\"\n Look up the resource stats for a workerType\n\n Return an object which has a generic st...
async def workerTypeHealth(self, *args, **kwargs): """ Look up the resource health for a workerType Return a view of the health of a given worker type This method gives output: ``v1/health.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['workerTypeHealth'], *args, **kwargs)
workerTypeHealth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def workerTypeHealth(self, *args, **kwargs):\n \"\"\"\n Look up the resource health for a workerType\n\n Return a view of the health of a give...
async def workerTypeErrors(self, *args, **kwargs): """ Look up the most recent errors of a workerType Return a list of the most recent errors encountered by a worker type This method gives output: ``v1/errors.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['workerTypeErrors'], *args, **kwargs)
workerTypeErrors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def workerTypeErrors(self, *args, **kwargs):\n \"\"\"\n Look up the most recent errors of a workerType\n\n Return a list of the most recent er...
async def workerTypeState(self, *args, **kwargs): """ Look up the resource state for a workerType Return state information for a given worker type This method gives output: ``v1/worker-type-state.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['workerTypeState'], *args, **kwargs)
workerTypeState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def workerTypeState(self, *args, **kwargs):\n \"\"\"\n Look up the resource state for a workerType\n\n Return state information for a given wo...
async def ensureKeyPair(self, *args, **kwargs): """ Ensure a KeyPair for a given worker type exists Idempotently ensure that a keypair of a given name exists This method takes input: ``v1/create-key-pair.json#`` This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['ensureKeyPair'], *args, **kwargs)
ensureKeyPair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def ensureKeyPair(self, *args, **kwargs):\n \"\"\"\n Ensure a KeyPair for a given worker type exists\n\n Idempotently ensure that a keypair of...
async def removeKeyPair(self, *args, **kwargs): """ Ensure a KeyPair for a given worker type does not exist Ensure that a keypair of a given name does not exist. This method is ``experimental`` """ return await self._makeApiCall(self.funcinfo['removeKeyPair'], *args, **kwargs)
removeKeyPair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def removeKeyPair(self, *args, **kwargs):\n \"\"\"\n Ensure a KeyPair for a given worker type does not exist\n\n Ensure that a keypair of a gi...