source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): def x(column_name): return ALCHEMY_TEMPLATES.col_assignment.safe_substitute(col_name= column_name) def x(arg_name): return ALCHEMY_TEMPLATES.func_arg.safe_substitute(arg_name=arg_name) join_string = '\n' + self.tab + self.tab column_assignments = join_string.join([get_column_assignment(n) for n in self.columns]) init_args = ', '.join(get_compiled_args(n) for n in self.columns) return ALCHEMY_TEMPLATES.init_function.safe_substitute(col_assignments= column_assignments, init_args=init_args)
compiled_init_func
[ { "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_name):\n return ALCHEMY_TEMPLATES.col_assignment.safe_substitute(col_name=\n column_name)\n\n def x(arg_name):\...
def x(self): def x(column_name): return ALCHEMY_TEMPLATES.not_none_col_assignment.safe_substitute( col_name=column_name) def x(arg_name): return ALCHEMY_TEMPLATES.func_arg.safe_substitute(arg_name=arg_name) join_string = '\n' + self.tab + self.tab columns = [n for n in self.columns if n not in self.primary_keys] not_none_col_assignments = join_string.join([ get_not_none_col_assignment(n) for n in columns]) update_args = ', '.join(get_compiled_args(n) for n in columns) return ALCHEMY_TEMPLATES.update_function.safe_substitute( not_none_col_assignments=not_none_col_assignments, update_args= update_args, class_name=self.class_name)
compiled_update_func
[ { "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_name):\n return ALCHEMY_TEMPLATES.not_none_col_assignment.safe_substitute(\n col_name=column_name)\n\n def x(ar...
def x(self): def x(pkey_name): return 'str(self.{})'.format(pkey_name) hash_str = '+ '.join([get_primary_key_str(n) for n in self.primary_keys]) return ALCHEMY_TEMPLATES.hash_function.safe_substitute( concated_primary_key_strs=hash_str)
compiled_hash_func
[ { "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(pkey_name):\n return 'str(self.{})'.format(pkey_name)\n hash_str = '+ '.join([get_primary_key_str(n) for n in self.primary_keys])...
def x(self, func_name): def x(col): return ALCHEMY_TEMPLATES.col_accessor.safe_substitute(col=col) def x(col): return ALCHEMY_TEMPLATES.col_evaluator.safe_substitute(col=col) col_evaluators = ', '.join([get_col_evaluator(n) for n in self. primary_keys]) col_accessors = ', '.join([get_col_accessor(n) for n in self.primary_keys]) return ALCHEMY_TEMPLATES.representor_function.safe_substitute(func_name =func_name, col_accessors=col_accessors, col_evaluators= col_evaluators, class_name=self.class_name)
representation_function_compiler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func_name):\n\n def x(col):\n return ALCHEMY_TEMPLATES.col_accessor.safe_substitute(col=col)\n\n def x(col):\n return ALCHEMY_TEMPLAT...
def x(self): return ALCHEMY_TEMPLATES.model.safe_substitute(class_name=self. class_name, table_name=self.table_name, column_definitions=self. compiled_columns, init_function=self.compiled_init_func, update_function=self.compiled_update_func, hash_function=self. compiled_hash_func, eq_function=self.compiled_eq_func, neq_function =self.compiled_neq_func, str_function=self.compiled_str_func, unicode_function=self.compiled_unicode_func, repr_function=self. compiled_repr_func, types=', '.join(self.basic_types), username= self.username, foreign_keys=self.compiled_foreign_keys, relationships=self.compiled_relationships, named_imports=self. compiled_named_imports, orm_imports=self.compiled_orm_imports, get_proxy_cls_function=self.compiled_proxy_cls_func, add_function= ALCHEMY_TEMPLATES.add_function.template, delete_function= ALCHEMY_TEMPLATES.delete_function.template, to_dict_function= ALCHEMY_TEMPLATES.to_dict_function.template, to_proxy_function= ALCHEMY_TEMPLATES.to_proxy_function.template, from_proxy_function= ALCHEMY_TEMPLATES.from_proxy_function.template)
compiled_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return ALCHEMY_TEMPLATES.model.safe_substitute(class_name=self.\n class_name, table_name=self.table_name, column_definitions=self.\n ...
def x(self): return self.manager.put(id=self.id, name=self.name, description=self. description, private=self.private, runs_executable_tasks=self. runs_executable_tasks, runs_docker_container_tasks=self. runs_docker_container_tasks, runs_singularity_container_tasks=self. runs_singularity_container_tasks, active=self.active, whitelists= self.whitelists)
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, private=self.private, runs_executable_tasks=self.\n ...
def x(self, id=None, name=None): if not (id is None) ^ (name is None): raise ValueError('Either id or name must be set (but not both!)') if id is not None: return super(TaskQueueManager, self).get(id=id) return self.list(filters={'name': name})[0]
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id=None, name=None):\n if not (id is None) ^ (name is None):\n raise ValueError('Either id or name must be set (but not both!)')\n if id is ...
def x(self, name, description='', private=False, runs_executable_tasks=True, runs_docker_container_tasks=True, runs_singularity_container_tasks=True, active=True, whitelists=None): if whitelists is None: whitelists = [] request_url = self._client.base_api_url + self.list_url data_to_post = {'name': name, 'description': description, 'private': private, 'runs_executable_tasks': runs_executable_tasks, 'runs_docker_container_tasks': runs_docker_container_tasks, 'runs_singularity_container_tasks': runs_singularity_container_tasks, 'active': active, 'whitelists': whitelists} 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='', private=False, runs_executable_tasks=True,\n runs_docker_container_tasks=True, runs_singularity_container_tasks=True,\n activ...
def x(self, id, name=None, description=None, private=None, runs_executable_tasks=None, runs_docker_container_tasks=None, runs_singularity_container_tasks=None, active=None, whitelists=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 private is not None: data_to_patch['private'] = private if runs_executable_tasks is not None: data_to_patch['runs_executable_tasks'] = runs_executable_tasks if runs_docker_container_tasks is not None: data_to_patch['runs_docker_container_tasks' ] = runs_docker_container_tasks if runs_singularity_container_tasks is not None: data_to_patch['runs_singularity_container_tasks' ] = runs_singularity_container_tasks if active is not None: data_to_patch['active'] = active if whitelists is not None: data_to_patch['whitelists'] = whitelists 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, private=None,\n runs_executable_tasks=None, runs_docker_container_tasks=None,\n runs_singularity_container_tasks=N...
def x(self, id, name, description, private, runs_executable_tasks, runs_docker_container_tasks, runs_singularity_container_tasks, active, whitelists): request_url = self._client.base_api_url + self.detail_url.format(id=id) data_to_put = {'name': name, 'description': description, 'private': private, 'runs_executable_tasks': runs_executable_tasks, 'runs_docker_container_tasks': runs_docker_container_tasks, 'runs_singularity_container_tasks': runs_singularity_container_tasks, 'active': active, 'whitelists': whitelists} response = self._client.session.put(request_url, data=data_to_put) 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())
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, private, runs_executable_tasks,\n runs_docker_container_tasks, runs_singularity_container_tasks, active,\n whitelists):\n ...
def x(self): self.targets() self.bait(k=49) self.reversebait(maskmiddle='t', k=19) self.subsample_reads()
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.targets()\n self.bait(k=49)\n self.reversebait(maskmiddle='t', k=19)\n self.subsample_reads()\n", "role": "user" }, { "co...
def x(self): for sample in self.runmetadata: if sample.general.bestassemblyfile != 'NA': setattr(sample, self.analysistype, GenObject()) sample[self.analysistype].runanalysis = True sample[self.analysistype].targetpath = self.targetpath baitpath = os.path.join(self.targetpath, 'bait') sample[self.analysistype].baitfile = glob(os.path.join(baitpath, '*.fa'))[0] try: sample[self.analysistype].outputdir = os.path.join(sample. run.outputdirectory, self.analysistype) except AttributeError: sample[self.analysistype].outputdir = os.path.join(sample. general.outputdirectory, self.analysistype) sample.run.outputdirectory = sample.general.outputdirectory sample[self.analysistype].logout = os.path.join(sample[self. analysistype].outputdir, 'logout.txt') sample[self.analysistype].logerr = os.path.join(sample[self. analysistype].outputdir, 'logerr.txt') sample[self.analysistype].baitedfastq = os.path.join(sample[ self.analysistype].outputdir, '{}_targetMatches.fastq'. format(self.analysistype)) sample[self.analysistype].complete = False
targets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for sample in self.runmetadata:\n if sample.general.bestassemblyfile != 'NA':\n setattr(sample, self.analysistype, GenObject())\n...
def x(self): logging.info('Performing analysis with {} targets folder'.format(self. analysistype)) for sample in self.runmetadata: if sample.general.bestassemblyfile != 'NA': sample[self.analysistype].targetpath = os.path.join(self. targetpath, 'genera', sample[self.analysistype].genus, '') try: sample[self.analysistype].mappingfile = glob('{}*.fa'. format(sample[self.analysistype].targetpath))[0] except IndexError as e: e.args = [ 'Cannot find the combined fasta file in {}. Please note that the file must have a .fasta extension' .format(sample[self.analysistype].targetpath)] if os.path.isdir(sample[self.analysistype].targetpath): raise else: sample.general.bestassemblyfile = 'NA'
targets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Performing analysis with {} targets folder'.format(self.\n analysistype))\n for sample in self.runmetadata:\n if sam...
def x(self): logging.info('Starting {} analysis pipeline'.format(self.analysistype)) if not self.pipeline: try: _ = vars(self.runmetadata)['samples'] except AttributeError: objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples else: for sample in self.runmetadata.samples: setattr(sample, self.analysistype, GenObject()) sample.run.outputdirectory = sample.general.outputdirectory self.threads = int(self.cpus / len(self.runmetadata.samples) ) if self.cpus / len(self.runmetadata.samples) > 1 else 1 SixteenSBait(self, self.cutoff) self.subsample() self.fasta() self.makeblastdb() self.blast() self.blastparse() SixteenSSipper(self, self.cutoff) self.reporter()
runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Starting {} analysis pipeline'.format(self.analysistype))\n if not self.pipeline:\n try:\n _ = vars(self.runmeta...
def x(self): logging.info('Subsampling FASTQ reads') for _ in range(self.cpus): threads = Thread(target=self.subsamplethreads, args=()) threads.setDaemon(True) threads.start() with progressbar(self.runmetadata.samples) as bar: for sample in bar: if sample.general.bestassemblyfile != 'NA': sample[self.analysistype].subsampledfastq = os.path.splitext( sample[self.analysistype].baitedfastq)[0 ] + '_subsampled.fastq' sample[self.analysistype].seqtkcall = ( 'reformat.sh in={} out={} samplereadstarget=1000'. format(sample[self.analysistype].baitedfastq, sample[ self.analysistype].subsampledfastq)) self.samplequeue.put(sample) self.samplequeue.join()
subsample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Subsampling FASTQ reads')\n for _ in range(self.cpus):\n threads = Thread(target=self.subsamplethreads, args=())\n t...
def x(self): logging.info('Converting FASTQ files to FASTA format') for _ in range(self.cpus): threads = Thread(target=self.fastathreads, args=()) threads.setDaemon(True) threads.start() with progressbar(self.runmetadata.samples) as bar: for sample in bar: if sample.general.bestassemblyfile != 'NA': sample[self.analysistype].fasta = os.path.splitext(sample[ self.analysistype].subsampledfastq)[0] + '.fa' sample[self.analysistype ].reformatcall = 'reformat.sh in={fastq} out={fasta}'.format( fastq=sample[self.analysistype].subsampledfastq, fasta= sample[self.analysistype].fasta) self.fastaqueue.put(sample) self.fastaqueue.join()
fasta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Converting FASTQ files to FASTA format')\n for _ in range(self.cpus):\n threads = Thread(target=self.fastathreads, args=())...
def x(self): for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': db = os.path.splitext(sample[self.analysistype].baitfile)[0] nhr = '{}.nhr'.format(db) if not os.path.isfile(str(nhr)): command = ( 'makeblastdb -in {} -parse_seqids -max_file_sz 2GB -dbtype nucl -out {}' .format(sample[self.analysistype].baitfile, db)) out, err = run_subprocess(command) write_to_logfile(command, command, self.logfile, sample. general.logout, sample.general.logerr, sample[self. analysistype].logout, sample[self.analysistype].logerr) write_to_logfile(out, err, self.logfile, sample.general. logout, sample.general.logerr, sample[self.analysistype ].logout, sample[self.analysistype].logerr)
makeblastdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n db = os.path.splitext(sample[self.analysi...
def x(self): logging.info('BLASTing FASTA files against {} database'.format(self. analysistype)) for _ in range(self.cpus): threads = Thread(target=self.blastthreads, args=()) threads.setDaemon(True) threads.start() with progressbar(self.runmetadata.samples) as bar: for sample in bar: if sample.general.bestassemblyfile != 'NA': sample[self.analysistype].blastreport = os.path.join(sample [self.analysistype].outputdir, '{}_{}_blastresults.csv' .format(sample.name, self.analysistype)) blastn = NcbiblastnCommandline(query=sample[self. analysistype].fasta, db=os.path.splitext(sample[self. analysistype].baitfile)[0], max_target_seqs=1, num_threads=self.threads, outfmt= "'6 qseqid sseqid positive mismatch gaps evalue bitscore slen length qstart qend qseq sstart send sseq'" , out=sample[self.analysistype].blastreport) sample[self.analysistype].blastcall = str(blastn) self.blastqueue.put((sample, blastn)) self.blastqueue.join()
blast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('BLASTing FASTA files against {} database'.format(self.\n analysistype))\n for _ in range(self.cpus):\n threads = Thr...
def x(self): logging.info('Parsing BLAST results') for sample in self.runmetadata.samples: if sample.general.bestassemblyfile != 'NA': dbrecords = SeqIO.to_dict(SeqIO.parse(sample[self.analysistype] .baitfile, 'fasta')) if os.path.isfile(sample[self.analysistype].blastreport): sample[self.analysistype].frequency = dict() blastdict = DictReader(open(sample[self.analysistype]. blastreport), fieldnames=self.fieldnames, dialect= 'excel-tab') recorddict = dict() for record in blastdict: subject = record['subject_id'] genus = dbrecords[subject].description.split('|')[-1 ].split()[0] try: sample[self.analysistype].frequency[genus] += 1 except KeyError: sample[self.analysistype].frequency[genus] = 1 try: recorddict[dbrecords[subject].description] += 1 except KeyError: recorddict[dbrecords[subject].description] = 1 sample[self.analysistype].sortedgenera = sorted(sample[self .analysistype].frequency.items(), key=operator. itemgetter(1), reverse=True) try: sample[self.analysistype].genus = sample[self.analysistype ].sortedgenera[0][0] except IndexError: sample[self.analysistype].sortedgenera = 'NA' sample[self.analysistype].genus = 'NA' else: sample[self.analysistype].sortedgenera = 'NA' sample[self.analysistype].genus = 'NA' else: sample[self.analysistype].sortedgenera = 'NA' sample[self.analysistype].genus = 'NA'
blastparse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.info('Parsing BLAST results')\n for sample in self.runmetadata.samples:\n if sample.general.bestassemblyfile != 'NA':\n ...
def x(self): make_path(self.reportpath) logging.info('Creating {} report'.format(self.analysistype)) header = 'Strain,Gene,PercentIdentity,Genus,FoldCoverage\n' data = '' with open(self.sixteens_report, 'w') as report: with open(os.path.join(self.reportpath, self.analysistype + '_sequences.fa'), 'w') as sequences: for sample in self.runmetadata.samples: sample[self.analysistype].sixteens_match = 'NA' sample[self.analysistype].species = 'NA' try: sample[self.analysistype].besthit = sorted(sample[self. analysistype].resultssnp.items(), key=operator. itemgetter(1))[0][0] for record in SeqIO.parse(sample[self.analysistype]. baitfile, 'fasta'): if sample[self.analysistype].besthit in record.id: sample[self.analysistype ].sixteens_match = record.description.split( ' 16S')[0] sample[self.analysistype].species = sample[self .analysistype].sixteens_match.split('|')[-1 ].split()[1] data += sample.name + ',' for name, identity in sample[self.analysistype ].results.items(): if name == sample[self.analysistype].besthit: data += '{},{},{},{}\n'.format(name, identity, sample[self.analysistype].genus, sample[ self.analysistype].avgdepth[name]) record = SeqRecord(Seq(sample[self.analysistype ].sequences[name], IUPAC.unambiguous_dna), id='{}_{}'.format(sample.name, '16S'), description='') SeqIO.write(record, sequences, 'fasta') except (AttributeError, IndexError): data += '{}\n'.format(sample.name) 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):\n make_path(self.reportpath)\n logging.info('Creating {} report'.format(self.analysistype))\n header = 'Strain,Gene,PercentIdentity,Genus,FoldC...
def x(self, evt_name, fn): self._listeners.setdefault(evt_name, []) listeners = self.__get_listeners(evt_name) listeners.append(fn)
add_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, evt_name, fn):\n self._listeners.setdefault(evt_name, [])\n listeners = self.__get_listeners(evt_name)\n listeners.append(fn)\n", "role": "u...
def x(self, evt_name, fn, remove_all=False): listeners = self.__get_listeners(evt_name) if not self.has_listener(evt_name, fn): raise ObservableError('function %r does not exist in the %r event', fn, evt_name) if remove_all: listeners[:] = [i for i in listeners if i != fn] else: listeners.remove(fn)
remove_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, evt_name, fn, remove_all=False):\n listeners = self.__get_listeners(evt_name)\n if not self.has_listener(evt_name, fn):\n raise ObservableEr...
def x(self, evt_name, fn): listeners = self.__get_listeners(evt_name) return fn in listeners
has_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, evt_name, fn):\n listeners = self.__get_listeners(evt_name)\n return fn in listeners\n", "role": "user" }, { "content": "has_listener",...
def x(self, evt_name, *args, **kwargs): listeners = self.__get_listeners(evt_name) evt = self.generate_event(evt_name) for listener in listeners: listener(evt, *args, **kwargs)
fire_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, evt_name, *args, **kwargs):\n listeners = self.__get_listeners(evt_name)\n evt = self.generate_event(evt_name)\n for listener in listeners:\n ...
def x(connection, region, disk_name, disk_size, ami, key_pair, instance_type, tags={}, security_groups=None, delete_on_termination= True, log=False, wait_for_ssh_available=True): if log: log_green('Started...') log_yellow('...Creating EC2 instance...') ebs_volume = EBSBlockDeviceType() ebs_volume.size = disk_size bdm = BlockDeviceMapping() bdm[disk_name] = ebs_volume image = connection.get_all_images(ami)[0] reservation = image.run(1, 1, key_name=key_pair, security_groups= security_groups, block_device_map=bdm, instance_type=instance_type) instance = reservation.instances[0] while instance.state == u'pending': if log: log_yellow('Instance state: %s' % instance.state) sleep(10) instance.update() if log: log_green('Instance state: %s' % instance.state) if wait_for_ssh_available: wait_for_ssh(instance.public_dns_name) if delete_on_termination: for dev, bd in instance.block_device_mapping.items(): instance.modify_attribute('BlockDeviceMapping', ['%s=%d' % (dev, 1)]) connection.create_tags([instance.id], tags) if log: log_green('Public dns: %s' % instance.public_dns_name) return instance
create_server_ec2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, region, disk_name, disk_size, ami, key_pair,\n instance_type, tags={}, security_groups=None, delete_on_termination=\n True, log=False, wait_f...
def x(connection, region, volume_id, log=False): if ebs_volume_exists(connection, region, volume_id): if log: log_yellow('destroying EBS volume ...') try: connection.delete_volume(volume_id) except: sleep(5) if not ebs_volume_exists(connection, region, volume_id): pass else: raise "Couldn't delete EBS volume"
destroy_ebs_volume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, region, volume_id, log=False):\n if ebs_volume_exists(connection, region, volume_id):\n if log:\n log_yellow('destroying EBS v...
def x(connection, region, instance_id, log=False): data = get_ec2_info(connection=connection, instance_id=instance_id, region=region) instance = connection.terminate_instances(instance_ids=[data['id']])[0] if log: log_yellow('destroying instance ...') while instance.state != 'terminated': if log: log_yellow('Instance state: %s' % instance.state) sleep(10) instance.update() volume_id = data['volume'] if volume_id: destroy_ebs_volume(connection, region, volume_id)
destroy_ec2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, region, instance_id, log=False):\n data = get_ec2_info(connection=connection, instance_id=instance_id,\n region=region)\n instance = c...
def x(connection, instance_id, region, log=False): instance = connection.stop_instances(instance_ids=instance_id)[0] while instance.state != 'stopped': if log: log_yellow('Instance state: %s' % instance.state) sleep(10) instance.update() if log: log_green('Instance state: %s' % instance.state)
down_ec2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, instance_id, region, log=False):\n instance = connection.stop_instances(instance_ids=instance_id)[0]\n while instance.state != 'stopped':\n ...
def x(connection, region, volume_id): for vol in connection.get_all_volumes(): if vol.id == volume_id: return True return False
ebs_volume_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, region, volume_id):\n for vol in connection.get_all_volumes():\n if vol.id == volume_id:\n return True\n return False\n", ...
def x(connection, instance_id, region, username=None): instance = connection.get_only_instances(filters={'instance_id': instance_id})[0] data = instance.__dict__ data['state'] = instance.state data['cloud_type'] = 'ec2' try: volume = connection.get_all_volumes(filters={ 'attachment.instance-id': instance.id})[0].id data['volume'] = volume except: data['volume'] = '' return data
get_ec2_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, instance_id, region, username=None):\n instance = connection.get_only_instances(filters={'instance_id':\n instance_id})[0]\n data = in...
def x(connection, region, instance_id, wait_for_ssh_available=True, log= False, timeout=600): instance = connection.start_instances(instance_ids=instance_id)[0] instance.update() while instance.state != 'running' and timeout > 1: log_yellow('Instance state: %s' % instance.state) if log: log_yellow('Instance state: %s' % instance.state) sleep(10) timeout = timeout - 10 instance.update() if wait_for_ssh_available: wait_for_ssh(instance.ip_address)
up_ec2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection, region, instance_id, wait_for_ssh_available=True, log=\n False, timeout=600):\n instance = connection.start_instances(instance_ids=instance_i...
def x(word): WORD = word.split('.') for i, v in enumerate(WORD): if is_consonant(v[-1]) and i % 2 != 0: if i + 1 == len(WORD) or is_consonant(WORD[i + 1][0]): vv = u_or_y_final_diphthongs(v) if vv and not is_long(vv.group(1)): I = vv.start(1) + 1 WORD[i] = v[:I] + '.' + v[I:] WORD = '.'.join(WORD) RULE = ' T4' if word != WORD else '' return WORD, RULE
apply_T4
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word):\n WORD = word.split('.')\n for i, v in enumerate(WORD):\n if is_consonant(v[-1]) and i % 2 != 0:\n if i + 1 == len(WORD) or is_c...
def x(filename, exit_on_err=False, return_qual=False): if not isinstance(filename, str): msg = 'Filename has to be a string.' if exit_on_err: sys.stderr.write('Error: %s\n' % msg) sys.exit(1) else: raise IOError(msg) if not os.path.exists(filename): msg = 'File "%s" does not exist.' % filename if exit_on_err: sys.stderr.write('Error: %s\n' % msg) sys.exit(1) else: raise IOError(msg) with open_(filename, 'rt') as f: query_seq_segments = [] seq, name, desc, qual = '', '', '', '' add_segment = query_seq_segments.append for l in f: if len(l.strip()) == 0: continue fields = l.strip().split() if l.startswith('>'): if query_seq_segments != []: seq = ''.join(query_seq_segments) yield seq, name, desc seq, name, desc = '', '', '' del query_seq_segments[:] name = fields[0][1:] desc = ' '.join(fields[1:]) elif l.startswith('@'): name = fields[0][1:] desc = ' '.join(fields[1:]) try: seq = next(f).strip().split()[0] l = next(f) qual = next(f).strip() except: break else: if return_qual: yield seq, qual, name, desc else: yield seq, name, desc seq, name, desc, qual = '', '', '', '' elif len(fields[0]) > 0: add_segment(fields[0]) if query_seq_segments != []: seq = ''.join(query_seq_segments) yield seq, name, desc
seqs_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, exit_on_err=False, return_qual=False):\n if not isinstance(filename, str):\n msg = 'Filename has to be a string.'\n if exit_on_err:\...
def x(filename, mode=None, compresslevel=9): if filename[-3:] == '.gz': if mode is None: mode = 'rt' return closing(gzip.open(filename, mode, compresslevel)) else: if mode is None: mode = 'r' return open(filename, mode)
open_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, mode=None, compresslevel=9):\n if filename[-3:] == '.gz':\n if mode is None:\n mode = 'rt'\n return closing(gzip.open(fil...
def x(json_object): content = None if isinstance(json_object, str) and os.path.exists(json_object): with open_(json_object) as f: try: content = json.load(f) except Exception as e: debug.log("Warning: Content of '%s' file is not json." % f.name ) elif hasattr(json_object, 'read'): try: content = json.load(json_object) except Exception as e: debug.log("Warning: Content of '%s' file is not json." % json_object.name) else: debug.log('%s\nWarning: Object type invalid!' % json_object) return content
load_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(json_object):\n content = None\n if isinstance(json_object, str) and os.path.exists(json_object):\n with open_(json_object) as f:\n try...
def x(array, gpat=['_R1', '_R2']): groups = [REGroup(gp) for gp in gpat] unmatched = [] for item in array: matched = False for m in groups: if m.match(item): matched = True break if not matched: unmatched.append(item) return [sorted(m.list) for m in groups], sorted(unmatched)
sort2groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array, gpat=['_R1', '_R2']):\n groups = [REGroup(gp) for gp in gpat]\n unmatched = []\n for item in array:\n matched = False\n for m in ...
def x(array, splits=2): if not isinstance(array, (list, tuple)): raise TypeError('array must be a list') if not isinstance(splits, int): raise TypeError('splits must be an integer') remaining = sorted(array) if sys.version_info < (3, 0): myrange = xrange(splits) else: myrange = range(splits) groups = [[] for i in myrange] while len(remaining) > 0: for i in myrange: if len(remaining) > 0: groups[i].append(remaining.pop(0)) return groups
sort_and_distribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array, splits=2):\n if not isinstance(array, (list, tuple)):\n raise TypeError('array must be a list')\n if not isinstance(splits, int):\n ...
def x(filepath, permissions=511): if isinstance(permissions, str): permissions = sum([(int(x) * 8 ** i) for i, x in enumerate(reversed (permissions))]) if not os.path.exists(filepath): debug.log('Creating Directory %s (permissions: %s)' % (filepath, permissions)) os.makedirs(filepath, permissions) else: debug.log('Warning: The directory ' + filepath + ' already exists') return filepath
mkpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath, permissions=511):\n if isinstance(permissions, str):\n permissions = sum([(int(x) * 8 ** i) for i, x in enumerate(reversed\n (pe...
def x(zipfile_path, *file_list): try: if isinstance(file_list, (list, tuple)): if len(file_list) == 1: if isinstance(file_list[0], (list, tuple)): file_list = file_list[0] if isinstance(file_list, str): file_list = [file_list] if file_list: with ZipFile(zipfile_path, 'w') as zf: for cur_file in file_list: if '/' in cur_file: os.chdir('/'.join(cur_file.split('/')[:-1])) elif '/' in zipfile_path: os.chdir('/'.join(zipfile_path.split('/')[:-1])) zf.write(cur_file.split('/')[-1]) else: debug.log('Error: No Files in list!', zipfile_path + ' was not created!') except Exception as e: debug.log('Error: Could not create zip dir! argtype: ' + str(type( file_list)), 'FileList: ' + str(file_list), 'Errormessage: ' + str(e))
create_zip_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(zipfile_path, *file_list):\n try:\n if isinstance(file_list, (list, tuple)):\n if len(file_list) == 1:\n if isinstance(file...
def x(root_dir): for root, dirs, files in os.walk(root_dir, topdown=False): if root != '': if root[-1] != '/': root += '/' for current_file in files: filepath = '%s/%s' % (root, current_file) try: file_size = os.path.getsize(filepath) except Exception as e: file_size = 0 debug.log( 'Error: file_zipper failed to zip following file ' + filepath, e) if file_size > 50 and current_file[-3: ] != '.gz' and not os.path.islink(filepath): if current_file[-4:] == '.zip': ec = Popen('unzip -qq "%s" -d %s > /dev/null 2>&1' % (filepath, root), shell=True).wait() if ec > 0: debug.log( 'Error: fileZipper failed to unzip following file %s' % filepath) continue else: ec = Popen('rm -f "%s" > /dev/null 2>&1' % filepath, shell=True).wait() if ec > 0: debug.log( 'Error: fileZipper failed to delete the original zip file (%s)' % filepath) filepath = filepath[:-4] with open_(filepath, 'rb') as f, open_(filepath + '.gz', 'wb', 9) as gz: gz.writelines(f) try: os.remove(filepath) except OSError as e: debug.log( 'WARNING! The file %s could not be removed!\n%s' % (current_file, e))
file_zipper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root_dir):\n for root, dirs, files in os.walk(root_dir, topdown=False):\n if root != '':\n if root[-1] != '/':\n root += '/...
def x(directory): debug.log('Unzipping directory (%s)...' % directory) for root, dirs, files in os.walk(directory, topdown=False): if root != '': orig_dir = os.getcwd() os.chdir(directory) Popen('gunzip -q -f *.gz > /dev/null 2>&1', shell=True).wait() Popen('unzip -qq -o "*.zip" > /dev/null 2>&1', shell=True).wait() Popen('rm -f *.zip > /dev/null 2>&1', shell=True).wait() os.chdir(orig_dir)
file_unzipper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory):\n debug.log('Unzipping directory (%s)...' % directory)\n for root, dirs, files in os.walk(directory, topdown=False):\n if root != '':\...
def x(src, dst): src = re.sub('[^\\w/\\-\\.\\*]', '', src) dst = re.sub('[^\\w/\\-\\.\\*]', '', dst) if len(re.sub('[\\W]', '', src)) < 5 or len(re.sub('[\\W]', '', dst)) < 5: debug.log( "Error: Moving file failed. Provided paths are invalid! src='%s' dst='%s'" % (src, dst)) else: check = False if dst[-1] == '/': if os.path.exists(dst): check = True else: debug.log( 'Error: Moving file failed. Destination directory does not exist (%s)' % dst) elif os.path.exists(dst): if os.path.isdir(dst): check = True dst += '/' else: debug.log('Error: Moving file failed. %s exists!' % dst) elif os.path.exists(os.path.dirname(dst)): check = True else: debug.log( 'Error: Moving file failed. %s is an invalid distination!' % dst) if check: files = glob.glob(src) if len(files) != 0: debug.log('Moving File(s)...', 'Move from %s' % src, 'to %s' % dst) for file_ in files: invalid_chars = re.findall('[^\\w/\\-\\.\\*]', os.path. basename(file_)) if invalid_chars: debug.graceful_exit( 'Error: File %s contains invalid characters %s!' % (os.path.basename(file_), invalid_chars)) continue if os.path.isfile(file_): debug.log('Moving file: %s' % file_) shutil.move(file_, dst) else: debug.log( 'Error: Moving file failed. %s is not a regular file!' % file_) else: debug.log( 'Error: Moving file failed. No files were found! (%s)' % src)
move_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst):\n src = re.sub('[^\\\\w/\\\\-\\\\.\\\\*]', '', src)\n dst = re.sub('[^\\\\w/\\\\-\\\\.\\\\*]', '', dst)\n if len(re.sub('[\\\\W]', '', src)...
def x(src, dst, ignore=None): src = re.sub('[^\\w/\\-\\.\\*]', '', src) dst = re.sub('[^\\w/\\-\\.\\*]', '', dst) if len(re.sub('[\\W]', '', src)) < 5 or len(re.sub('[\\W]', '', dst)) < 5: debug.log( "Error: Copying file failed. Provided paths are invalid! src='%s' dst='%s'" % (src, dst)) else: check = False if dst[-1] == '/': if os.path.exists(dst): check = True else: debug.log( 'Error: Copying file failed. Destination directory does not exist (%s)' % dst) elif os.path.exists(dst): if os.path.isdir(dst): check = True dst += '/' else: debug.log('Error: Copying file failed. %s exists!' % dst) elif os.path.exists(os.path.dirname(dst)): check = True else: debug.log( 'Error: Copying file failed. %s is an invalid distination!' % dst) if check: files = glob.glob(src) if ignore is not None: files = [fil for fil in files if not ignore in fil] if len(files) != 0: debug.log('Copying File(s)...', 'Copy from %s' % src, 'to %s' % dst) for file_ in files: if os.path.isfile(file_): debug.log('Copying file: %s' % file_) shutil.copy(file_, dst) else: debug.log( 'Error: Copying file failed. %s is not a regular file!' % file_) else: debug.log( 'Error: Copying file failed. No files were found! (%s)' % src)
copy_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst, ignore=None):\n src = re.sub('[^\\\\w/\\\\-\\\\.\\\\*]', '', src)\n dst = re.sub('[^\\\\w/\\\\-\\\\.\\\\*]', '', dst)\n if len(re.sub('[\\\\...
def x(src, dst): try: debug.log('copy dir from ' + src, 'to ' + dst) shutil.copytree(src, dst) except Exception as e: debug.log('Error: happened while copying!\n%s\n' % e)
copy_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst):\n try:\n debug.log('copy dir from ' + src, 'to ' + dst)\n shutil.copytree(src, dst)\n except Exception as e:\n debug.log(...
def x(self, *lst): self.print2file(self.stdout, True, True, *lst)
print_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *lst):\n self.print2file(self.stdout, True, True, *lst)\n", "role": "user" }, { "content": "print_out", "role": "assistant" } ]
def x(self, *lst): self.print2file(self.stderr, False, True, *lst)
print_err
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *lst):\n self.print2file(self.stderr, False, True, *lst)\n", "role": "user" }, { "content": "print_err", "role": "assistant" } ]
def x(self, logfile, print2screen, addLineFeed, *lst): if addLineFeed: linefeed = '\n' else: linefeed = '' if print2screen: print(linefeed.join(str(string) for string in lst)) try: file_instance = isinstance(logfile, file) except NameError as e: from io import IOBase try: file_instance = isinstance(logfile, IOBase) except: raise e if file_instance: logfile.write(linefeed.join(str(string) for string in lst) + linefeed) elif isinstance(logfile, str) and os.path.exists(logfile): with open_(logfile, 'a') as f: f.write(linefeed.join(str(string) for string in lst) + linefeed) elif not print2screen: print(linefeed.join(str(string) for string in lst))
print2file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, logfile, print2screen, addLineFeed, *lst):\n if addLineFeed:\n linefeed = '\\n'\n else:\n linefeed = ''\n if print2screen:\n ...
def x(self, *lst): self.print2file(self.logfile, self.debug, True, *lst) if 'Error' in '\n'.join([str(x) for x in lst]): self.caught_error = '\n'.join([str(x) for x in lst])
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *lst):\n self.print2file(self.logfile, self.debug, True, *lst)\n if 'Error' in '\\n'.join([str(x) for x in lst]):\n self.caught_error = '\\n...
def x(self, msg): self.print2file(self.logfile, False, False, msg)
log_no_newline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n self.print2file(self.logfile, False, False, msg)\n", "role": "user" }, { "content": "log_no_newline", "role": "assistant" } ...
def x(self, msg): if self.caught_error: self.print2file(self.stderr, False, False, self.caught_error) self.log(msg) sys.exit(1)
graceful_exit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if self.caught_error:\n self.print2file(self.stderr, False, False, self.caught_error)\n self.log(msg)\n sys.exit(1)\n", "role...
def x(self, list_of_keys): cur_obj = self for key in list_of_keys: cur_obj = cur_obj.get(key) if not cur_obj: break return cur_obj
get_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, list_of_keys):\n cur_obj = self\n for key in list_of_keys:\n cur_obj = cur_obj.get(key)\n if not cur_obj:\n break\n ret...
def x(self): inv_map = {} for k, v in self.items(): if sys.version_info < (3, 0): acceptable_v_instance = isinstance(v, (str, int, float, long)) else: acceptable_v_instance = isinstance(v, (str, int, float)) if acceptable_v_instance: v = [v] elif not isinstance(v, list): raise Exception( 'Error: Non supported value format! Values may only be numerical, strings, or lists of numbers and strings.' ) for val in v: inv_map[val] = inv_map.get(val, []) inv_map[val].append(k) inv_map[val].sort() return inv_map
invert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n inv_map = {}\n for k, v in self.items():\n if sys.version_info < (3, 0):\n acceptable_v_instance = isinstance(v, (str, int, fl...
def x(self, replace, string, count=0): return self.re.sub(replace, string, count)
sub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, replace, string, count=0):\n return self.re.sub(replace, string, count)\n", "role": "user" }, { "content": "sub", "role": "assistant" ...
def x(self, s): self.matches = self.re.search(s) return self.matches
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n self.matches = self.re.search(s)\n return self.matches\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self, s): if self.re.match(s): self.list.append(s) return True else: return False
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, s):\n if self.re.match(s):\n self.list.append(s)\n return True\n else:\n return False\n", "role": "user" }, { "con...
def x(self): logging.info('Creating {} report'.format(self.analysistype)) make_path(self.reportpath) header = """Strain,ReferenceGenus,ReferenceFile,ReferenceGenomeMashDistance,Pvalue,NumMatchingHashes """ data = '' for sample in self.metadata: try: data += '{},{},{},{},{},{}\n'.format(sample.name, sample[self. analysistype].closestrefseqgenus, sample[self.analysistype] .closestrefseq, sample[self.analysistype].mashdistance, sample[self.analysistype].pvalue, sample[self.analysistype] .nummatches) except AttributeError: data += '{}\n'.format(sample.name) reportfile = os.path.join(self.reportpath, 'mash.csv') with open(reportfile, 'w') as report: 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):\n logging.info('Creating {} report'.format(self.analysistype))\n make_path(self.reportpath)\n header = \"\"\"Strain,ReferenceGenus,ReferenceFil...
def x(pkgpath): elems = pkgpath.split('.') if len(elems) <= 1: raise PyMacaronCoreException( 'Path %s is too short. Should be at least module.func.' % elems) func_name = elems[-1] func_module = '.'.join(elems[0:-1]) try: m = import_module(func_module) f = getattr(m, func_name) return f except Exception as e: t = traceback.format_exc() raise PyMacaronCoreException('Failed to import %s: %s\nTrace:\n%s' % (pkgpath, str(e), t))
get_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkgpath):\n elems = pkgpath.split('.')\n if len(elems) <= 1:\n raise PyMacaronCoreException(\n 'Path %s is too short. Should be at leas...
def x(self): printtime('Starting {} analysis pipeline'.format(self.analysistype), self.starttime) objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples sippr = Sippr(self, self.cutoff) sippr.clear() printer = MetadataPrinter(self) printer.printmetadata()
runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n printtime('Starting {} analysis pipeline'.format(self.analysistype),\n self.starttime)\n objects = Objectprep(self)\n objects.objectpr...
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 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 n in range(7): 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(self): edge_str = ctypes.create_string_buffer(MAX_CHARS) cgaddag.gdg_edges(self.gdg, self.node, edge_str) return [char for char in edge_str.value.decode('ascii')]
edges
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n edge_str = ctypes.create_string_buffer(MAX_CHARS)\n cgaddag.gdg_edges(self.gdg, self.node, edge_str)\n return [char for char in edge_str.valu...
def x(self): end_str = ctypes.create_string_buffer(MAX_CHARS) cgaddag.gdg_letter_set(self.gdg, self.node, end_str) return [char for char in end_str.value.decode('ascii')]
letter_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n end_str = ctypes.create_string_buffer(MAX_CHARS)\n cgaddag.gdg_letter_set(self.gdg, self.node, end_str)\n return [char for char in end_str.va...
def x(self, char): char = char.lower() return bool(cgaddag.gdg_is_end(self.gdg, self.node, char.encode('ascii')))
is_end
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, char):\n char = char.lower()\n return bool(cgaddag.gdg_is_end(self.gdg, self.node, char.encode('ascii')))\n", "role": "user" }, { "cont...
def x(self, chars): chars = chars.lower() node = self.node for char in chars: node = cgaddag.gdg_follow_edge(self.gdg, node, char.encode('ascii')) if not node: raise KeyError(char) return Node(self.gdg, node)
follow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chars):\n chars = chars.lower()\n node = self.node\n for char in chars:\n node = cgaddag.gdg_follow_edge(self.gdg, node, char.encode('asc...
def x(alias_name): sanitized_name = alias_name.strip().upper() split_list = re.split(':|//', core.str('{0}_PORT'.format(sanitized_name))) return list(filter(None, split_list))
split_docker_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(alias_name):\n sanitized_name = alias_name.strip().upper()\n split_list = re.split(':|//', core.str('{0}_PORT'.format(sanitized_name)))\n return list(...
def x(alias_name, allow_none=False): warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2) return core.read('{0}_PORT'.format(alias_name), default=None, allow_none=allow_none)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(alias_name, allow_none=False):\n warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2)\n return core.read('{0}_PORT'.format(alias_na...
def x(alias_name): warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2) raw_value = read(alias_name, allow_none=True) if raw_value: if re.compile('.+://.+:\\d+').match(raw_value): return True else: warnings.warn('"{0}_PORT={1}" does not look like a docker link.' .format(alias_name, raw_value), stacklevel=2) return False return False
isset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(alias_name):\n warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2)\n raw_value = read(alias_name, allow_none=True)\n if raw_val...
def x(alias_name, default=None, allow_none=False): warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2) try: return _split_docker_link(alias_name)[0] except KeyError as err: if default or allow_none: return default else: raise err
protocol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(alias_name, default=None, allow_none=False):\n warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2)\n try:\n return _split_d...
def x(alias_name, default=None, allow_none=False): warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2) try: return int(_split_docker_link(alias_name)[2]) except KeyError as err: if default or allow_none: return default else: raise err
port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(alias_name, default=None, allow_none=False):\n warnings.warn('Will be removed in v1.0', DeprecationWarning, stacklevel=2)\n try:\n return int(_spl...
def x(self): printtime('Starting {} analysis pipeline'.format(self.analysistype), self.starttime) if not self.pipeline: try: _ = vars(self.runmetadata)['samples'] except KeyError: objects = Objectprep(self) objects.objectprep() self.runmetadata = objects.samples Sippr(self, self.cutoff) self.attributer() self.reporter() printer = MetadataPrinter(self) printer.printmetadata()
runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n printtime('Starting {} analysis pipeline'.format(self.analysistype),\n self.starttime)\n if not self.pipeline:\n try:\n ...
def x(self): from Bio import SeqIO import operator for sample in self.runmetadata.samples: record_dict = SeqIO.to_dict(SeqIO.parse(sample[self.analysistype]. baitfile, 'fasta')) sample[self.analysistype].classification = set() sample[self.analysistype].genera = dict() for result in sample[self.analysistype].results: genus, species = record_dict[result].description.split('|')[-1 ].split()[:2] sample[self.analysistype].classification.add(genus) sample[self.analysistype].genera[result] = genus sample[self.analysistype].classification = list(sample[self. analysistype].classification) if len(sample[self.analysistype].classification) > 1: sample.general.closestrefseqgenus = sample[self.analysistype ].classification sample[self.analysistype].multiple = True else: sample[self.analysistype].multiple = False try: sample[self.analysistype].intresults = {key: float(value) for key, value in sample[self.analysistype].results.items()} sample[self.analysistype].besthit = sorted(sample[self. analysistype].intresults.items(), key=operator. itemgetter(1), reverse=True)[0] sample.general.closestrefseqgenus = sample[self.analysistype ].classification[0] except IndexError: sample.general.bestassemblyfile = 'NA'
attributer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from Bio import SeqIO\n import operator\n for sample in self.runmetadata.samples:\n record_dict = SeqIO.to_dict(SeqIO.parse(sample[sel...
def x(self): make_path(self.reportpath) header = 'Strain,Gene,PercentIdentity,Genus,FoldCoverage\n' data = '' with open(os.path.join(self.reportpath, self.analysistype + '.csv'), 'w' ) as report: for sample in self.runmetadata.samples: data += sample.name + ',' if sample[self.analysistype].results: if not sample[self.analysistype].multiple: for name, identity in sample[self.analysistype ].results.items(): if name == sample[self.analysistype].besthit[0]: data += '{},{},{},{}\n'.format(name, identity, sample[self.analysistype].genera[name], sample[self.analysistype].avgdepth[name]) else: data += '{},{},{},{}\n'.format('multiple', 'NA', ';'. join(sample[self.analysistype].classification), 'NA') 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):\n make_path(self.reportpath)\n header = 'Strain,Gene,PercentIdentity,Genus,FoldCoverage\\n'\n data = ''\n with open(os.path.join(self.report...
def x(api_name, app, api_spec, error_callback, decorator): def x(endpoint): handler_func = get_function(endpoint.handler_server) handler_wrapper = _generate_handler_wrapper(api_name, api_spec, endpoint, handler_func, error_callback, decorator) log.info('Binding %s %s ==> %s' % (endpoint.method, endpoint.path, endpoint.handler_server)) endpoint_name = '_'.join([endpoint.method, endpoint.path]).replace('/', '_') app.add_url_rule(endpoint.path, endpoint_name, handler_wrapper, methods=[endpoint.method]) api_spec.call_on_each_endpoint(mycallback) add_error_handlers(app)
spawn_server_api
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_name, app, api_spec, error_callback, decorator):\n\n def x(endpoint):\n handler_func = get_function(endpoint.handler_server)\n handler_wra...
def x(api_spec, error, status): result_json = api_spec.model_to_json(error) r = jsonify(result_json) r.status_code = status return r
responsify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_spec, error, status):\n result_json = api_spec.model_to_json(error)\n r = jsonify(result_json)\n r.status_code = status\n return r\n", "rol...
def x(api_name, api_spec, endpoint, handler_func, error_callback, global_decorator): if endpoint.decorate_server: endpoint_decorator = get_function(endpoint.decorate_server) handler_func = endpoint_decorator(handler_func) @wraps(handler_func) def x(**path_params): log.info(' ') log.info(' ') log.info('=> INCOMING REQUEST %s %s -> %s' % (endpoint.method, endpoint.path, handler_func.__name__)) log.info(' ') log.info(' ') call_id = request.headers.get('PymCallID', None) if not call_id: call_id = str(uuid.uuid4()) stack.top.call_id = call_id call_path = request.headers.get('PymCallPath', None) if call_path: call_path = '%s.%s' % (call_path, api_name) else: call_path = api_name stack.top.call_path = call_path if endpoint.param_in_body or endpoint.param_in_query: try: req = FlaskRequestProxy(request, endpoint.param_in_body) except BadRequest: ee = error_callback(ValidationError( "Cannot parse json data: have you set 'Content-Type' to 'application/json'?" )) return _responsify(api_spec, ee, 400) try: parameters = unmarshal_request(req, endpoint.operation) except jsonschema.exceptions.ValidationError as e: ee = error_callback(ValidationError(str(e))) return _responsify(api_spec, ee, 400) args = [] kwargs = {} if endpoint.param_in_path: kwargs = path_params if endpoint.param_in_body: for k in list(path_params.keys()): del parameters[k] lst = list(parameters.values()) assert len(lst) == 1 args.append(lst[0]) if endpoint.param_in_query: kwargs.update(parameters) result = handler_func(*args, **kwargs) if not result: e = error_callback(PyMacaronCoreException( 'Have nothing to send in response')) return _responsify(api_spec, e, 500) if endpoint.produces_html: if type(result) is not tuple: e = error_callback(PyMacaronCoreException( 'Method %s should return %s but returned %s' % ( endpoint.handler_server, endpoint.produces, type(result)))) return _responsify(api_spec, e, 500) return result elif endpoint.produces_json: if not hasattr(result, '__module__') or not hasattr(result, '__class__'): e = error_callback(PyMacaronCoreException( 'Method %s did not return a class instance but a %s' % (endpoint.handler_server, type(result)))) return _responsify(api_spec, e, 500) result_type = result.__module__ + '.' + result.__class__.__name__ if result_type == 'flask.wrappers.Response': return result if hasattr(result, 'http_reply'): log.info( 'Looks like a pymacaron error instance - calling .http_reply()' ) return result.http_reply() result_json = api_spec.model_to_json(result) r = jsonify(result_json) r.status_code = 200 return r handler_wrapper = cross_origin(headers=['Content-Type', 'Authorization'])( handler_wrapper) if global_decorator: handler_wrapper = global_decorator(handler_wrapper) return handler_wrapper
generate_handler_wrapper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_name, api_spec, endpoint, handler_func, error_callback,\n global_decorator):\n if endpoint.decorate_server:\n endpoint_decorator = get_functio...
def x(foreground=None, background=None, bold=False, faint=False, italic= False, underline=False, blink=False, inverted=False): fg_format = None if isinstance(foreground, int): fg_format = ANSI_FORMAT_FOREGROUND_XTERM_CMD.format(foreground) else: fg_rgba = colour.normalise_rgba(foreground) if fg_rgba[3] != 0: fg_format = ANSI_FORMAT_FOREGROUND_CMD.format(*fg_rgba[:3]) bg_format = None if isinstance(background, int): bg_format = ANSI_FORMAT_BACKGROUND_XTERM_CMD.format(background) else: bg_rgba = colour.normalise_rgba(background) if bg_rgba[3] != 0: bg_format = ANSI_FORMAT_BACKGROUND_CMD.format(*bg_rgba[:3]) colour_format = [] if fg_format is not None: colour_format.append(fg_format) if bg_format is not None: colour_format.append(bg_format) if bold: colour_format.append(ANSI_FORMAT_BOLD_CMD) if faint: colour_format.append(ANSI_FORMAT_FAINT_CMD) if italic: colour_format.append(ANSI_FORMAT_ITALIC_CMD) if underline: colour_format.append(ANSI_FORMAT_UNDERLINE_CMD) if blink: colour_format.append(ANSI_FORMAT_BLINK_CMD) if inverted: colour_format.append(ANSI_FORMAT_INVERTED_CMD) colour_format = ANSI_FORMAT_BASE.format(';'.join(colour_format)) return colour_format
format_escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(foreground=None, background=None, bold=False, faint=False, italic=\n False, underline=False, blink=False, inverted=False):\n fg_format = None\n if isi...
def x(string, foreground=None, background=None, reset=True, bold=False, faint=False, italic=False, underline=False, blink=False, inverted=False): colour_format = format_escape(foreground, background, bold, faint, italic, underline, blink, inverted) reset_format = '' if not reset else ANSI_FORMAT_RESET return '{}{}{}'.format(colour_format, string, reset_format)
format_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, foreground=None, background=None, reset=True, bold=False,\n faint=False, italic=False, underline=False, blink=False, inverted=False):\n colour_fo...
def x(top, bottom, reset=True, repeat=1): top_src = None if isinstance(top, int): top_src = top else: top_rgba = colour.normalise_rgba(top) if top_rgba[3] != 0: top_src = top_rgba bottom_src = None if isinstance(bottom, int): bottom_src = bottom else: bottom_rgba = colour.normalise_rgba(bottom) if bottom_rgba[3] != 0: bottom_src = bottom_rgba if top_src is None and bottom_src is None: return ' ' * repeat string = '▀' * repeat colour_format = [] if top_src == bottom_src: string = '█' * repeat elif top_src is None and bottom_src is not None: string = '▄' * repeat if top_src is None and bottom_src is not None: if isinstance(bottom_src, int): colour_format.append(ANSI_FORMAT_FOREGROUND_XTERM_CMD.format( bottom_src)) else: colour_format.append(ANSI_FORMAT_FOREGROUND_CMD.format(* bottom_src[:3])) elif isinstance(top_src, int): colour_format.append(ANSI_FORMAT_FOREGROUND_XTERM_CMD.format(top_src)) else: colour_format.append(ANSI_FORMAT_FOREGROUND_CMD.format(*top_src[:3])) if (top_src is not None and bottom_src is not None and top_src != bottom_src): if isinstance(top_src, int): colour_format.append(ANSI_FORMAT_BACKGROUND_XTERM_CMD.format( bottom_src)) else: colour_format.append(ANSI_FORMAT_BACKGROUND_CMD.format(* bottom_src[:3])) colour_format = ANSI_FORMAT_BASE.format(';'.join(colour_format)) reset_format = '' if not reset else ANSI_FORMAT_RESET return '{}{}{}'.format(colour_format, string, reset_format)
format_pixels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(top, bottom, reset=True, repeat=1):\n top_src = None\n if isinstance(top, int):\n top_src = top\n else:\n top_rgba = colour.normalise_rg...
def x(data_fetch, x_start=0, y_start=0, width=32, height=32, frame=0, columns=1, downsample=1): frames = [] try: frame_iter = iter(frame) frames = [f for f in frame_iter] except TypeError: frames = [frame] rows = math.ceil(len(frames) / columns) for r in range(rows): for y in range(0, height, 2 * downsample): result = [] for c in range(min(len(frames) - r * columns, columns)): row = [] for x in range(0, width, downsample): fr = frames[r * columns + c] c1 = data_fetch(x_start + x, y_start + y, fr) c2 = data_fetch(x_start + x, y_start + y + downsample, fr) row.append((c1, c2)) prev_pixel = None pointer = 0 while pointer < len(row): start = pointer pixel = row[pointer] while pointer < len(row) and row[pointer] == pixel: pointer += 1 result.append(format_pixels(pixel[0], pixel[1], repeat= pointer - start)) yield ''.join(result) return
format_image_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_fetch, x_start=0, y_start=0, width=32, height=32, frame=0,\n columns=1, downsample=1):\n frames = []\n try:\n frame_iter = iter(frame)\n ...
def x(self, value, buffer, parent=None): assert common.is_bytes(buffer) self.validate(value, parent) return
update_buffer_with_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, buffer, parent=None):\n assert common.is_bytes(buffer)\n self.validate(value, parent)\n return\n", "role": "user" }, { "conte...
def x(self, value, parent=None, index=None): return self.get_start_offset(value, parent, index) + self.get_size(value, parent, index)
get_end_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, parent=None, index=None):\n return self.get_start_offset(value, parent, index) + self.get_size(value,\n parent, index)\n", "role": "...
def x(string): return re.findall('[%s]+|[^%s]+' % (A, A), string, flags=FLAGS)
nonalpha_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n return re.findall('[%s]+|[^%s]+' % (A, A), string, flags=FLAGS)\n", "role": "user" }, { "content": "nonalpha_split", "role": "ass...
def x(string): p = "\\'[%s]+|`[%s]+|[%s]+|[^%s\\'`\\.]+|[^\\.]{1}" % (A, A, A, A) return re.findall(p, string, flags=FLAGS)
syllable_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n p = \"\\\\'[%s]+|`[%s]+|[%s]+|[^%s\\\\'`\\\\.]+|[^\\\\.]{1}\" % (A, A, A, A)\n return re.findall(p, string, flags=FLAGS)\n", "role": "user...
def x(string): return re.findall('[%s]+[%s\\.]*[%s]+' % (A, A, A), string, flags=FLAGS)
extract_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n return re.findall('[%s]+[%s\\\\.]*[%s]+' % (A, A, A), string, flags=FLAGS)\n", "role": "user" }, { "content": "extract_words", "r...
def x(t=None, s=None): global THREAD, SIGNAL THREAD = t or dummyThread SIGNAL = s or dummySignal
init_threads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t=None, s=None):\n global THREAD, SIGNAL\n THREAD = t or dummyThread\n SIGNAL = s or dummySignal\n", "role": "user" }, { "content": "init_...
def x(on_error, on_done, requete_with_callback): class C(THREAD): error = SIGNAL(str) done = SIGNAL(object) state_changed = SIGNAL(int, int) def x(self): self.wait() def x(self): try: r = requete_with_callback(self.state_changed.emit) except (ConnexionError, StructureError) as e: self.error.emit(str(e)) else: self.done.emit(r) th = C() th.error.connect(on_error) th.done.connect(on_done) return th
thread_with_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(on_error, on_done, requete_with_callback):\n\n\n class C(THREAD):\n error = SIGNAL(str)\n done = SIGNAL(object)\n state_changed = SIGNA...
def x(datas_str, sens): return bytes(datas_str, encoding='utf8') if sens else str(datas_str, encoding='utf8')
protege_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(datas_str, sens):\n return bytes(datas_str, encoding='utf8') if sens else str(datas_str,\n encoding='utf8')\n", "role": "user" }, { "cont...
def x(parser: argparse.ArgumentParser) ->None: parser.add_argument('--delimiter', help= 'a delimiter for the samples (teeth) in the key', default=' ') parser.add_argument('--encoding', help= 'the encoding of the population file', default='utf-8') parser.add_argument('--nsamples', '-n', help= 'the number of random samples to take', type=int, default=6, dest= 'nteeth') parser.add_argument('--population', '-p', help= '{0}, or a path to a file of line-delimited items'.format(', '.join (POPULATIONS.keys())), default='/usr/share/dict/words') parser.add_argument('--stats', help='show statistics for the key', default=False, action='store_true') parser.add_argument('--version', action='version', version= '%(prog)s {0}'.format(__version__))
build_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parser: argparse.ArgumentParser) ->None:\n parser.add_argument('--delimiter', help=\n 'a delimiter for the samples (teeth) in the key', default=' ')\...
def x() ->argparse.ArgumentParser: parser = argparse.ArgumentParser(prog=CONSOLE_SCRIPT, formatter_class= argparse.ArgumentDefaultsHelpFormatter) build_parser(parser) return parser
default_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->argparse.ArgumentParser:\n parser = argparse.ArgumentParser(prog=CONSOLE_SCRIPT, formatter_class=\n argparse.ArgumentDefaultsHelpFormatter)\n ...
def x(seq: Sequence, tooth: Callable[[Sequence], str]=lambda seq: str( random.SystemRandom().choice(seq)).strip(), nteeth: int=6, delimiter: str=' ') ->str: return delimiter.join(tooth(seq) for _ in range(nteeth))
key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq: Sequence, tooth: Callable[[Sequence], str]=lambda seq: str(\n random.SystemRandom().choice(seq)).strip(), nteeth: int=6, delimiter:\n str=' ') ->str...
def x(argv: Sequence[str]=SYS_ARGV) ->int: args = default_parser().parse_args(argv) try: seq = POPULATIONS[args.population] except KeyError: try: with open(args.population, 'r', encoding=args.encoding) as file_: seq = list(file_) except (OSError, UnicodeError) as ex: print(ex, file=sys.stderr) return 1 main_key = key(seq=seq, nteeth=args.nteeth, delimiter=args.delimiter) print(main_key) if args.stats: print('*', len(main_key), 'characters') print('*', args.nteeth, 'samples from a population of', len(seq)) print('* entropy {sign} {nbits} bits'.format(sign='~' if args. delimiter else '<', nbits=round(math.log(len(seq), 2) * args. nteeth, 2))) return 0
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv: Sequence[str]=SYS_ARGV) ->int:\n args = default_parser().parse_args(argv)\n try:\n seq = POPULATIONS[args.population]\n except KeyError:\...
def x(service, permanent=True): yum_install(packages=['firewalld']) with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): p = '' if permanent: p = '--permanent' sudo('firewall-cmd --add-service %s %s' % (service, p)) sudo('systemctl reload firewalld')
add_firewalld_service
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(service, permanent=True):\n yum_install(packages=['firewalld'])\n with settings(hide('warnings', 'running', 'stdout', 'stderr'),\n warn_only=True,...
def x(port, permanent=True): yum_install(packages=['firewalld']) log_green('adding a new fw rule: %s' % port) with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): p = '' if permanent: p = '--permanent' sudo('firewall-cmd --add-port %s %s' % (port, p)) sudo('systemctl restart firewalld')
add_firewalld_port
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(port, permanent=True):\n yum_install(packages=['firewalld'])\n log_green('adding a new fw rule: %s' % port)\n with settings(hide('warnings', 'running'...
def x(apt_string, apt_file): apt_file_path = '/etc/apt/sources.list.d/%s' % apt_file if not file_contains(apt_file_path, apt_string.lower(), use_sudo=True): file_append(apt_file_path, apt_string.lower(), use_sudo=True) with hide('running', 'stdout'): sudo('DEBIAN_FRONTEND=noninteractive apt-get update')
apt_add_repository_from_apt_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(apt_string, apt_file):\n apt_file_path = '/etc/apt/sources.list.d/%s' % apt_file\n if not file_contains(apt_file_path, apt_string.lower(), use_sudo=True)...
def x(): with settings(hide('warnings', 'running', 'stdout', 'stderr'), warn_only=True, capture=True): result = sudo('rpm -E %dist').strip() return result
arch
[ { "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 result = sudo('rpm -E %dist').strip()\n...
def x(distribution): log_green('Disabling openssh reverse dns lookups') openssh_config_file = '/etc/ssh/sshd_config' dns_config = 'UseDNS no' if not file_contains(openssh_config_file, dns_config, use_sudo=True): file_append(openssh_config_file, dns_config, use_sudo=True) service_name = 'sshd' if 'ubuntu' in distribution: service_name = 'ssh' sudo('service {} reload'.format(service_name))
disable_openssh_rdns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(distribution):\n log_green('Disabling openssh reverse dns lookups')\n openssh_config_file = '/etc/ssh/sshd_config'\n dns_config = 'UseDNS no'\n if ...
def x(region, access_key_id, secret_access_key): conn = boto.ec2.connect_to_region(region, aws_access_key_id= access_key_id, aws_secret_access_key=secret_access_key) return conn
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, access_key_id, secret_access_key):\n conn = boto.ec2.connect_to_region(region, aws_access_key_id=\n access_key_id, aws_secret_access_key=secr...
def x(region, access_key_id, secret_access_key): pyrax.set_setting('identity_type', 'rackspace') pyrax.set_default_region(region) pyrax.set_credentials(access_key_id, secret_access_key) nova = pyrax.connect_to_cloudservers(region=region) return nova
connect_to_rackspace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(region, access_key_id, secret_access_key):\n pyrax.set_setting('identity_type', 'rackspace')\n pyrax.set_default_region(region)\n pyrax.set_credential...
def x(zone, project, instance_name, name, description): disk_name = instance_name try: down_gce(instance_name=instance_name, project=project, zone=zone) except HttpError as e: if e.resp.status == 404: log_yellow('the instance {} is already down'.format(instance_name)) else: raise e body = {'rawDisk': {}, 'name': name, 'sourceDisk': 'projects/{}/zones/{}/disks/{}'.format(project, zone, disk_name), 'description': description} compute = _get_gce_compute() gce_wait_until_done(compute.images().insert(project=project, body=body) .execute()) return name
create_gce_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(zone, project, instance_name, name, description):\n disk_name = instance_name\n try:\n down_gce(instance_name=instance_name, project=project, zone...
def x(cloud, **kwargs): if cloud == 'ec2': return create_ami(**kwargs) if cloud == 'rackspace': return create_rackspace_image(**kwargs) if cloud == 'gce': return create_gce_image(**kwargs)
create_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cloud, **kwargs):\n if cloud == 'ec2':\n return create_ami(**kwargs)\n if cloud == 'rackspace':\n return create_rackspace_image(**kwargs)\n...
def x(cloud, **kwargs): if cloud == 'ec2': _create_server_ec2(**kwargs) elif cloud == 'rackspace': _create_server_rackspace(**kwargs) elif cloud == 'gce': _create_server_gce(**kwargs) else: raise ValueError('Unknown cloud type: {}'.format(cloud))
create_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cloud, **kwargs):\n if cloud == 'ec2':\n _create_server_ec2(**kwargs)\n elif cloud == 'rackspace':\n _create_server_rackspace(**kwargs)\n ...