source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(chromosome, start, end, reverse_complement=False): import requests if start != end: if reverse_complement: rev_option = '-REV' else: rev_option = '' param_url = '&chr=' + str(chromosome) + '&beg=' + str(start ) + '&end=' + str(end) + '&rev=' + rev_option url = 'http://www.yeastgenome.org/cgi-bin/getSeq?map=a2map' + param_url res = requests.get(url) begin_index = res.text.index('<pre>') end_index = res.text.index('</pre>') sequence = res.text[begin_index + 5:end_index] sequence = sequence.replace('\n', '').replace('\r', '') else: sequence = '' return coral.DNA(sequence)
get_yeast_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(chromosome, start, end, reverse_complement=False):\n import requests\n if start != end:\n if reverse_complement:\n rev_option = '-REV'\n else:\n rev_option = ''\n param_url = '&chr=' + str(chromosome) + '&beg=' + str(start\n ) + '&end=' + str(end) + '&rev=' + rev_option\n url = 'http://www.yeastgenome.org/cgi-bin/getSeq?map=a2map' + param_url\n res = requests.get(url)\n begin_index = res.text.index('<pre>')\n end_index = res.text.index('</pre>')\n sequence = res.text[begin_index + 5:end_index]\n sequence = sequence.replace('\\n', '').replace('\\r', '')\n else:\n sequence = ''\n return coral.DNA(sequence)\n", "role": "user" }, { "content": "get_yeast_sequence", "role": "assistant" } ]
def x(gene_name): from intermine.webservice import Service service = Service('http://yeastmine.yeastgenome.org/yeastmine/service') query = service.new_query('Gene') query.add_view('primaryIdentifier', 'secondaryIdentifier', 'symbol', 'name', 'organism.shortName', 'chromosome.primaryIdentifier', 'chromosomeLocation.start', 'chromosomeLocation.end', 'chromosomeLocation.strand') query.add_constraint('organism.shortName', '=', 'S. cerevisiae', code='B') query.add_constraint('Gene', 'LOOKUP', gene_name, code='A') chromosomes = {'chrI': 1, 'chrII': 2, 'chrIII': 3, 'chrIV': 4, 'chrV': 5, 'chrVI': 6, 'chrVII': 7, 'chrVIII': 8, 'chrIX': 9, 'chrX': 10, 'chrXI': 11, 'chrXII': 12, 'chrXIII': 13, 'chrXIV': 14, 'chrXV': 15, 'chrXVI': 16} first_result = query.rows().next() return [chromosomes[first_result['chromosome.primaryIdentifier']], first_result['chromosomeLocation.start'], first_result[ 'chromosomeLocation.end'], int(first_result[ 'chromosomeLocation.strand'])]
get_yeast_gene_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene_name):\n from intermine.webservice import Service\n service = Service('http://yeastmine.yeastgenome.org/yeastmine/service')\n query = service.new_query('Gene')\n query.add_view('primaryIdentifier', 'secondaryIdentifier', 'symbol',\n 'name', 'organism.shortName', 'chromosome.primaryIdentifier',\n 'chromosomeLocation.start', 'chromosomeLocation.end',\n 'chromosomeLocation.strand')\n query.add_constraint('organism.shortName', '=', 'S. cerevisiae', code='B')\n query.add_constraint('Gene', 'LOOKUP', gene_name, code='A')\n chromosomes = {'chrI': 1, 'chrII': 2, 'chrIII': 3, 'chrIV': 4, 'chrV': \n 5, 'chrVI': 6, 'chrVII': 7, 'chrVIII': 8, 'chrIX': 9, 'chrX': 10,\n 'chrXI': 11, 'chrXII': 12, 'chrXIII': 13, 'chrXIV': 14, 'chrXV': 15,\n 'chrXVI': 16}\n first_result = query.rows().next()\n return [chromosomes[first_result['chromosome.primaryIdentifier']],\n first_result['chromosomeLocation.start'], first_result[\n 'chromosomeLocation.end'], int(first_result[\n 'chromosomeLocation.strand'])]\n", "role": "user" }, { "content": "get_yeast_gene_location", "role": "assistant" } ]
def x(gene_name): from intermine.webservice import Service service = Service('http://yeastmine.yeastgenome.org/yeastmine/service') query = service.new_query('Gene') query.add_view('primaryIdentifier', 'secondaryIdentifier', 'symbol', 'name', 'sgdAlias', 'crossReferences.identifier', 'crossReferences.source.name') query.add_constraint('organism.shortName', '=', 'S. cerevisiae', code='B') query.add_constraint('Gene', 'LOOKUP', gene_name, code='A') for row in query.rows(): gid = row['secondaryIdentifier'] return gid
get_gene_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene_name):\n from intermine.webservice import Service\n service = Service('http://yeastmine.yeastgenome.org/yeastmine/service')\n query = service.new_query('Gene')\n query.add_view('primaryIdentifier', 'secondaryIdentifier', 'symbol',\n 'name', 'sgdAlias', 'crossReferences.identifier',\n 'crossReferences.source.name')\n query.add_constraint('organism.shortName', '=', 'S. cerevisiae', code='B')\n query.add_constraint('Gene', 'LOOKUP', gene_name, code='A')\n for row in query.rows():\n gid = row['secondaryIdentifier']\n return gid\n", "role": "user" }, { "content": "get_gene_id", "role": "assistant" } ]
def x(gene_name): import requests loc = get_yeast_gene_location(gene_name) gid = get_gene_id(gene_name) ypa_baseurl = 'http://ypa.csbb.ntu.edu.tw/do' params = {'act': 'download', 'nucle': 'InVitro', 'right': str(loc[2]), 'left': str(loc[1]), 'gene': str(gid), 'chr': str(loc[0])} response = requests.get(ypa_baseurl, params=params) text = response.text record_split = text.split('>') record_split.pop(0) parsed = [] for record in record_split: parts = record.split('\n') sequence = coral.DNA(''.join(parts[1:])) sequence.name = parts[0] parsed.append(sequence) return parsed[1]
get_yeast_promoter_ypa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene_name):\n import requests\n loc = get_yeast_gene_location(gene_name)\n gid = get_gene_id(gene_name)\n ypa_baseurl = 'http://ypa.csbb.ntu.edu.tw/do'\n params = {'act': 'download', 'nucle': 'InVitro', 'right': str(loc[2]),\n 'left': str(loc[1]), 'gene': str(gid), 'chr': str(loc[0])}\n response = requests.get(ypa_baseurl, params=params)\n text = response.text\n record_split = text.split('>')\n record_split.pop(0)\n parsed = []\n for record in record_split:\n parts = record.split('\\n')\n sequence = coral.DNA(''.join(parts[1:]))\n sequence.name = parts[0]\n parsed.append(sequence)\n return parsed[1]\n", "role": "user" }, { "content": "get_yeast_promoter_ypa", "role": "assistant" } ]
def x(dna, melting_temp, require_even, length_max, overlap_min, min_exception): oligo_n = len(dna) // length_max + 1 if require_even: oligo_increment = 2 if oligo_n % 2 == 1: oligo_n += 1 else: oligo_increment = 1 while float(len(dna)) / oligo_n > length_max: oligo_n += oligo_increment tm_met = False len_met = False while not tm_met or not len_met: overlap_n = oligo_n - 1 overlap_interval = float(len(dna)) / oligo_n starts = [int(overlap_interval * (i + 1)) for i in range(overlap_n)] ends = [(index + 1) for index in starts] overlaps = [dna[start:end] for start, end in zip(starts, ends)] overlap_tms = [coral.analysis.tm(overlap) for overlap in overlaps] index = overlap_tms.index(min(overlap_tms)) oligo_starts = [0] + starts oligo_ends = ends + [len(dna)] oligo_indices = [oligo_starts, oligo_ends] oligos = [dna[start:end] for start, end in zip(*oligo_indices)] maxed = False while not (tm_met and len_met) and not maxed: overlaps = _recalculate_overlaps(dna, overlaps, oligo_indices) overlap_tms[index] = coral.analysis.tm(overlaps[index]) index = overlap_tms.index(min(overlap_tms)) oligos = _expand_overlap(dna, oligo_indices, index, oligos, length_max) maxed = any([(len(x) == length_max) for x in oligos]) tm_met = all([(x >= melting_temp) for x in overlap_tms]) if min_exception: len_met = True else: len_met = all([(len(x) >= overlap_min) for x in overlaps]) if min_exception: len_met = all([(len(x) >= overlap_min) for x in overlaps]) if len_met: break else: while not len_met and not maxed: overlaps = _recalculate_overlaps(dna, overlaps, oligo_indices) overlap_lens = [len(overlap) for overlap in overlaps] index = overlap_lens.index(min(overlap_lens)) oligos = _expand_overlap(dna, oligo_indices, index, oligos, length_max) maxed = any([(len(x) == length_max) for x in oligos]) len_met = all([(len(x) >= overlap_min) for x in overlaps]) overlap_tms[index] = coral.analysis.tm(overlaps[index]) oligo_n += oligo_increment overlap_indices = [(oligo_indices[0][x + 1], oligo_indices[1][x]) for x in range(overlap_n)] return oligos, overlaps, overlap_tms, overlap_indices
grow_overlaps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dna, melting_temp, require_even, length_max, overlap_min, min_exception):\n oligo_n = len(dna) // length_max + 1\n if require_even:\n oligo_increment = 2\n if oligo_n % 2 == 1:\n oligo_n += 1\n else:\n oligo_increment = 1\n while float(len(dna)) / oligo_n > length_max:\n oligo_n += oligo_increment\n tm_met = False\n len_met = False\n while not tm_met or not len_met:\n overlap_n = oligo_n - 1\n overlap_interval = float(len(dna)) / oligo_n\n starts = [int(overlap_interval * (i + 1)) for i in range(overlap_n)]\n ends = [(index + 1) for index in starts]\n overlaps = [dna[start:end] for start, end in zip(starts, ends)]\n overlap_tms = [coral.analysis.tm(overlap) for overlap in overlaps]\n index = overlap_tms.index(min(overlap_tms))\n oligo_starts = [0] + starts\n oligo_ends = ends + [len(dna)]\n oligo_indices = [oligo_starts, oligo_ends]\n oligos = [dna[start:end] for start, end in zip(*oligo_indices)]\n maxed = False\n while not (tm_met and len_met) and not maxed:\n overlaps = _recalculate_overlaps(dna, overlaps, oligo_indices)\n overlap_tms[index] = coral.analysis.tm(overlaps[index])\n index = overlap_tms.index(min(overlap_tms))\n oligos = _expand_overlap(dna, oligo_indices, index, oligos,\n length_max)\n maxed = any([(len(x) == length_max) for x in oligos])\n tm_met = all([(x >= melting_temp) for x in overlap_tms])\n if min_exception:\n len_met = True\n else:\n len_met = all([(len(x) >= overlap_min) for x in overlaps])\n if min_exception:\n len_met = all([(len(x) >= overlap_min) for x in overlaps])\n if len_met:\n break\n else:\n while not len_met and not maxed:\n overlaps = _recalculate_overlaps(dna, overlaps,\n oligo_indices)\n overlap_lens = [len(overlap) for overlap in overlaps]\n index = overlap_lens.index(min(overlap_lens))\n oligos = _expand_overlap(dna, oligo_indices, index,\n oligos, length_max)\n maxed = any([(len(x) == length_max) for x in oligos])\n len_met = all([(len(x) >= overlap_min) for x in overlaps])\n overlap_tms[index] = coral.analysis.tm(overlaps[index])\n oligo_n += oligo_increment\n overlap_indices = [(oligo_indices[0][x + 1], oligo_indices[1][x]) for x in\n range(overlap_n)]\n return oligos, overlaps, overlap_tms, overlap_indices\n", "role": "user" }, { "content": "grow_overlaps", "role": "assistant" } ]
def x(dna, overlaps, oligo_indices): for i, overlap in enumerate(overlaps): first_index = oligo_indices[0][i + 1] second_index = oligo_indices[1][i] overlap = dna[first_index:second_index] overlaps[i] = overlap return overlaps
recalculate_overlaps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dna, overlaps, oligo_indices):\n for i, overlap in enumerate(overlaps):\n first_index = oligo_indices[0][i + 1]\n second_index = oligo_indices[1][i]\n overlap = dna[first_index:second_index]\n overlaps[i] = overlap\n return overlaps\n", "role": "user" }, { "content": "recalculate_overlaps", "role": "assistant" } ]
def x(dna, oligo_indices, index, oligos, length_max): left_len = len(oligos[index]) right_len = len(oligos[index + 1]) if right_len == length_max: oligo_indices[1] = _adjust_overlap(oligo_indices[1], index, 'right') elif left_len == length_max: oligo_indices[0] = _adjust_overlap(oligo_indices[0], index, 'left') elif left_len > right_len: oligo_indices[0] = _adjust_overlap(oligo_indices[0], index, 'left') else: oligo_indices[1] = _adjust_overlap(oligo_indices[1], index, 'right') oligos = [dna[start:end] for start, end in zip(*oligo_indices)] return oligos
expand_overlap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dna, oligo_indices, index, oligos, length_max):\n left_len = len(oligos[index])\n right_len = len(oligos[index + 1])\n if right_len == length_max:\n oligo_indices[1] = _adjust_overlap(oligo_indices[1], index, 'right')\n elif left_len == length_max:\n oligo_indices[0] = _adjust_overlap(oligo_indices[0], index, 'left')\n elif left_len > right_len:\n oligo_indices[0] = _adjust_overlap(oligo_indices[0], index, 'left')\n else:\n oligo_indices[1] = _adjust_overlap(oligo_indices[1], index, 'right')\n oligos = [dna[start:end] for start, end in zip(*oligo_indices)]\n return oligos\n", "role": "user" }, { "content": "expand_overlap", "role": "assistant" } ]
def x(positions_list, index, direction): if direction == 'left': positions_list[index + 1] -= 1 elif direction == 'right': positions_list[index] += 1 else: raise ValueError("direction must be 'left' or 'right'.") return positions_list
adjust_overlap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(positions_list, index, direction):\n if direction == 'left':\n positions_list[index + 1] -= 1\n elif direction == 'right':\n positions_list[index] += 1\n else:\n raise ValueError(\"direction must be 'left' or 'right'.\")\n return positions_list\n", "role": "user" }, { "content": "adjust_overlap", "role": "assistant" } ]
def x(self, tm=60): self.primers = coral.design.primers(self.template, tm=tm) return self.primers
primers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tm=60):\n self.primers = coral.design.primers(self.template, tm=tm)\n return self.primers\n", "role": "user" }, { "content": "primers", "role": "assistant" } ]
def x(self, path): with open(path, 'wb') as oligo_file: oligo_writer = csv.writer(oligo_file, delimiter=',', quoting=csv. QUOTE_MINIMAL) oligo_writer.writerow(['name', 'oligo', 'notes']) for i, oligo in enumerate(self.oligos): name = 'oligo {}'.format(i + 1) oligo_len = len(oligo) if i != len(self.oligos) - 1: oligo_tm = self.overlap_tms[i] notes = 'oligo length: {}, '.format(oligo_len ) + 'overlap Tm: {:.2f}'.format(oligo_tm) else: notes = 'oligo length: {}'.format(oligo_len) oligo_writer.writerow([name, oligo, notes]) if self.primers: for i, (primer, melt) in enumerate(self.primers): oligo_writer.writerow(['primer {}'.format(i + 1), primer, 'Tm: {:.2f}'.format(melt)])
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n with open(path, 'wb') as oligo_file:\n oligo_writer = csv.writer(oligo_file, delimiter=',', quoting=csv.\n QUOTE_MINIMAL)\n oligo_writer.writerow(['name', 'oligo', 'notes'])\n for i, oligo in enumerate(self.oligos):\n name = 'oligo {}'.format(i + 1)\n oligo_len = len(oligo)\n if i != len(self.oligos) - 1:\n oligo_tm = self.overlap_tms[i]\n notes = 'oligo length: {}, '.format(oligo_len\n ) + 'overlap Tm: {:.2f}'.format(oligo_tm)\n else:\n notes = 'oligo length: {}'.format(oligo_len)\n oligo_writer.writerow([name, oligo, notes])\n if self.primers:\n for i, (primer, melt) in enumerate(self.primers):\n oligo_writer.writerow(['primer {}'.format(i + 1), primer,\n 'Tm: {:.2f}'.format(melt)])\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, path): starts = [index[0] for index in self.overlap_indices] features = [] for i, start in enumerate(starts): stop = start + len(self.overlaps[i]) name = 'overlap {}'.format(i + 1) feature_type = 'misc' strand = 0 features.append(coral.Feature(name, start, stop, feature_type, strand=strand)) seq_map = coral.DNA(self.template, features=features) coral.seqio.write_dna(seq_map, path)
write_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n starts = [index[0] for index in self.overlap_indices]\n features = []\n for i, start in enumerate(starts):\n stop = start + len(self.overlaps[i])\n name = 'overlap {}'.format(i + 1)\n feature_type = 'misc'\n strand = 0\n features.append(coral.Feature(name, start, stop, feature_type,\n strand=strand))\n seq_map = coral.DNA(self.template, features=features)\n coral.seqio.write_dna(seq_map, path)\n", "role": "user" }, { "content": "write_map", "role": "assistant" } ]
def x(rna): if isinstance(rna, coral.DNA): rna = transcribe(rna) codons_left = len(rna) // 3 start_codon = coral.RNA('aug') stop_codons = [coral.RNA('uag'), coral.RNA('uga'), coral.RNA('uaa')] start = None stop = None valid = [None, None] index = 0 while codons_left: codon = rna[index:index + 3] if valid[0] is None: if codon in start_codon: start = index valid[0] = True elif codon in stop_codons: stop = index + 3 valid[1] = True break index += 3 codons_left -= 1 if valid[0] is None: raise ValueError('Sequence has no start codon.') elif stop is None: raise ValueError('Sequence has no stop codon.') coding_rna = rna[start:stop] return coding_rna
coding_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rna):\n if isinstance(rna, coral.DNA):\n rna = transcribe(rna)\n codons_left = len(rna) // 3\n start_codon = coral.RNA('aug')\n stop_codons = [coral.RNA('uag'), coral.RNA('uga'), coral.RNA('uaa')]\n start = None\n stop = None\n valid = [None, None]\n index = 0\n while codons_left:\n codon = rna[index:index + 3]\n if valid[0] is None:\n if codon in start_codon:\n start = index\n valid[0] = True\n elif codon in stop_codons:\n stop = index + 3\n valid[1] = True\n break\n index += 3\n codons_left -= 1\n if valid[0] is None:\n raise ValueError('Sequence has no start codon.')\n elif stop is None:\n raise ValueError('Sequence has no stop codon.')\n coding_rna = rna[start:stop]\n return coding_rna\n", "role": "user" }, { "content": "coding_sequence", "role": "assistant" } ]
def x(self): return type(self)(str(self._sequence), features=self.features, run_checks=False)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return type(self)(str(self._sequence), features=self.features,\n run_checks=False)\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(fun): def x(*args, **kwargs): self = args[0] if os.path.isdir(self._tempdir): shutil.rmtree(self._tempdir) self._tempdir = tempfile.mkdtemp() try: retval = fun(*args, **kwargs) finally: shutil.rmtree(self._tempdir) if os.path.isdir(self._tempdir): shutil.rmtree(self._tempdir) return retval return wrapper
tempdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fun):\n\n def x(*args, **kwargs):\n self = args[0]\n if os.path.isdir(self._tempdir):\n shutil.rmtree(self._tempdir)\n self._tempdir = tempfile.mkdtemp()\n try:\n retval = fun(*args, **kwargs)\n finally:\n shutil.rmtree(self._tempdir)\n if os.path.isdir(self._tempdir):\n shutil.rmtree(self._tempdir)\n return retval\n return wrapper\n", "role": "user" }, { "content": "tempdir", "role": "assistant" } ]
def x(seq, to_material): if isinstance(seq, coral.DNA) and to_material == 'rna': if '-' in seq: raise ValueError('Cannot transcribe gapped DNA') origin = ALPHABETS['dna'][:-1] destination = ALPHABETS['rna'] code = dict(zip(origin, destination)) converted = ''.join([code.get(str(k), str(k)) for k in seq]) converted = coral.RNA(converted) elif isinstance(seq, coral.RNA): if to_material == 'dna': origin = ALPHABETS['rna'] destination = ALPHABETS['dna'][:-1] code = dict(zip(origin, destination)) converted = ''.join([code.get(str(k), str(k)) for k in seq]) converted = coral.DNA(converted) elif to_material == 'peptide': seq_list = list(str(seq)) converted = [] while True: if len(seq_list) >= 3: base_1 = seq_list.pop(0) base_2 = seq_list.pop(0) base_3 = seq_list.pop(0) codon = ''.join(base_1 + base_2 + base_3).upper() amino_acid = CODONS[codon] if amino_acid == '*': break converted.append(amino_acid) else: break converted = ''.join(converted) converted = coral.Peptide(converted) else: msg1 = 'Conversion from ' msg2 = '{0} to {1} is not supported.'.format(seq.__class__.__name__, to_material) raise ValueError(msg1 + msg2) return converted
convert_sequence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq, to_material):\n if isinstance(seq, coral.DNA) and to_material == 'rna':\n if '-' in seq:\n raise ValueError('Cannot transcribe gapped DNA')\n origin = ALPHABETS['dna'][:-1]\n destination = ALPHABETS['rna']\n code = dict(zip(origin, destination))\n converted = ''.join([code.get(str(k), str(k)) for k in seq])\n converted = coral.RNA(converted)\n elif isinstance(seq, coral.RNA):\n if to_material == 'dna':\n origin = ALPHABETS['rna']\n destination = ALPHABETS['dna'][:-1]\n code = dict(zip(origin, destination))\n converted = ''.join([code.get(str(k), str(k)) for k in seq])\n converted = coral.DNA(converted)\n elif to_material == 'peptide':\n seq_list = list(str(seq))\n converted = []\n while True:\n if len(seq_list) >= 3:\n base_1 = seq_list.pop(0)\n base_2 = seq_list.pop(0)\n base_3 = seq_list.pop(0)\n codon = ''.join(base_1 + base_2 + base_3).upper()\n amino_acid = CODONS[codon]\n if amino_acid == '*':\n break\n converted.append(amino_acid)\n else:\n break\n converted = ''.join(converted)\n converted = coral.Peptide(converted)\n else:\n msg1 = 'Conversion from '\n msg2 = '{0} to {1} is not supported.'.format(seq.__class__.__name__,\n to_material)\n raise ValueError(msg1 + msg2)\n return converted\n", "role": "user" }, { "content": "convert_sequence", "role": "assistant" } ]
def x(self): gc = len([base for base in self.seq if base == 'C' or base == 'G']) return float(gc) / len(self)
gc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n gc = len([base for base in self.seq if base == 'C' or base == 'G'])\n return float(gc) / len(self)\n", "role": "user" }, { "content": "gc", "role": "assistant" } ]
def x(self, other): if len(self) != len(other): return False for i in range(len(self)): if self.rotate(i) == other: return True return False
is_rotation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if len(self) != len(other):\n return False\n for i in range(len(self)):\n if self.rotate(i) == other:\n return True\n return False\n", "role": "user" }, { "content": "is_rotation", "role": "assistant" } ]
def x(self, index=0): if not self.circular and index != 0: raise ValueError('Cannot relinearize a linear sequence.') copy = self.copy() if index: return copy[index:] + copy[:index] copy.circular = False return copy
linearize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index=0):\n if not self.circular and index != 0:\n raise ValueError('Cannot relinearize a linear sequence.')\n copy = self.copy()\n if index:\n return copy[index:] + copy[:index]\n copy.circular = False\n return copy\n", "role": "user" }, { "content": "linearize", "role": "assistant" } ]
def x(self, pattern): if self.circular: if len(pattern) >= 2 * len(self): raise ValueError('Search pattern longer than searchable ' + 'sequence.') seq = self + self[:len(pattern) - 1] return super(NucleicAcid, seq).locate(pattern) else: return super(NucleicAcid, self).locate(pattern)
locate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n if self.circular:\n if len(pattern) >= 2 * len(self):\n raise ValueError('Search pattern longer than searchable ' +\n 'sequence.')\n seq = self + self[:len(pattern) - 1]\n return super(NucleicAcid, seq).locate(pattern)\n else:\n return super(NucleicAcid, self).locate(pattern)\n", "role": "user" }, { "content": "locate", "role": "assistant" } ]
def x(self): counter = collections.Counter(self.seq.lower()) mw_a = counter['a'] * 313.2 mw_t = counter['t'] * 304.2 mw_g = counter['g'] * 289.2 mw_c = counter['c'] * 329.2 mw_u = counter['u'] * 306.2 if self.material == 'dna': return mw_a + mw_t + mw_g + mw_c + 79.0 else: return mw_a + mw_u + mw_g + mw_c + 159.0
mw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n counter = collections.Counter(self.seq.lower())\n mw_a = counter['a'] * 313.2\n mw_t = counter['t'] * 304.2\n mw_g = counter['g'] * 289.2\n mw_c = counter['c'] * 329.2\n mw_u = counter['u'] * 306.2\n if self.material == 'dna':\n return mw_a + mw_t + mw_g + mw_c + 79.0\n else:\n return mw_a + mw_u + mw_g + mw_c + 159.0\n", "role": "user" }, { "content": "mw", "role": "assistant" } ]
def x(self, n): if not self.circular and n != 0: raise ValueError('Cannot rotate a linear sequence') else: rotated = self[-n:] + self[:-n] return rotated.circularize()
rotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n):\n if not self.circular and n != 0:\n raise ValueError('Cannot rotate a linear sequence')\n else:\n rotated = self[-n:] + self[:-n]\n return rotated.circularize()\n", "role": "user" }, { "content": "rotate", "role": "assistant" } ]
def x(dna, n_bases): new_instance = dna.copy() if n_bases >= len(dna): new_instance.top.seq = ''.join(['-' for i in range(len(dna))]) else: new_instance.top.seq = '-' * n_bases + str(dna)[n_bases:] new_instance = _remove_end_gaps(new_instance) return new_instance
five_resect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dna, n_bases):\n new_instance = dna.copy()\n if n_bases >= len(dna):\n new_instance.top.seq = ''.join(['-' for i in range(len(dna))])\n else:\n new_instance.top.seq = '-' * n_bases + str(dna)[n_bases:]\n new_instance = _remove_end_gaps(new_instance)\n return new_instance\n", "role": "user" }, { "content": "five_resect", "role": "assistant" } ]
def x(sequence): def x(seq): gap = coral.DNA('-') count = 0 for base in seq: if base == gap: count += 1 else: break return count top_left = count_end_gaps(sequence.top) top_right = count_end_gaps(reversed(sequence.top)) bottom_left = count_end_gaps(reversed(sequence.bottom)) bottom_right = count_end_gaps(sequence.bottom) left_index = min(top_left, bottom_left) right_index = len(sequence) - min(top_right, bottom_right) return sequence[left_index:right_index]
remove_end_gaps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sequence):\n\n def x(seq):\n gap = coral.DNA('-')\n count = 0\n for base in seq:\n if base == gap:\n count += 1\n else:\n break\n return count\n top_left = count_end_gaps(sequence.top)\n top_right = count_end_gaps(reversed(sequence.top))\n bottom_left = count_end_gaps(reversed(sequence.bottom))\n bottom_right = count_end_gaps(sequence.bottom)\n left_index = min(top_left, bottom_left)\n right_index = len(sequence) - min(top_right, bottom_right)\n return sequence[left_index:right_index]\n", "role": "user" }, { "content": "remove_end_gaps", "role": "assistant" } ]
def x(reference, query, gap_open=-15, gap_extend=0, matrix=submat.DNA_SIMPLE): aligned_ref, aligned_res = aligner(str(reference), str(query), gap_open =gap_open, gap_extend=gap_extend, method='global_cfe', matrix= matrix.matrix, alphabet=matrix.alphabet) score = score_alignment(aligned_ref, aligned_res, gap_open, gap_extend, matrix.matrix, matrix.alphabet) return cr.DNA(aligned_ref), cr.DNA(aligned_res), score
needle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reference, query, gap_open=-15, gap_extend=0, matrix=submat.DNA_SIMPLE):\n aligned_ref, aligned_res = aligner(str(reference), str(query), gap_open\n =gap_open, gap_extend=gap_extend, method='global_cfe', matrix=\n matrix.matrix, alphabet=matrix.alphabet)\n score = score_alignment(aligned_ref, aligned_res, gap_open, gap_extend,\n matrix.matrix, matrix.alphabet)\n return cr.DNA(aligned_ref), cr.DNA(aligned_res), score\n", "role": "user" }, { "content": "needle", "role": "assistant" } ]
def x(reference, results, gap_open=-15, gap_extend=0, matrix=submat.DNA_SIMPLE ): gap = '-' alignments = [] for result in results: ref_dna, res_dna, score = needle(reference, result, gap_open= gap_open, gap_extend=gap_extend, matrix=matrix) alignments.append([str(ref_dna), str(res_dna), score]) def x(sequence, position): return sequence[:position] + gap + sequence[position:] i = 0 while True: refs = [alignment[0][i] for alignment in alignments] gaps = [(ref == gap) for ref in refs] if any(gaps) and not all(gaps): for alignment in alignments: if alignment[0][i] != gap: alignment[0] = insert_gap(alignment[0], i) alignment[1] = insert_gap(alignment[1], i) alignment_set = set(alignment[0] for alignment in alignments) if len(alignment_set) == 1: break lens = [len(alignment[0]) for alignment in alignments] if i + 1 in lens: for alignment in alignments: if len(alignment[0]) == i + 1: alignment[0] = alignment[0] + gap alignment[1] = alignment[1] + gap i += 1 if i > 20: break output_alignment = [cr.DNA(alignments[0][0])] for alignment in alignments: output_alignment.append(cr.DNA(alignment[1])) return output_alignment
needle_msa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reference, results, gap_open=-15, gap_extend=0, matrix=submat.DNA_SIMPLE\n ):\n gap = '-'\n alignments = []\n for result in results:\n ref_dna, res_dna, score = needle(reference, result, gap_open=\n gap_open, gap_extend=gap_extend, matrix=matrix)\n alignments.append([str(ref_dna), str(res_dna), score])\n\n def x(sequence, position):\n return sequence[:position] + gap + sequence[position:]\n i = 0\n while True:\n refs = [alignment[0][i] for alignment in alignments]\n gaps = [(ref == gap) for ref in refs]\n if any(gaps) and not all(gaps):\n for alignment in alignments:\n if alignment[0][i] != gap:\n alignment[0] = insert_gap(alignment[0], i)\n alignment[1] = insert_gap(alignment[1], i)\n alignment_set = set(alignment[0] for alignment in alignments)\n if len(alignment_set) == 1:\n break\n lens = [len(alignment[0]) for alignment in alignments]\n if i + 1 in lens:\n for alignment in alignments:\n if len(alignment[0]) == i + 1:\n alignment[0] = alignment[0] + gap\n alignment[1] = alignment[1] + gap\n i += 1\n if i > 20:\n break\n output_alignment = [cr.DNA(alignments[0][0])]\n for alignment in alignments:\n output_alignment.append(cr.DNA(alignment[1]))\n return output_alignment\n", "role": "user" }, { "content": "needle_msa", "role": "assistant" } ]
def x(references, queries, gap_open=-15, gap_extend=0, matrix=submat.DNA_SIMPLE ): pool = multiprocessing.Pool() try: args_list = [[ref, que, gap_open, gap_extend, matrix] for ref, que in zip(references, queries)] aligned = pool.map(run_needle, args_list) except KeyboardInterrupt: print('Caught KeyboardInterrupt, terminating workers') pool.terminate() pool.join() raise KeyboardInterrupt return aligned
needle_multi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(references, queries, gap_open=-15, gap_extend=0, matrix=submat.DNA_SIMPLE\n ):\n pool = multiprocessing.Pool()\n try:\n args_list = [[ref, que, gap_open, gap_extend, matrix] for ref, que in\n zip(references, queries)]\n aligned = pool.map(run_needle, args_list)\n except KeyboardInterrupt:\n print('Caught KeyboardInterrupt, terminating workers')\n pool.terminate()\n pool.join()\n raise KeyboardInterrupt\n return aligned\n", "role": "user" }, { "content": "needle_multi", "role": "assistant" } ]
def x(name, modules=None, exceptions=DummyException, locals_=None, globals_ =None, level=-1): frame = None try: if locals_ is None or globals_ is None: import inspect frame = inspect.stack()[1][0] if locals_ is None: locals_ = frame.f_locals if globals_ is None: globals_ = frame.f_globals try: name = name.split('.') if not name[0]: name = name[1:] level = 1 module = __import__(name=name[0] or '.', globals=globals_, locals=locals_, fromlist=name[1:], level=max(level, 0)) try: for attr in name[1:]: module = getattr(module, attr) except AttributeError: raise ImportError('No module named ' + '.'.join(name)) if not modules: modules = getattr(module, '__all__', dir(module)) else: modules = set(modules).intersection(dir(module)) for k in set(dir(module)).intersection(modules): if k and k[0] != '_': globals_[k] = getattr(module, k) except exceptions as e: return e finally: del name, modules, exceptions, locals_, globals_, frame
import_global
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, modules=None, exceptions=DummyException, locals_=None, globals_\n =None, level=-1):\n frame = None\n try:\n if locals_ is None or globals_ is None:\n import inspect\n frame = inspect.stack()[1][0]\n if locals_ is None:\n locals_ = frame.f_locals\n if globals_ is None:\n globals_ = frame.f_globals\n try:\n name = name.split('.')\n if not name[0]:\n name = name[1:]\n level = 1\n module = __import__(name=name[0] or '.', globals=globals_,\n locals=locals_, fromlist=name[1:], level=max(level, 0))\n try:\n for attr in name[1:]:\n module = getattr(module, attr)\n except AttributeError:\n raise ImportError('No module named ' + '.'.join(name))\n if not modules:\n modules = getattr(module, '__all__', dir(module))\n else:\n modules = set(modules).intersection(dir(module))\n for k in set(dir(module)).intersection(modules):\n if k and k[0] != '_':\n globals_[k] = getattr(module, k)\n except exceptions as e:\n return e\n finally:\n del name, modules, exceptions, locals_, globals_, frame\n", "role": "user" }, { "content": "import_global", "role": "assistant" } ]
def x(name): output = [] for i, c in enumerate(name): if i > 0: pc = name[i - 1] if c.isupper() and not pc.isupper() and pc != '_': output.append('_') elif i > 3 and not c.isupper(): previous = name[i - 3:i] if previous.isalpha() and previous.isupper(): output.insert(len(output) - 1, '_') output.append(c.lower()) return ''.join(output)
camel_to_underscore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n output = []\n for i, c in enumerate(name):\n if i > 0:\n pc = name[i - 1]\n if c.isupper() and not pc.isupper() and pc != '_':\n output.append('_')\n elif i > 3 and not c.isupper():\n previous = name[i - 3:i]\n if previous.isalpha() and previous.isupper():\n output.insert(len(output) - 1, '_')\n output.append(c.lower())\n return ''.join(output)\n", "role": "user" }, { "content": "camel_to_underscore", "role": "assistant" } ]
def x(dt, default='just now'): if isinstance(dt, datetime.timedelta): diff = dt else: now = datetime.datetime.now() diff = abs(now - dt) periods = (diff.days / 365, 'year', 'years'), (diff.days % 365 / 30, 'month', 'months'), (diff.days % 30 / 7, 'week', 'weeks'), (diff. days % 7, 'day', 'days'), (diff.seconds / 3600, 'hour', 'hours'), ( diff.seconds % 3600 / 60, 'minute', 'minutes'), (diff.seconds % 60, 'second', 'seconds') output = [] for period, singular, plural in periods: if int(period): if int(period) == 1: output.append('%d %s' % (period, singular)) else: output.append('%d %s' % (period, plural)) if output: return '%s ago' % ' and '.join(output[:2]) return default
timesince
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt, default='just now'):\n if isinstance(dt, datetime.timedelta):\n diff = dt\n else:\n now = datetime.datetime.now()\n diff = abs(now - dt)\n periods = (diff.days / 365, 'year', 'years'), (diff.days % 365 / 30,\n 'month', 'months'), (diff.days % 30 / 7, 'week', 'weeks'), (diff.\n days % 7, 'day', 'days'), (diff.seconds / 3600, 'hour', 'hours'), (\n diff.seconds % 3600 / 60, 'minute', 'minutes'), (diff.seconds % 60,\n 'second', 'seconds')\n output = []\n for period, singular, plural in periods:\n if int(period):\n if int(period) == 1:\n output.append('%d %s' % (period, singular))\n else:\n output.append('%d %s' % (period, plural))\n if output:\n return '%s ago' % ' and '.join(output[:2])\n return default\n", "role": "user" }, { "content": "timesince", "role": "assistant" } ]
def x(delta): if delta.microseconds: total = delta.microseconds * 1e-06 else: total = 0 total += delta.seconds total += delta.days * 60 * 60 * 24 return total
timedelta_to_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(delta):\n if delta.microseconds:\n total = delta.microseconds * 1e-06\n else:\n total = 0\n total += delta.seconds\n total += delta.days * 60 * 60 * 24\n return total\n", "role": "user" }, { "content": "timedelta_to_seconds", "role": "assistant" } ]
def x(timestamp, precision=datetime.timedelta(seconds=1)): precision_seconds = precision.total_seconds() if isinstance(timestamp, six.string_types + six.integer_types + (float,)): try: castfunc = six.integer_types[-1] timestamp = datetime.timedelta(seconds=castfunc(timestamp)) except OverflowError: timestamp = None if isinstance(timestamp, datetime.timedelta): seconds = timestamp.total_seconds() seconds = seconds - seconds % precision_seconds return str(datetime.timedelta(seconds=seconds)) elif isinstance(timestamp, datetime.datetime): if hasattr(timestamp, 'timestamp'): seconds = timestamp.timestamp() else: seconds = timedelta_to_seconds(timestamp - epoch) seconds = seconds - seconds % precision_seconds try: if six.PY3: dt = datetime.datetime.fromtimestamp(seconds) else: dt = datetime.datetime.utcfromtimestamp(seconds) except ValueError: dt = datetime.datetime.max return str(dt) elif isinstance(timestamp, datetime.date): return str(timestamp) elif timestamp is None: return '--:--:--' else: raise TypeError('Unknown type %s: %r' % (type(timestamp), timestamp))
format_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timestamp, precision=datetime.timedelta(seconds=1)):\n precision_seconds = precision.total_seconds()\n if isinstance(timestamp, six.string_types + six.integer_types + (float,)):\n try:\n castfunc = six.integer_types[-1]\n timestamp = datetime.timedelta(seconds=castfunc(timestamp))\n except OverflowError:\n timestamp = None\n if isinstance(timestamp, datetime.timedelta):\n seconds = timestamp.total_seconds()\n seconds = seconds - seconds % precision_seconds\n return str(datetime.timedelta(seconds=seconds))\n elif isinstance(timestamp, datetime.datetime):\n if hasattr(timestamp, 'timestamp'):\n seconds = timestamp.timestamp()\n else:\n seconds = timedelta_to_seconds(timestamp - epoch)\n seconds = seconds - seconds % precision_seconds\n try:\n if six.PY3:\n dt = datetime.datetime.fromtimestamp(seconds)\n else:\n dt = datetime.datetime.utcfromtimestamp(seconds)\n except ValueError:\n dt = datetime.datetime.max\n return str(dt)\n elif isinstance(timestamp, datetime.date):\n return str(timestamp)\n elif timestamp is None:\n return '--:--:--'\n else:\n raise TypeError('Unknown type %s: %r' % (type(timestamp), timestamp))\n", "role": "user" }, { "content": "format_time", "role": "assistant" } ]
def x(): try: from IPython import get_ipython ipython = get_ipython() from ipykernel import zmqshell if isinstance(ipython, zmqshell.ZMQInteractiveShell): return 79, 24 except Exception: pass try: import shutil w, h = shutil.get_terminal_size() if w and h: return w - 1, h except Exception: pass try: w = int(os.environ.get('COLUMNS')) h = int(os.environ.get('LINES')) if w and h: return w, h except Exception: pass try: import blessings terminal = blessings.Terminal() w = terminal.width h = terminal.height if w and h: return w, h except Exception: pass try: w, h = _get_terminal_size_linux() if w and h: return w, h except Exception: pass try: w, h = _get_terminal_size_windows() if w and h: return w, h except Exception: pass try: w, h = _get_terminal_size_tput() if w and h: return w, h except Exception: pass return 79, 24
get_terminal_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n from IPython import get_ipython\n ipython = get_ipython()\n from ipykernel import zmqshell\n if isinstance(ipython, zmqshell.ZMQInteractiveShell):\n return 79, 24\n except Exception:\n pass\n try:\n import shutil\n w, h = shutil.get_terminal_size()\n if w and h:\n return w - 1, h\n except Exception:\n pass\n try:\n w = int(os.environ.get('COLUMNS'))\n h = int(os.environ.get('LINES'))\n if w and h:\n return w, h\n except Exception:\n pass\n try:\n import blessings\n terminal = blessings.Terminal()\n w = terminal.width\n h = terminal.height\n if w and h:\n return w, h\n except Exception:\n pass\n try:\n w, h = _get_terminal_size_linux()\n if w and h:\n return w, h\n except Exception:\n pass\n try:\n w, h = _get_terminal_size_windows()\n if w and h:\n return w, h\n except Exception:\n pass\n try:\n w, h = _get_terminal_size_tput()\n if w and h:\n return w, h\n except Exception:\n pass\n return 79, 24\n", "role": "user" }, { "content": "get_terminal_size", "role": "assistant" } ]
def x(self, Target): if not hasattr(self, '_AsyncSearchUsersCommands'): self._AsyncSearchUsersCommands = [] self.RegisterEventHandler('Reply', self._AsyncSearchUsersReplyHandler) command = Command('SEARCH USERS %s' % tounicode(Target), 'USERS', False, self.Timeout) self._AsyncSearchUsersCommands.append(command) self.SendCommand(command) return command.Id
AsyncSearchUsers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Target):\n if not hasattr(self, '_AsyncSearchUsersCommands'):\n self._AsyncSearchUsersCommands = []\n self.RegisterEventHandler('Reply', self._AsyncSearchUsersReplyHandler)\n command = Command('SEARCH USERS %s' % tounicode(Target), 'USERS', False,\n self.Timeout)\n self._AsyncSearchUsersCommands.append(command)\n self.SendCommand(command)\n return command.Id\n", "role": "user" }, { "content": "AsyncSearchUsers", "role": "assistant" } ]
def x(self, Protocol=5, Wait=True): try: self._Api.protocol = Protocol self._Api.attach(self.Timeout, Wait) except SkypeAPIError: self.ResetCache() raise
Attach
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Protocol=5, Wait=True):\n try:\n self._Api.protocol = Protocol\n self._Api.attach(self.Timeout, Wait)\n except SkypeAPIError:\n self.ResetCache()\n raise\n", "role": "user" }, { "content": "Attach", "role": "assistant" } ]
def x(self, Id=0): o = Call(self, Id) o.Status return o
Call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id=0):\n o = Call(self, Id)\n o.Status\n return o\n", "role": "user" }, { "content": "Call", "role": "assistant" } ]
def x(self, Status): if self.CurrentUserStatus.upper() == Status.upper(): return self._ChangeUserStatus_Event = threading.Event() self._ChangeUserStatus_Status = Status.upper() self.RegisterEventHandler('UserStatus', self._ChangeUserStatus_UserStatus) self.CurrentUserStatus = Status self._ChangeUserStatus_Event.wait() self.UnregisterEventHandler('UserStatus', self._ChangeUserStatus_UserStatus ) del self._ChangeUserStatus_Event, self._ChangeUserStatus_Status
ChangeUserStatus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Status):\n if self.CurrentUserStatus.upper() == Status.upper():\n return\n self._ChangeUserStatus_Event = threading.Event()\n self._ChangeUserStatus_Status = Status.upper()\n self.RegisterEventHandler('UserStatus', self._ChangeUserStatus_UserStatus)\n self.CurrentUserStatus = Status\n self._ChangeUserStatus_Event.wait()\n self.UnregisterEventHandler('UserStatus', self._ChangeUserStatus_UserStatus\n )\n del self._ChangeUserStatus_Event, self._ChangeUserStatus_Status\n", "role": "user" }, { "content": "ChangeUserStatus", "role": "assistant" } ]
def x(self, Name=''): o = Chat(self, Name) o.Status return o
Chat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Name=''):\n o = Chat(self, Name)\n o.Status\n return o\n", "role": "user" }, { "content": "Chat", "role": "assistant" } ]
def x(self, Username='ALL', Type=chsAllCalls): cmd = 'CLEAR CALLHISTORY %s %s' % (str(Type), Username) self._DoCommand(cmd, cmd)
ClearCallHistory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Username='ALL', Type=chsAllCalls):\n cmd = 'CLEAR CALLHISTORY %s %s' % (str(Type), Username)\n self._DoCommand(cmd, cmd)\n", "role": "user" }, { "content": "ClearCallHistory", "role": "assistant" } ]
def x(self, Command, Reply=u'', Block=False, Timeout=30000, Id=-1): from api import Command as CommandClass return CommandClass(Command, Reply, Block, Timeout, Id)
Command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Command, Reply=u'', Block=False, Timeout=30000, Id=-1):\n from api import Command as CommandClass\n return CommandClass(Command, Reply, Block, Timeout, Id)\n", "role": "user" }, { "content": "Command", "role": "assistant" } ]
def x(self, Id=0): o = Conference(self, Id) if Id <= 0 or not o.Calls: raise SkypeError(0, 'Unknown conference') return o
Conference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id=0):\n o = Conference(self, Id)\n if Id <= 0 or not o.Calls:\n raise SkypeError(0, 'Unknown conference')\n return o\n", "role": "user" }, { "content": "Conference", "role": "assistant" } ]
def x(self, *Usernames): return Chat(self, chop(self._DoCommand('CHAT CREATE %s' % ', '.join( Usernames)), 2)[1])
CreateChatWith
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *Usernames):\n return Chat(self, chop(self._DoCommand('CHAT CREATE %s' % ', '.join(\n Usernames)), 2)[1])\n", "role": "user" }, { "content": "CreateChatWith", "role": "assistant" } ]
def x(self, GroupName): groups = self.CustomGroups self._DoCommand('CREATE GROUP %s' % tounicode(GroupName)) for g in self.CustomGroups: if g not in groups and g.DisplayName == GroupName: return g raise SkypeError(0, 'Group creating failed')
CreateGroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, GroupName):\n groups = self.CustomGroups\n self._DoCommand('CREATE GROUP %s' % tounicode(GroupName))\n for g in self.CustomGroups:\n if g not in groups and g.DisplayName == GroupName:\n return g\n raise SkypeError(0, 'Group creating failed')\n", "role": "user" }, { "content": "CreateGroup", "role": "assistant" } ]
def x(self, MessageType, *TargetNumbers): return SmsMessage(self, chop(self._DoCommand('CREATE SMS %s %s' % ( MessageType, ', '.join(TargetNumbers))), 2)[1])
CreateSms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, MessageType, *TargetNumbers):\n return SmsMessage(self, chop(self._DoCommand('CREATE SMS %s %s' % (\n MessageType, ', '.join(TargetNumbers))), 2)[1])\n", "role": "user" }, { "content": "CreateSms", "role": "assistant" } ]
def x(self, Username=''): for v in self.Voicemails: if Username and v.PartnerHandle != Username: continue if v.Type in (vmtDefaultGreeting, vmtCustomGreeting): return v
Greeting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Username=''):\n for v in self.Voicemails:\n if Username and v.PartnerHandle != Username:\n continue\n if v.Type in (vmtDefaultGreeting, vmtCustomGreeting):\n return v\n", "role": "user" }, { "content": "Greeting", "role": "assistant" } ]
def x(self, Id=0): o = ChatMessage(self, Id) o.Status return o
Message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id=0):\n o = ChatMessage(self, Id)\n o.Status\n return o\n", "role": "user" }, { "content": "Message", "role": "assistant" } ]
def x(self, *Targets): calls = self.ActiveCalls reply = self._DoCommand('CALL %s' % ', '.join(Targets)) if reply.startswith('CALL '): return Call(self, chop(reply, 2)[1]) for c in self.ActiveCalls: if c not in calls: return c raise SkypeError(0, 'Placing call failed')
PlaceCall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *Targets):\n calls = self.ActiveCalls\n reply = self._DoCommand('CALL %s' % ', '.join(Targets))\n if reply.startswith('CALL '):\n return Call(self, chop(reply, 2)[1])\n for c in self.ActiveCalls:\n if c not in calls:\n return c\n raise SkypeError(0, 'Placing call failed')\n", "role": "user" }, { "content": "PlaceCall", "role": "assistant" } ]
def x(self, ObjectType, ObjectId, PropName, Set=None): return self._Property(ObjectType, ObjectId, PropName, Set)
Property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ObjectType, ObjectId, PropName, Set=None):\n return self._Property(ObjectType, ObjectId, PropName, Set)\n", "role": "user" }, { "content": "Property", "role": "assistant" } ]
def x(self, Command): try: self._Api.send_command(Command) except SkypeAPIError: self.ResetCache() raise
SendCommand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Command):\n try:\n self._Api.send_command(Command)\n except SkypeAPIError:\n self.ResetCache()\n raise\n", "role": "user" }, { "content": "SendCommand", "role": "assistant" } ]
def x(self, *TargetNumbers, **Properties): sms = self.CreateSms(smsMessageTypeOutgoing, *TargetNumbers) for name, value in Properties.items(): if isinstance(getattr(sms.__class__, name, None), property): setattr(sms, name, value) else: raise TypeError('Unknown property: %s' % prop) sms.Send() return sms
SendSms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *TargetNumbers, **Properties):\n sms = self.CreateSms(smsMessageTypeOutgoing, *TargetNumbers)\n for name, value in Properties.items():\n if isinstance(getattr(sms.__class__, name, None), property):\n setattr(sms, name, value)\n else:\n raise TypeError('Unknown property: %s' % prop)\n sms.Send()\n return sms\n", "role": "user" }, { "content": "SendSms", "role": "assistant" } ]
def x(self, Username): if self._Api.protocol >= 6: self._DoCommand('CALLVOICEMAIL %s' % Username) else: self._DoCommand('VOICEMAIL %s' % Username)
SendVoicemail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Username):\n if self._Api.protocol >= 6:\n self._DoCommand('CALLVOICEMAIL %s' % Username)\n else:\n self._DoCommand('VOICEMAIL %s' % Username)\n", "role": "user" }, { "content": "SendVoicemail", "role": "assistant" } ]
def x(self, Username=''): if not Username: Username = self.CurrentUserHandle o = User(self, Username) o.OnlineStatus return o
User
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Username=''):\n if not Username:\n Username = self.CurrentUserHandle\n o = User(self, Username)\n o.OnlineStatus\n return o\n", "role": "user" }, { "content": "User", "role": "assistant" } ]
def x(self, Id): o = Voicemail(self, Id) o.Type return o
Voicemail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id):\n o = Voicemail(self, Id)\n o.Type\n return o\n", "role": "user" }, { "content": "Voicemail", "role": "assistant" } ]
def x(self, Username, WaitConnected=False): if WaitConnected: self._Connect_Event = threading.Event() self._Connect_Stream = [None] self._Connect_Username = Username self._Connect_ApplicationStreams(self, self.Streams) self._Owner.RegisterEventHandler('ApplicationStreams', self. _Connect_ApplicationStreams) self._Alter('CONNECT', Username) self._Connect_Event.wait() self._Owner.UnregisterEventHandler('ApplicationStreams', self. _Connect_ApplicationStreams) try: return self._Connect_Stream[0] finally: del (self._Connect_Stream, self._Connect_Event, self. _Connect_Username) else: self._Alter('CONNECT', Username)
Connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Username, WaitConnected=False):\n if WaitConnected:\n self._Connect_Event = threading.Event()\n self._Connect_Stream = [None]\n self._Connect_Username = Username\n self._Connect_ApplicationStreams(self, self.Streams)\n self._Owner.RegisterEventHandler('ApplicationStreams', self.\n _Connect_ApplicationStreams)\n self._Alter('CONNECT', Username)\n self._Connect_Event.wait()\n self._Owner.UnregisterEventHandler('ApplicationStreams', self.\n _Connect_ApplicationStreams)\n try:\n return self._Connect_Stream[0]\n finally:\n del (self._Connect_Stream, self._Connect_Event, self.\n _Connect_Username)\n else:\n self._Alter('CONNECT', Username)\n", "role": "user" }, { "content": "Connect", "role": "assistant" } ]
def x(self, Text, Streams=None): if Streams is None: Streams = self.Streams for s in Streams: s.SendDatagram(Text)
SendDatagram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text, Streams=None):\n if Streams is None:\n Streams = self.Streams\n for s in Streams:\n s.SendDatagram(Text)\n", "role": "user" }, { "content": "SendDatagram", "role": "assistant" } ]
def x(self, Text): self.Application._Alter('DATAGRAM', '%s %s' % (self.Handle, tounicode( Text)))
SendDatagram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text):\n self.Application._Alter('DATAGRAM', '%s %s' % (self.Handle, tounicode(\n Text)))\n", "role": "user" }, { "content": "SendDatagram", "role": "assistant" } ]
def x(self, Text): self.Application._Alter('WRITE', '%s %s' % (self.Handle, tounicode(Text)))
Write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text):\n self.Application._Alter('WRITE', '%s %s' % (self.Handle, tounicode(Text)))\n", "role": "user" }, { "content": "Write", "role": "assistant" } ]
def x(self, EventId, Caption, Hint): self._Skype._DoCommand('CREATE EVENT %s CAPTION %s HINT %s' % ( tounicode(EventId), quote(tounicode(Caption)), quote(tounicode(Hint)))) return PluginEvent(self._Skype, EventId)
CreateEvent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, EventId, Caption, Hint):\n self._Skype._DoCommand('CREATE EVENT %s CAPTION %s HINT %s' % (\n tounicode(EventId), quote(tounicode(Caption)), quote(tounicode(Hint))))\n return PluginEvent(self._Skype, EventId)\n", "role": "user" }, { "content": "CreateEvent", "role": "assistant" } ]
def x(self, MenuItemId, PluginContext, CaptionText, HintText=u'', IconPath= '', Enabled=True, ContactType=pluginContactTypeAll, MultipleContacts=False ): cmd = 'CREATE MENU_ITEM %s CONTEXT %s CAPTION %s ENABLED %s' % (tounicode (MenuItemId), PluginContext, quote(tounicode(CaptionText)), cndexp( Enabled, 'true', 'false')) if HintText: cmd += ' HINT %s' % quote(tounicode(HintText)) if IconPath: cmd += ' ICON %s' % quote(path2unicode(IconPath)) if MultipleContacts: cmd += ' ENABLE_MULTIPLE_CONTACTS true' if PluginContext == pluginContextContact: cmd += ' CONTACT_TYPE_FILTER %s' % ContactType self._Skype._DoCommand(cmd) return PluginMenuItem(self._Skype, MenuItemId, CaptionText, HintText, Enabled)
CreateMenuItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, MenuItemId, PluginContext, CaptionText, HintText=u'', IconPath=\n '', Enabled=True, ContactType=pluginContactTypeAll, MultipleContacts=False\n ):\n cmd = 'CREATE MENU_ITEM %s CONTEXT %s CAPTION %s ENABLED %s' % (tounicode\n (MenuItemId), PluginContext, quote(tounicode(CaptionText)), cndexp(\n Enabled, 'true', 'false'))\n if HintText:\n cmd += ' HINT %s' % quote(tounicode(HintText))\n if IconPath:\n cmd += ' ICON %s' % quote(path2unicode(IconPath))\n if MultipleContacts:\n cmd += ' ENABLE_MULTIPLE_CONTACTS true'\n if PluginContext == pluginContextContact:\n cmd += ' CONTACT_TYPE_FILTER %s' % ContactType\n self._Skype._DoCommand(cmd)\n return PluginMenuItem(self._Skype, MenuItemId, CaptionText, HintText,\n Enabled)\n", "role": "user" }, { "content": "CreateMenuItem", "role": "assistant" } ]
def x(self): self._Skype._Api.allow_focus(self._Skype.Timeout) self._Skype._DoCommand('FOCUS')
Focus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._Skype._Api.allow_focus(self._Skype.Timeout)\n self._Skype._DoCommand('FOCUS')\n", "role": "user" }, { "content": "Focus", "role": "assistant" } ]
def x(self, Name, *Params): self._Skype._Api.allow_focus(self._Skype.Timeout) params = filter(None, (str(Name),) + Params) self._Skype._DoCommand('OPEN %s' % tounicode(' '.join(params)))
OpenDialog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Name, *Params):\n self._Skype._Api.allow_focus(self._Skype.Timeout)\n params = filter(None, (str(Name),) + Params)\n self._Skype._DoCommand('OPEN %s' % tounicode(' '.join(params)))\n", "role": "user" }, { "content": "OpenDialog", "role": "assistant" } ]
def x(self, Username, Text=u''): self.OpenDialog('IM', Username, tounicode(Text))
OpenMessageDialog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Username, Text=u''):\n self.OpenDialog('IM', Username, tounicode(Text))\n", "role": "user" }, { "content": "OpenMessageDialog", "role": "assistant" } ]
def x(self, Minimized=False, Nosplash=False): self._Skype._Api.startup(Minimized, Nosplash)
Start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Minimized=False, Nosplash=False):\n self._Skype._Api.startup(Minimized, Nosplash)\n", "role": "user" }, { "content": "Start", "role": "assistant" } ]
def x(self): if not self.thread_started: super(SkypeAPI, self).start() self.thread_started = True
start
[ { "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.thread_started:\n super(SkypeAPI, self).start()\n self.thread_started = True\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(gtk=True): x11.XInitThreads() if gtk: from gtk.gdk import threads_init threads_init()
threads_init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gtk=True):\n x11.XInitThreads()\n if gtk:\n from gtk.gdk import threads_init\n threads_init()\n", "role": "user" }, { "content": "threads_init", "role": "assistant" } ]
def x(self): skype_inst = x11.XInternAtom(self.disp, '_SKYPE_INSTANCE', True) if not skype_inst: return type_ret = Atom() format_ret = c_int() nitems_ret = c_ulong() bytes_after_ret = c_ulong() winp = pointer(Window()) fail = x11.XGetWindowProperty(self.disp, self.win_root, skype_inst, 0, 1, False, 33, byref(type_ret), byref(format_ret), byref(nitems_ret), byref(bytes_after_ret), byref(winp)) if not fail and format_ret.value == 32 and nitems_ret.value == 1: return winp.contents.value
get_skype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n skype_inst = x11.XInternAtom(self.disp, '_SKYPE_INSTANCE', True)\n if not skype_inst:\n return\n type_ret = Atom()\n format_ret = c_int()\n nitems_ret = c_ulong()\n bytes_after_ret = c_ulong()\n winp = pointer(Window())\n fail = x11.XGetWindowProperty(self.disp, self.win_root, skype_inst, 0, \n 1, False, 33, byref(type_ret), byref(format_ret), byref(nitems_ret),\n byref(bytes_after_ret), byref(winp))\n if not fail and format_ret.value == 32 and nitems_ret.value == 1:\n return winp.contents.value\n", "role": "user" }, { "content": "get_skype", "role": "assistant" } ]
def x(self, Id): reply = self._Owner._DoCommand('SET CALL %s JOIN_CONFERENCE %s' % (self .Id, Id), 'CALL %s CONF_ID' % self.Id) return Conference(self._Owner, reply.split()[-1])
Join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id):\n reply = self._Owner._DoCommand('SET CALL %s JOIN_CONFERENCE %s' % (self\n .Id, Id), 'CALL %s CONF_ID' % self.Id)\n return Conference(self._Owner, reply.split()[-1])\n", "role": "user" }, { "content": "Join", "role": "assistant" } ]
def x(self, Id=1, Set=None): from warnings import warn warn('Settings.Avatar: Use Settings.LoadAvatarFromFile instead.', DeprecationWarning, stacklevel=2) if Set is None: raise TypeError("Argument 'Set' is mandatory!") self.LoadAvatarFromFile(Set, Id)
Avatar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id=1, Set=None):\n from warnings import warn\n warn('Settings.Avatar: Use Settings.LoadAvatarFromFile instead.',\n DeprecationWarning, stacklevel=2)\n if Set is None:\n raise TypeError(\"Argument 'Set' is mandatory!\")\n self.LoadAvatarFromFile(Set, Id)\n", "role": "user" }, { "content": "Avatar", "role": "assistant" } ]
def x(self, Filename, AvatarId=1): s = 'AVATAR %s %s' % (AvatarId, path2unicode(Filename)) self._Skype._DoCommand('SET %s' % s, s)
LoadAvatarFromFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Filename, AvatarId=1):\n s = 'AVATAR %s %s' % (AvatarId, path2unicode(Filename))\n self._Skype._DoCommand('SET %s' % s, s)\n", "role": "user" }, { "content": "LoadAvatarFromFile", "role": "assistant" } ]
def x(self, Id=1, Set=None): if Set is None: return unicode2path(self._Skype._Property('RINGTONE', Id, '')) self._Skype._Property('RINGTONE', Id, '', path2unicode(Set))
RingTone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id=1, Set=None):\n if Set is None:\n return unicode2path(self._Skype._Property('RINGTONE', Id, ''))\n self._Skype._Property('RINGTONE', Id, '', path2unicode(Set))\n", "role": "user" }, { "content": "RingTone", "role": "assistant" } ]
def x(self, Id=1, Set=None): if Set is None: return self._Skype._Property('RINGTONE', Id, 'STATUS') == 'ON' self._Skype._Property('RINGTONE', Id, 'STATUS', cndexp(Set, 'ON', 'OFF'))
RingToneStatus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Id=1, Set=None):\n if Set is None:\n return self._Skype._Property('RINGTONE', Id, 'STATUS') == 'ON'\n self._Skype._Property('RINGTONE', Id, 'STATUS', cndexp(Set, 'ON', 'OFF'))\n", "role": "user" }, { "content": "RingToneStatus", "role": "assistant" } ]
def x(self, Filename, AvatarId=1): s = 'AVATAR %s %s' % (AvatarId, path2unicode(Filename)) self._Skype._DoCommand('GET %s' % s, s)
SaveAvatarToFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Filename, AvatarId=1):\n s = 'AVATAR %s %s' % (AvatarId, path2unicode(Filename))\n self._Skype._DoCommand('GET %s' % s, s)\n", "role": "user" }, { "content": "SaveAvatarToFile", "role": "assistant" } ]
def x(self, Filename, AvatarId=1): s = 'USER %s AVATAR %s %s' % (self.Handle, AvatarId, path2unicode(Filename) ) self._Owner._DoCommand('GET %s' % s, s)
SaveAvatarToFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Filename, AvatarId=1):\n s = 'USER %s AVATAR %s %s' % (self.Handle, AvatarId, path2unicode(Filename)\n )\n self._Owner._DoCommand('GET %s' % s, s)\n", "role": "user" }, { "content": "SaveAvatarToFile", "role": "assistant" } ]
def x(self, Text=u''): self._Property('BUDDYSTATUS', '%d %s' % (budPendingAuthorization, tounicode(Text)), Cache=False)
SetBuddyStatusPendingAuthorization
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text=u''):\n self._Property('BUDDYSTATUS', '%d %s' % (budPendingAuthorization,\n tounicode(Text)), Cache=False)\n", "role": "user" }, { "content": "SetBuddyStatusPendingAuthorization", "role": "assistant" } ]
def x(stream, *obj): stream.Write(base64.encodestring(pickle.dumps(obj)))
StreamWrite
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream, *obj):\n stream.Write(base64.encodestring(pickle.dumps(obj)))\n", "role": "user" }, { "content": "StreamWrite", "role": "assistant" } ]
def x(self): try: self.sock.shutdown(socket.SHUT_RDWR) self.sock.close() except socket.error: pass
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.sock.shutdown(socket.SHUT_RDWR)\n self.sock.close()\n except socket.error:\n pass\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(s, n=1, d=None): spl = s.split(d, n) if len(spl) == n: spl.append(s[:0]) if len(spl) != n + 1: raise ValueError("chop: Could not chop %d words from '%s'" % (n, s)) return spl
chop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, n=1, d=None):\n spl = s.split(d, n)\n if len(spl) == n:\n spl.append(s[:0])\n if len(spl) != n + 1:\n raise ValueError(\"chop: Could not chop %d words from '%s'\" % (n, s))\n return spl\n", "role": "user" }, { "content": "chop", "role": "assistant" } ]
def x(s): d = {} while s: t, s = chop(s, 1, '=') if s.startswith('"'): i = 0 while True: i = s.find('"', i + 1) try: if s[i + 1] != '"': break else: i += 1 except IndexError: break if i > 0: d[t] = s[1:i].replace('""', '"') if s[i + 1:i + 3] == ', ': i += 2 s = s[i + 1:] else: d[t] = s break else: i = s.find(', ') if i >= 0: d[t] = s[:i] s = s[i + 2:] else: d[t] = s break return d
args2dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n d = {}\n while s:\n t, s = chop(s, 1, '=')\n if s.startswith('\"'):\n i = 0\n while True:\n i = s.find('\"', i + 1)\n try:\n if s[i + 1] != '\"':\n break\n else:\n i += 1\n except IndexError:\n break\n if i > 0:\n d[t] = s[1:i].replace('\"\"', '\"')\n if s[i + 1:i + 3] == ', ':\n i += 2\n s = s[i + 1:]\n else:\n d[t] = s\n break\n else:\n i = s.find(', ')\n if i >= 0:\n d[t] = s[:i]\n s = s[i + 2:]\n else:\n d[t] = s\n break\n return d\n", "role": "user" }, { "content": "args2dict", "role": "assistant" } ]
def x(self, Event, *Args, **KwArgs): if Event not in self._EventHandlers: raise ValueError('%s is not a valid %s event name' % (Event, self. __class__.__name__)) args = map(repr, Args) + [('%s=%s' % (key, repr(value))) for key, value in KwArgs.items()] self.__Logger.debug('calling %s: %s', Event, ', '.join(args)) try: handlers = [self._DefaultEventHandlers[Event]] except KeyError: handlers = [] try: handlers.append(getattr(self._EventHandlerObject, Event)) except AttributeError: pass handlers.extend(self._EventHandlers[Event]) if handlers: after = self._EventThreads.get(Event, None) thread = EventSchedulerThread(Event, after, handlers, Args, KwArgs) self._EventThreads[Event] = thread thread.start()
CallEventHandler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Event, *Args, **KwArgs):\n if Event not in self._EventHandlers:\n raise ValueError('%s is not a valid %s event name' % (Event, self.\n __class__.__name__))\n args = map(repr, Args) + [('%s=%s' % (key, repr(value))) for key, value in\n KwArgs.items()]\n self.__Logger.debug('calling %s: %s', Event, ', '.join(args))\n try:\n handlers = [self._DefaultEventHandlers[Event]]\n except KeyError:\n handlers = []\n try:\n handlers.append(getattr(self._EventHandlerObject, Event))\n except AttributeError:\n pass\n handlers.extend(self._EventHandlers[Event])\n if handlers:\n after = self._EventThreads.get(Event, None)\n thread = EventSchedulerThread(Event, after, handlers, Args, KwArgs)\n self._EventThreads[Event] = thread\n thread.start()\n", "role": "user" }, { "content": "CallEventHandler", "role": "assistant" } ]
def x(self, Event, Target): if not callable(Target): raise TypeError('%s is not callable' % repr(Target)) if Event not in self._EventHandlers: raise ValueError('%s is not a valid %s event name' % (Event, self. __class__.__name__)) if Target in self._EventHandlers[Event]: return False self._EventHandlers[Event].append(Target) self.__Logger.info('registered %s: %s', Event, repr(Target)) return True
RegisterEventHandler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Event, Target):\n if not callable(Target):\n raise TypeError('%s is not callable' % repr(Target))\n if Event not in self._EventHandlers:\n raise ValueError('%s is not a valid %s event name' % (Event, self.\n __class__.__name__))\n if Target in self._EventHandlers[Event]:\n return False\n self._EventHandlers[Event].append(Target)\n self.__Logger.info('registered %s: %s', Event, repr(Target))\n return True\n", "role": "user" }, { "content": "RegisterEventHandler", "role": "assistant" } ]
def x(self, Event, Target): if not callable(Target): raise TypeError('%s is not callable' % repr(Target)) if Event not in self._EventHandlers: raise ValueError('%s is not a valid %s event name' % (Event, self. __class__.__name__)) if Target in self._EventHandlers[Event]: self._EventHandlers[Event].remove(Target) self.__Logger.info('unregistered %s: %s', Event, repr(Target)) return True return False
UnregisterEventHandler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Event, Target):\n if not callable(Target):\n raise TypeError('%s is not callable' % repr(Target))\n if Event not in self._EventHandlers:\n raise ValueError('%s is not a valid %s event name' % (Event, self.\n __class__.__name__))\n if Target in self._EventHandlers[Event]:\n self._EventHandlers[Event].remove(Target)\n self.__Logger.info('unregistered %s: %s', Event, repr(Target))\n return True\n return False\n", "role": "user" }, { "content": "UnregisterEventHandler", "role": "assistant" } ]
def x(self, Object): self._EventHandlerObject = Object self.__Logger.info('set object: %s', repr(Object))
SetEventHandlerObject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Object):\n self._EventHandlerObject = Object\n self.__Logger.info('set object: %s', repr(Object))\n", "role": "user" }, { "content": "SetEventHandlerObject", "role": "assistant" } ]
def x(cls, Class): def x(event): return property(lambda self: self._GetDefaultEventHandler(event), lambda self, Value: self._SetDefaultEventHandler(event, Value)) for event in dir(Class): if not event.startswith('_'): setattr(cls, 'On%s' % event, make_event(event)) cls._EventNames.append(event)
AddEvents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, Class):\n\n def x(event):\n return property(lambda self: self._GetDefaultEventHandler(event), \n lambda self, Value: self._SetDefaultEventHandler(event, Value))\n for event in dir(Class):\n if not event.startswith('_'):\n setattr(cls, 'On%s' % event, make_event(event))\n cls._EventNames.append(event)\n", "role": "user" }, { "content": "AddEvents", "role": "assistant" } ]
def x(self, AlterName, Args=None): return self._Owner._Alter('CHAT', self.Name, AlterName, Args, 'ALTER CHAT %s' % AlterName)
Alter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, AlterName, Args=None):\n return self._Owner._Alter('CHAT', self.Name, AlterName, Args, \n 'ALTER CHAT %s' % AlterName)\n", "role": "user" }, { "content": "Alter", "role": "assistant" } ]
def x(self, *Members): self._Alter('ADDMEMBERS', ', '.join([x.Handle for x in Members]))
AddMembers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *Members):\n self._Alter('ADDMEMBERS', ', '.join([x.Handle for x in Members]))\n", "role": "user" }, { "content": "AddMembers", "role": "assistant" } ]
def x(self, MessageText): return ChatMessage(self._Owner, chop(self._Owner._DoCommand( 'CHATMESSAGE %s %s' % (self.Name, tounicode(MessageText))), 2)[1])
SendMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, MessageText):\n return ChatMessage(self._Owner, chop(self._Owner._DoCommand(\n 'CHATMESSAGE %s %s' % (self.Name, tounicode(MessageText))), 2)[1])\n", "role": "user" }, { "content": "SendMessage", "role": "assistant" } ]
def x(self, Password, Hint=''): if ' ' in Password: raise ValueError('Password mut be one word') self._Alter('SETPASSWORD', '%s %s' % (tounicode(Password), tounicode(Hint)) )
SetPassword
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Password, Hint=''):\n if ' ' in Password:\n raise ValueError('Password mut be one word')\n self._Alter('SETPASSWORD', '%s %s' % (tounicode(Password), tounicode(Hint))\n )\n", "role": "user" }, { "content": "SetPassword", "role": "assistant" } ]
def x(self, Role): t = self._Owner._Alter('CHATMEMBER', self.Id, 'CANSETROLETO', Role, 'ALTER CHATMEMBER CANSETROLETO') return chop(t, 1)[-1] == 'TRUE'
CanSetRoleTo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Role):\n t = self._Owner._Alter('CHATMEMBER', self.Id, 'CANSETROLETO', Role,\n 'ALTER CHATMEMBER CANSETROLETO')\n return chop(t, 1)[-1] == 'TRUE'\n", "role": "user" }, { "content": "CanSetRoleTo", "role": "assistant" } ]
def x(self, Skype): self._Skype = Skype self._Skype.RegisterEventHandler('CallStatus', self._CallStatus) del self._Channels[:]
Connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Skype):\n self._Skype = Skype\n self._Skype.RegisterEventHandler('CallStatus', self._CallStatus)\n del self._Channels[:]\n", "role": "user" }, { "content": "Connect", "role": "assistant" } ]
def x(self, ApplicationName=None): if ApplicationName is not None: self.Name = tounicode(ApplicationName) self._App = self._Skype.Application(self.Name) self._Skype.RegisterEventHandler('ApplicationStreams', self. _ApplicationStreams) self._Skype.RegisterEventHandler('ApplicationReceiving', self. _ApplicationReceiving) self._Skype.RegisterEventHandler('ApplicationDatagram', self. _ApplicationDatagram) self._App.Create() self._CallEventHandler('Created', self)
CreateApplication
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ApplicationName=None):\n if ApplicationName is not None:\n self.Name = tounicode(ApplicationName)\n self._App = self._Skype.Application(self.Name)\n self._Skype.RegisterEventHandler('ApplicationStreams', self.\n _ApplicationStreams)\n self._Skype.RegisterEventHandler('ApplicationReceiving', self.\n _ApplicationReceiving)\n self._Skype.RegisterEventHandler('ApplicationDatagram', self.\n _ApplicationDatagram)\n self._App.Create()\n self._CallEventHandler('Created', self)\n", "role": "user" }, { "content": "CreateApplication", "role": "assistant" } ]
def x(self, Text): if self.Type == cctReliable: self.Stream.Write(Text) elif self.Type == cctDatagram: self.Stream.SendDatagram(Text) else: raise SkypeError(0, 'Cannot send using %s channel type' & repr(self .Type))
SendTextMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text):\n if self.Type == cctReliable:\n self.Stream.Write(Text)\n elif self.Type == cctDatagram:\n self.Stream.SendDatagram(Text)\n else:\n raise SkypeError(0, 'Cannot send using %s channel type' & repr(self\n .Type))\n", "role": "user" }, { "content": "SendTextMessage", "role": "assistant" } ]
def x(self, Text): conv = {'UNKNOWN': enums.apiAttachUnknown, 'SUCCESS': enums. apiAttachSuccess, 'PENDING_AUTHORIZATION': enums. apiAttachPendingAuthorization, 'REFUSED': enums.apiAttachRefused, 'NOT_AVAILABLE': enums.apiAttachNotAvailable, 'AVAILABLE': enums. apiAttachAvailable} try: return self._TextTo('api', conv[Text.upper()]) except KeyError: raise ValueError('Bad text')
TextToAttachmentStatus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text):\n conv = {'UNKNOWN': enums.apiAttachUnknown, 'SUCCESS': enums.\n apiAttachSuccess, 'PENDING_AUTHORIZATION': enums.\n apiAttachPendingAuthorization, 'REFUSED': enums.apiAttachRefused,\n 'NOT_AVAILABLE': enums.apiAttachNotAvailable, 'AVAILABLE': enums.\n apiAttachAvailable}\n try:\n return self._TextTo('api', conv[Text.upper()])\n except KeyError:\n raise ValueError('Bad text')\n", "role": "user" }, { "content": "TextToAttachmentStatus", "role": "assistant" } ]
def x(self, Text): conv = {'UNKNOWN': enums.budUnknown, 'NEVER_BEEN_FRIEND': enums. budNeverBeenFriend, 'DELETED_FRIEND': enums.budDeletedFriend, 'PENDING_AUTHORIZATION': enums.budPendingAuthorization, 'FRIEND': enums.budFriend} try: return self._TextTo('bud', conv[Text.upper()]) except KeyError: raise ValueError('Bad text')
TextToBuddyStatus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Text):\n conv = {'UNKNOWN': enums.budUnknown, 'NEVER_BEEN_FRIEND': enums.\n budNeverBeenFriend, 'DELETED_FRIEND': enums.budDeletedFriend,\n 'PENDING_AUTHORIZATION': enums.budPendingAuthorization, 'FRIEND':\n enums.budFriend}\n try:\n return self._TextTo('bud', conv[Text.upper()])\n except KeyError:\n raise ValueError('Bad text')\n", "role": "user" }, { "content": "TextToBuddyStatus", "role": "assistant" } ]
def x(self, name, field): self.composite_fields[name] = field self._init_composite_field(name, field)
add_composite_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, field):\n self.composite_fields[name] = field\n self._init_composite_field(name, field)\n", "role": "user" }, { "content": "add_composite_field", "role": "assistant" } ]
def x(self, name): field = self.composite_fields[name] if hasattr(field, 'get_form'): return self.forms[name] if hasattr(field, 'get_formset'): return self.formsets[name]
get_composite_field_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n field = self.composite_fields[name]\n if hasattr(field, 'get_form'):\n return self.forms[name]\n if hasattr(field, 'get_formset'):\n return self.formsets[name]\n", "role": "user" }, { "content": "get_composite_field_value", "role": "assistant" } ]
def x(self): self.composite_fields = copy.deepcopy(self.base_composite_fields) self.forms = OrderedDict() self.formsets = OrderedDict() for name, field in self.composite_fields.items(): self._init_composite_field(name, field)
init_composite_fields
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.composite_fields = copy.deepcopy(self.base_composite_fields)\n self.forms = OrderedDict()\n self.formsets = OrderedDict()\n for name, field in self.composite_fields.items():\n self._init_composite_field(name, field)\n", "role": "user" }, { "content": "init_composite_fields", "role": "assistant" } ]
def x(self): super(SuperFormMixin, self).full_clean() for field_name, composite in self.forms.items(): composite.full_clean() if not composite.is_valid() and composite._errors: self._errors[field_name] = ErrorDict(composite._errors) for field_name, composite in self.formsets.items(): composite.full_clean() if not composite.is_valid() and composite._errors: self._errors[field_name] = ErrorList(composite._errors)
full_clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n super(SuperFormMixin, self).full_clean()\n for field_name, composite in self.forms.items():\n composite.full_clean()\n if not composite.is_valid() and composite._errors:\n self._errors[field_name] = ErrorDict(composite._errors)\n for field_name, composite in self.formsets.items():\n composite.full_clean()\n if not composite.is_valid() and composite._errors:\n self._errors[field_name] = ErrorList(composite._errors)\n", "role": "user" }, { "content": "full_clean", "role": "assistant" } ]
def x(self): media_list = [] media_list.append(super(SuperFormMixin, self).media) for composite_name in self.composite_fields.keys(): form = self.get_composite_field_value(composite_name) media_list.append(form.media) return reduce(lambda a, b: a + b, media_list)
media
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n media_list = []\n media_list.append(super(SuperFormMixin, self).media)\n for composite_name in self.composite_fields.keys():\n form = self.get_composite_field_value(composite_name)\n media_list.append(form.media)\n return reduce(lambda a, b: a + b, media_list)\n", "role": "user" }, { "content": "media", "role": "assistant" } ]
def x(self, commit=True): saved_obj = self.save_form(commit=commit) self.save_forms(commit=commit) self.save_formsets(commit=commit) return saved_obj
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, commit=True):\n saved_obj = self.save_form(commit=commit)\n self.save_forms(commit=commit)\n self.save_formsets(commit=commit)\n return saved_obj\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, commit=True): return super(SuperModelFormMixin, self).save(commit=commit)
save_form
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, commit=True):\n return super(SuperModelFormMixin, self).save(commit=commit)\n", "role": "user" }, { "content": "save_form", "role": "assistant" } ]
def x(self, commit=True): saved_composites = [] for name, composite in self.formsets.items(): field = self.composite_fields[name] if hasattr(field, 'save'): field.save(self, name, composite, commit=commit) saved_composites.append(composite) self._extend_save_m2m('save_formsets_m2m', saved_composites)
save_formsets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, commit=True):\n saved_composites = []\n for name, composite in self.formsets.items():\n field = self.composite_fields[name]\n if hasattr(field, 'save'):\n field.save(self, name, composite, commit=commit)\n saved_composites.append(composite)\n self._extend_save_m2m('save_formsets_m2m', saved_composites)\n", "role": "user" }, { "content": "save_formsets", "role": "assistant" } ]