source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
for dataset in self.getDatasets():
for variantSet in dataset.getVariantSets():
for vaSet in variantSet.getVariantAnnotationSets():
yield vaSet
|
allVariantAnnotationSets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dataset in self.getDatasets():\n for variantSet in dataset.getVariantSets():\n for vaSet in variantSet.getVariantAnnotationSets():\n yield vaSet\n",
"role": "user"
},
{
"content": "allVariantAnnotationSets",
"role": "assistant"
}
] |
def x(self):
for dataset in self.getDatasets():
for rnaQuantificationSet in dataset.getRnaQuantificationSets():
for rnaQuantification in rnaQuantificationSet.getRnaQuantifications(
):
yield rnaQuantification
|
allRnaQuantifications
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dataset in self.getDatasets():\n for rnaQuantificationSet in dataset.getRnaQuantificationSets():\n for rnaQuantification in rnaQuantificationSet.getRnaQuantifications(\n ):\n yield rnaQuantification\n",
"role": "user"
},
{
"content": "allRnaQuantifications",
"role": "assistant"
}
] |
def x(self):
for dataset in self.getDatasets():
for rnaQuantificationSet in dataset.getRnaQuantificationSets():
for rnaQuantification in rnaQuantificationSet.getRnaQuantifications(
):
for expressionLevel in rnaQuantification.getExpressionLevels():
yield expressionLevel
|
allExpressionLevels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dataset in self.getDatasets():\n for rnaQuantificationSet in dataset.getRnaQuantificationSets():\n for rnaQuantification in rnaQuantificationSet.getRnaQuantifications(\n ):\n for expressionLevel in rnaQuantification.getExpressionLevels():\n yield expressionLevel\n",
"role": "user"
},
{
"content": "allExpressionLevels",
"role": "assistant"
}
] |
def x(self, url):
peers = list(models.Peer.select().where(models.Peer.url == url))
if len(peers) == 0:
raise exceptions.PeerNotFoundException(url)
return peers[0]
|
getPeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n peers = list(models.Peer.select().where(models.Peer.url == url))\n if len(peers) == 0:\n raise exceptions.PeerNotFoundException(url)\n return peers[0]\n",
"role": "user"
},
{
"content": "getPeer",
"role": "assistant"
}
] |
def x(self, offset=0, limit=1000):
select = models.Peer.select().order_by(models.Peer.url).limit(limit
).offset(offset)
return [peers.Peer(p.url, record=p) for p in select]
|
getPeers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=0, limit=1000):\n select = models.Peer.select().order_by(models.Peer.url).limit(limit\n ).offset(offset)\n return [peers.Peer(p.url, record=p) for p in select]\n",
"role": "user"
},
{
"content": "getPeers",
"role": "assistant"
}
] |
def x(self, model):
first = True
for item in model.select():
if first:
header = ''.join(['{}\t'.format(x) for x in model._meta.fields.
keys()])
print(header)
first = False
row = ''.join(['{}\t'.format(getattr(item, key)) for key in model.
_meta.fields.keys()])
print(row)
|
tableToTsv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model):\n first = True\n for item in model.select():\n if first:\n header = ''.join(['{}\\t'.format(x) for x in model._meta.fields.\n keys()])\n print(header)\n first = False\n row = ''.join(['{}\\t'.format(getattr(item, key)) for key in model.\n _meta.fields.keys()])\n print(row)\n",
"role": "user"
},
{
"content": "tableToTsv",
"role": "assistant"
}
] |
def x(self):
try:
q = models.Announcement.delete().where(models.Announcement.id > 0)
q.execute()
except Exception as e:
raise exceptions.RepoManagerException(e)
|
clearAnnouncements
|
[
{
"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 q = models.Announcement.delete().where(models.Announcement.id > 0)\n q.execute()\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "clearAnnouncements",
"role": "assistant"
}
] |
def x(self, announcement):
url = announcement.get('url', None)
try:
peers.Peer(url)
except:
raise exceptions.BadUrlException(url)
try:
models.Announcement.create(url=announcement.get('url'), attributes=
json.dumps(announcement.get('attributes', {})), remote_addr=
announcement.get('remote_addr', None), user_agent=announcement.
get('user_agent', None))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertAnnouncement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, announcement):\n url = announcement.get('url', None)\n try:\n peers.Peer(url)\n except:\n raise exceptions.BadUrlException(url)\n try:\n models.Announcement.create(url=announcement.get('url'), attributes=\n json.dumps(announcement.get('attributes', {})), remote_addr=\n announcement.get('remote_addr', None), user_agent=announcement.\n get('user_agent', None))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertAnnouncement",
"role": "assistant"
}
] |
def x(self, mode=MODE_READ):
if mode not in [MODE_READ, MODE_WRITE]:
error = "Open mode must be '{}' or '{}'".format(MODE_READ, MODE_WRITE)
raise ValueError(error)
self._openMode = mode
if mode == MODE_READ:
self.assertExists()
if mode == MODE_READ:
self.load()
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode=MODE_READ):\n if mode not in [MODE_READ, MODE_WRITE]:\n error = \"Open mode must be '{}' or '{}'\".format(MODE_READ, MODE_WRITE)\n raise ValueError(error)\n self._openMode = mode\n if mode == MODE_READ:\n self.assertExists()\n if mode == MODE_READ:\n self.load()\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self):
for ontology in self.getOntologys():
print('Verifying Ontology', ontology.getName(), '@', ontology.
getDataUrl())
for referenceSet in self.getReferenceSets():
print('Verifying ReferenceSet', referenceSet.getLocalId(), '@',
referenceSet.getDataUrl())
for reference in referenceSet.getReferences():
length = min(reference.getLength(), 1000)
bases = reference.getBases(0, length)
assert len(bases) == length
print('\tReading', length, 'bases from', reference.getLocalId())
for dataset in self.getDatasets():
print('Verifying Dataset', dataset.getLocalId())
for featureSet in dataset.getFeatureSets():
for referenceSet in self.getReferenceSets():
reference = referenceSet.getReferences()[0]
print('\tVerifying FeatureSet', featureSet.getLocalId(),
'with reference', reference.getLocalId())
length = min(reference.getLength(), 1000)
features = featureSet.getFeatures(reference.getLocalId(), 0,
length, None, 3)
for feature in features:
print('\t{}'.format(feature))
for readGroupSet in dataset.getReadGroupSets():
print('\tVerifying ReadGroupSet', readGroupSet.getLocalId(),
'@', readGroupSet.getDataUrl())
references = readGroupSet.getReferenceSet().getReferences()
reference = references[0]
max_alignments = 10
for readGroup in readGroupSet.getReadGroups():
alignments = readGroup.getReadAlignments(reference)
for i, alignment in enumerate(alignments):
if i == max_alignments:
break
print('\t\tRead', i, 'alignments from', readGroup.getLocalId())
for variantSet in dataset.getVariantSets():
print('\tVerifying VariantSet', variantSet.getLocalId())
max_variants = 10
max_annotations = 10
refMap = variantSet.getReferenceToDataUrlIndexMap()
for referenceName, (dataUrl, indexFile) in refMap.items():
variants = variantSet.getVariants(referenceName, 0, 2 ** 31)
for i, variant in enumerate(variants):
if i == max_variants:
break
print('\t\tRead', i, 'variants from reference',
referenceName, '@', dataUrl)
for annotationSet in variantSet.getVariantAnnotationSets():
print('\t\tVerifying VariantAnnotationSet', annotationSet.
getLocalId())
for referenceName in refMap.keys():
annotations = annotationSet.getVariantAnnotations(
referenceName, 0, 2 ** 31)
for i, annotation in enumerate(annotations):
if i == max_annotations:
break
print('\t\t\tRead', i, 'annotations from reference',
referenceName)
for phenotypeAssociationSet in dataset.getPhenotypeAssociationSets():
print('\t\tVerifying PhenotypeAssociationSet')
print('\t\t\t', phenotypeAssociationSet.getLocalId(),
phenotypeAssociationSet.getParentContainer().getId(), sep='\t')
|
verify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for ontology in self.getOntologys():\n print('Verifying Ontology', ontology.getName(), '@', ontology.\n getDataUrl())\n for referenceSet in self.getReferenceSets():\n print('Verifying ReferenceSet', referenceSet.getLocalId(), '@',\n referenceSet.getDataUrl())\n for reference in referenceSet.getReferences():\n length = min(reference.getLength(), 1000)\n bases = reference.getBases(0, length)\n assert len(bases) == length\n print('\\tReading', length, 'bases from', reference.getLocalId())\n for dataset in self.getDatasets():\n print('Verifying Dataset', dataset.getLocalId())\n for featureSet in dataset.getFeatureSets():\n for referenceSet in self.getReferenceSets():\n reference = referenceSet.getReferences()[0]\n print('\\tVerifying FeatureSet', featureSet.getLocalId(),\n 'with reference', reference.getLocalId())\n length = min(reference.getLength(), 1000)\n features = featureSet.getFeatures(reference.getLocalId(), 0,\n length, None, 3)\n for feature in features:\n print('\\t{}'.format(feature))\n for readGroupSet in dataset.getReadGroupSets():\n print('\\tVerifying ReadGroupSet', readGroupSet.getLocalId(),\n '@', readGroupSet.getDataUrl())\n references = readGroupSet.getReferenceSet().getReferences()\n reference = references[0]\n max_alignments = 10\n for readGroup in readGroupSet.getReadGroups():\n alignments = readGroup.getReadAlignments(reference)\n for i, alignment in enumerate(alignments):\n if i == max_alignments:\n break\n print('\\t\\tRead', i, 'alignments from', readGroup.getLocalId())\n for variantSet in dataset.getVariantSets():\n print('\\tVerifying VariantSet', variantSet.getLocalId())\n max_variants = 10\n max_annotations = 10\n refMap = variantSet.getReferenceToDataUrlIndexMap()\n for referenceName, (dataUrl, indexFile) in refMap.items():\n variants = variantSet.getVariants(referenceName, 0, 2 ** 31)\n for i, variant in enumerate(variants):\n if i == max_variants:\n break\n print('\\t\\tRead', i, 'variants from reference',\n referenceName, '@', dataUrl)\n for annotationSet in variantSet.getVariantAnnotationSets():\n print('\\t\\tVerifying VariantAnnotationSet', annotationSet.\n getLocalId())\n for referenceName in refMap.keys():\n annotations = annotationSet.getVariantAnnotations(\n referenceName, 0, 2 ** 31)\n for i, annotation in enumerate(annotations):\n if i == max_annotations:\n break\n print('\\t\\t\\tRead', i, 'annotations from reference',\n referenceName)\n for phenotypeAssociationSet in dataset.getPhenotypeAssociationSets():\n print('\\t\\tVerifying PhenotypeAssociationSet')\n print('\\t\\t\\t', phenotypeAssociationSet.getLocalId(),\n phenotypeAssociationSet.getParentContainer().getId(), sep='\\t')\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(self, ontology):
try:
models.Ontology.create(id=ontology.getName(), name=ontology.getName
(), dataurl=ontology.getDataUrl(), ontologyprefix=ontology.
getOntologyPrefix())
except Exception:
raise exceptions.DuplicateNameException(ontology.getName())
|
insertOntology
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ontology):\n try:\n models.Ontology.create(id=ontology.getName(), name=ontology.getName\n (), dataurl=ontology.getDataUrl(), ontologyprefix=ontology.\n getOntologyPrefix())\n except Exception:\n raise exceptions.DuplicateNameException(ontology.getName())\n",
"role": "user"
},
{
"content": "insertOntology",
"role": "assistant"
}
] |
def x(self, ontology):
q = models.Ontology.delete().where(id == ontology.getId())
q.execute()
|
removeOntology
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ontology):\n q = models.Ontology.delete().where(id == ontology.getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removeOntology",
"role": "assistant"
}
] |
def x(self, reference):
models.Reference.create(id=reference.getId(), referencesetid=reference.
getParentContainer().getId(), name=reference.getLocalId(), length=
reference.getLength(), isderived=reference.getIsDerived(), species=
json.dumps(reference.getSpecies()), md5checksum=reference.
getMd5Checksum(), sourceaccessions=json.dumps(reference.
getSourceAccessions()), sourceuri=reference.getSourceUri())
|
insertReference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference):\n models.Reference.create(id=reference.getId(), referencesetid=reference.\n getParentContainer().getId(), name=reference.getLocalId(), length=\n reference.getLength(), isderived=reference.getIsDerived(), species=\n json.dumps(reference.getSpecies()), md5checksum=reference.\n getMd5Checksum(), sourceaccessions=json.dumps(reference.\n getSourceAccessions()), sourceuri=reference.getSourceUri())\n",
"role": "user"
},
{
"content": "insertReference",
"role": "assistant"
}
] |
def x(self, referenceSet):
try:
models.Referenceset.create(id=referenceSet.getId(), name=
referenceSet.getLocalId(), description=referenceSet.
getDescription(), assemblyid=referenceSet.getAssemblyId(),
isderived=referenceSet.getIsDerived(), species=json.dumps(
referenceSet.getSpecies()), md5checksum=referenceSet.
getMd5Checksum(), sourceaccessions=json.dumps(referenceSet.
getSourceAccessions()), sourceuri=referenceSet.getSourceUri(),
dataurl=referenceSet.getDataUrl())
for reference in referenceSet.getReferences():
self.insertReference(reference)
except Exception:
raise exceptions.DuplicateNameException(referenceSet.getLocalId())
|
insertReferenceSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceSet):\n try:\n models.Referenceset.create(id=referenceSet.getId(), name=\n referenceSet.getLocalId(), description=referenceSet.\n getDescription(), assemblyid=referenceSet.getAssemblyId(),\n isderived=referenceSet.getIsDerived(), species=json.dumps(\n referenceSet.getSpecies()), md5checksum=referenceSet.\n getMd5Checksum(), sourceaccessions=json.dumps(referenceSet.\n getSourceAccessions()), sourceuri=referenceSet.getSourceUri(),\n dataurl=referenceSet.getDataUrl())\n for reference in referenceSet.getReferences():\n self.insertReference(reference)\n except Exception:\n raise exceptions.DuplicateNameException(referenceSet.getLocalId())\n",
"role": "user"
},
{
"content": "insertReferenceSet",
"role": "assistant"
}
] |
def x(self, dataset):
try:
models.Dataset.create(id=dataset.getId(), name=dataset.getLocalId(),
description=dataset.getDescription(), attributes=json.dumps(
dataset.getAttributes()))
except Exception:
raise exceptions.DuplicateNameException(dataset.getLocalId())
|
insertDataset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n try:\n models.Dataset.create(id=dataset.getId(), name=dataset.getLocalId(),\n description=dataset.getDescription(), attributes=json.dumps(\n dataset.getAttributes()))\n except Exception:\n raise exceptions.DuplicateNameException(dataset.getLocalId())\n",
"role": "user"
},
{
"content": "insertDataset",
"role": "assistant"
}
] |
def x(self, dataset):
for datasetRecord in models.Dataset.select().where(models.Dataset.id ==
dataset.getId()):
datasetRecord.delete_instance(recursive=True)
|
removeDataset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n for datasetRecord in models.Dataset.select().where(models.Dataset.id ==\n dataset.getId()):\n datasetRecord.delete_instance(recursive=True)\n",
"role": "user"
},
{
"content": "removeDataset",
"role": "assistant"
}
] |
def x(self, phenotypeAssociationSet):
q = models.Phenotypeassociationset.delete().where(models.
Phenotypeassociationset.id == phenotypeAssociationSet.getId())
q.execute()
|
removePhenotypeAssociationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, phenotypeAssociationSet):\n q = models.Phenotypeassociationset.delete().where(models.\n Phenotypeassociationset.id == phenotypeAssociationSet.getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removePhenotypeAssociationSet",
"role": "assistant"
}
] |
def x(self, featureSet):
q = models.Featureset.delete().where(models.Featureset.id == featureSet
.getId())
q.execute()
|
removeFeatureSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureSet):\n q = models.Featureset.delete().where(models.Featureset.id == featureSet\n .getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removeFeatureSet",
"role": "assistant"
}
] |
def x(self, continuousSet):
q = models.ContinuousSet.delete().where(models.ContinuousSet.id ==
continuousSet.getId())
q.execute()
|
removeContinuousSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, continuousSet):\n q = models.ContinuousSet.delete().where(models.ContinuousSet.id ==\n continuousSet.getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removeContinuousSet",
"role": "assistant"
}
] |
def x(self, readGroup):
statsJson = json.dumps(protocol.toJsonDict(readGroup.getStats()))
experimentJson = json.dumps(protocol.toJsonDict(readGroup.getExperiment()))
try:
models.Readgroup.create(id=readGroup.getId(), readgroupsetid=
readGroup.getParentContainer().getId(), name=readGroup.
getLocalId(), predictedinsertedsize=readGroup.
getPredictedInsertSize(), samplename=readGroup.getSampleName(),
description=readGroup.getDescription(), stats=statsJson,
experiment=experimentJson, biosampleid=readGroup.getBiosampleId
(), attributes=json.dumps(readGroup.getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertReadGroup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, readGroup):\n statsJson = json.dumps(protocol.toJsonDict(readGroup.getStats()))\n experimentJson = json.dumps(protocol.toJsonDict(readGroup.getExperiment()))\n try:\n models.Readgroup.create(id=readGroup.getId(), readgroupsetid=\n readGroup.getParentContainer().getId(), name=readGroup.\n getLocalId(), predictedinsertedsize=readGroup.\n getPredictedInsertSize(), samplename=readGroup.getSampleName(),\n description=readGroup.getDescription(), stats=statsJson,\n experiment=experimentJson, biosampleid=readGroup.getBiosampleId\n (), attributes=json.dumps(readGroup.getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertReadGroup",
"role": "assistant"
}
] |
def x(self, readGroupSet):
for readGroupSetRecord in models.Readgroupset.select().where(models.
Readgroupset.id == readGroupSet.getId()):
readGroupSetRecord.delete_instance(recursive=True)
|
removeReadGroupSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, readGroupSet):\n for readGroupSetRecord in models.Readgroupset.select().where(models.\n Readgroupset.id == readGroupSet.getId()):\n readGroupSetRecord.delete_instance(recursive=True)\n",
"role": "user"
},
{
"content": "removeReadGroupSet",
"role": "assistant"
}
] |
def x(self, variantSet):
for variantSetRecord in models.Variantset.select().where(models.
Variantset.id == variantSet.getId()):
variantSetRecord.delete_instance(recursive=True)
|
removeVariantSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantSet):\n for variantSetRecord in models.Variantset.select().where(models.\n Variantset.id == variantSet.getId()):\n variantSetRecord.delete_instance(recursive=True)\n",
"role": "user"
},
{
"content": "removeVariantSet",
"role": "assistant"
}
] |
def x(self, biosample):
q = models.Biosample.delete().where(models.Biosample.id == biosample.
getId())
q.execute()
|
removeBiosample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, biosample):\n q = models.Biosample.delete().where(models.Biosample.id == biosample.\n getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removeBiosample",
"role": "assistant"
}
] |
def x(self, individual):
q = models.Individual.delete().where(models.Individual.id == individual
.getId())
q.execute()
|
removeIndividual
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, individual):\n q = models.Individual.delete().where(models.Individual.id == individual\n .getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removeIndividual",
"role": "assistant"
}
] |
def x(self, readGroupSet):
programsJson = json.dumps([protocol.toJsonDict(program) for program in
readGroupSet.getPrograms()])
statsJson = json.dumps(protocol.toJsonDict(readGroupSet.getStats()))
try:
models.Readgroupset.create(id=readGroupSet.getId(), datasetid=
readGroupSet.getParentContainer().getId(), referencesetid=
readGroupSet.getReferenceSet().getId(), name=readGroupSet.
getLocalId(), programs=programsJson, stats=statsJson, dataurl=
readGroupSet.getDataUrl(), indexfile=readGroupSet.getIndexFile(
), attributes=json.dumps(readGroupSet.getAttributes()))
for readGroup in readGroupSet.getReadGroups():
self.insertReadGroup(readGroup)
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertReadGroupSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, readGroupSet):\n programsJson = json.dumps([protocol.toJsonDict(program) for program in\n readGroupSet.getPrograms()])\n statsJson = json.dumps(protocol.toJsonDict(readGroupSet.getStats()))\n try:\n models.Readgroupset.create(id=readGroupSet.getId(), datasetid=\n readGroupSet.getParentContainer().getId(), referencesetid=\n readGroupSet.getReferenceSet().getId(), name=readGroupSet.\n getLocalId(), programs=programsJson, stats=statsJson, dataurl=\n readGroupSet.getDataUrl(), indexfile=readGroupSet.getIndexFile(\n ), attributes=json.dumps(readGroupSet.getAttributes()))\n for readGroup in readGroupSet.getReadGroups():\n self.insertReadGroup(readGroup)\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertReadGroupSet",
"role": "assistant"
}
] |
def x(self, referenceSet):
try:
q = models.Reference.delete().where(models.Reference.referencesetid ==
referenceSet.getId())
q.execute()
q = models.Referenceset.delete().where(models.Referenceset.id ==
referenceSet.getId())
q.execute()
except Exception:
msg = (
'Unable to delete reference set. There are objects currently in the registry which are aligned against it. Remove these objects before removing the reference set.'
)
raise exceptions.RepoManagerException(msg)
|
removeReferenceSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceSet):\n try:\n q = models.Reference.delete().where(models.Reference.referencesetid ==\n referenceSet.getId())\n q.execute()\n q = models.Referenceset.delete().where(models.Referenceset.id ==\n referenceSet.getId())\n q.execute()\n except Exception:\n msg = (\n 'Unable to delete reference set. There are objects currently in the registry which are aligned against it. Remove these objects before removing the reference set.'\n )\n raise exceptions.RepoManagerException(msg)\n",
"role": "user"
},
{
"content": "removeReferenceSet",
"role": "assistant"
}
] |
def x(self, variantAnnotationSet):
analysisJson = json.dumps(protocol.toJsonDict(variantAnnotationSet.
getAnalysis()))
try:
models.Variantannotationset.create(id=variantAnnotationSet.getId(),
variantsetid=variantAnnotationSet.getParentContainer().getId(),
ontologyid=variantAnnotationSet.getOntology().getId(), name=
variantAnnotationSet.getLocalId(), analysis=analysisJson,
annotationtype=variantAnnotationSet.getAnnotationType(),
created=variantAnnotationSet.getCreationTime(), updated=
variantAnnotationSet.getUpdatedTime(), attributes=json.dumps(
variantAnnotationSet.getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertVariantAnnotationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantAnnotationSet):\n analysisJson = json.dumps(protocol.toJsonDict(variantAnnotationSet.\n getAnalysis()))\n try:\n models.Variantannotationset.create(id=variantAnnotationSet.getId(),\n variantsetid=variantAnnotationSet.getParentContainer().getId(),\n ontologyid=variantAnnotationSet.getOntology().getId(), name=\n variantAnnotationSet.getLocalId(), analysis=analysisJson,\n annotationtype=variantAnnotationSet.getAnnotationType(),\n created=variantAnnotationSet.getCreationTime(), updated=\n variantAnnotationSet.getUpdatedTime(), attributes=json.dumps(\n variantAnnotationSet.getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertVariantAnnotationSet",
"role": "assistant"
}
] |
def x(self, callSet):
try:
models.Callset.create(id=callSet.getId(), name=callSet.getLocalId(),
variantsetid=callSet.getParentContainer().getId(), biosampleid=
callSet.getBiosampleId(), attributes=json.dumps(callSet.
getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertCallSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callSet):\n try:\n models.Callset.create(id=callSet.getId(), name=callSet.getLocalId(),\n variantsetid=callSet.getParentContainer().getId(), biosampleid=\n callSet.getBiosampleId(), attributes=json.dumps(callSet.\n getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertCallSet",
"role": "assistant"
}
] |
def x(self, variantSet):
metadataJson = json.dumps([protocol.toJsonDict(metadata) for metadata in
variantSet.getMetadata()])
urlMapJson = json.dumps(variantSet.getReferenceToDataUrlIndexMap())
try:
models.Variantset.create(id=variantSet.getId(), datasetid=
variantSet.getParentContainer().getId(), referencesetid=
variantSet.getReferenceSet().getId(), name=variantSet.
getLocalId(), created=datetime.datetime.now(), updated=datetime
.datetime.now(), metadata=metadataJson, dataurlindexmap=
urlMapJson, attributes=json.dumps(variantSet.getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
for callSet in variantSet.getCallSets():
self.insertCallSet(callSet)
|
insertVariantSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantSet):\n metadataJson = json.dumps([protocol.toJsonDict(metadata) for metadata in\n variantSet.getMetadata()])\n urlMapJson = json.dumps(variantSet.getReferenceToDataUrlIndexMap())\n try:\n models.Variantset.create(id=variantSet.getId(), datasetid=\n variantSet.getParentContainer().getId(), referencesetid=\n variantSet.getReferenceSet().getId(), name=variantSet.\n getLocalId(), created=datetime.datetime.now(), updated=datetime\n .datetime.now(), metadata=metadataJson, dataurlindexmap=\n urlMapJson, attributes=json.dumps(variantSet.getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n for callSet in variantSet.getCallSets():\n self.insertCallSet(callSet)\n",
"role": "user"
},
{
"content": "insertVariantSet",
"role": "assistant"
}
] |
def x(self, featureSet):
try:
models.Featureset.create(id=featureSet.getId(), datasetid=
featureSet.getParentContainer().getId(), referencesetid=
featureSet.getReferenceSet().getId(), ontologyid=featureSet.
getOntology().getId(), name=featureSet.getLocalId(), dataurl=
featureSet.getDataUrl(), attributes=json.dumps(featureSet.
getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertFeatureSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureSet):\n try:\n models.Featureset.create(id=featureSet.getId(), datasetid=\n featureSet.getParentContainer().getId(), referencesetid=\n featureSet.getReferenceSet().getId(), ontologyid=featureSet.\n getOntology().getId(), name=featureSet.getLocalId(), dataurl=\n featureSet.getDataUrl(), attributes=json.dumps(featureSet.\n getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertFeatureSet",
"role": "assistant"
}
] |
def x(self, continuousSet):
try:
models.ContinuousSet.create(id=continuousSet.getId(), datasetid=
continuousSet.getParentContainer().getId(), referencesetid=
continuousSet.getReferenceSet().getId(), name=continuousSet.
getLocalId(), dataurl=continuousSet.getDataUrl(), attributes=
json.dumps(continuousSet.getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertContinuousSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, continuousSet):\n try:\n models.ContinuousSet.create(id=continuousSet.getId(), datasetid=\n continuousSet.getParentContainer().getId(), referencesetid=\n continuousSet.getReferenceSet().getId(), name=continuousSet.\n getLocalId(), dataurl=continuousSet.getDataUrl(), attributes=\n json.dumps(continuousSet.getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertContinuousSet",
"role": "assistant"
}
] |
def x(self, biosample):
try:
models.Biosample.create(id=biosample.getId(), datasetid=biosample.
getParentContainer().getId(), name=biosample.getLocalId(),
description=biosample.getDescription(), disease=json.dumps(
biosample.getDisease()), created=biosample.getCreated(),
updated=biosample.getUpdated(), individualid=biosample.
getIndividualId(), attributes=json.dumps(biosample.
getAttributes()), individualAgeAtCollection=json.dumps(
biosample.getIndividualAgeAtCollection()))
except Exception:
raise exceptions.DuplicateNameException(biosample.getLocalId(),
biosample.getParentContainer().getLocalId())
|
insertBiosample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, biosample):\n try:\n models.Biosample.create(id=biosample.getId(), datasetid=biosample.\n getParentContainer().getId(), name=biosample.getLocalId(),\n description=biosample.getDescription(), disease=json.dumps(\n biosample.getDisease()), created=biosample.getCreated(),\n updated=biosample.getUpdated(), individualid=biosample.\n getIndividualId(), attributes=json.dumps(biosample.\n getAttributes()), individualAgeAtCollection=json.dumps(\n biosample.getIndividualAgeAtCollection()))\n except Exception:\n raise exceptions.DuplicateNameException(biosample.getLocalId(),\n biosample.getParentContainer().getLocalId())\n",
"role": "user"
},
{
"content": "insertBiosample",
"role": "assistant"
}
] |
def x(self, individual):
try:
models.Individual.create(id=individual.getId(), datasetId=
individual.getParentContainer().getId(), name=individual.
getLocalId(), description=individual.getDescription(), created=
individual.getCreated(), updated=individual.getUpdated(),
species=json.dumps(individual.getSpecies()), sex=json.dumps(
individual.getSex()), attributes=json.dumps(individual.
getAttributes()))
except Exception:
raise exceptions.DuplicateNameException(individual.getLocalId(),
individual.getParentContainer().getLocalId())
|
insertIndividual
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, individual):\n try:\n models.Individual.create(id=individual.getId(), datasetId=\n individual.getParentContainer().getId(), name=individual.\n getLocalId(), description=individual.getDescription(), created=\n individual.getCreated(), updated=individual.getUpdated(),\n species=json.dumps(individual.getSpecies()), sex=json.dumps(\n individual.getSex()), attributes=json.dumps(individual.\n getAttributes()))\n except Exception:\n raise exceptions.DuplicateNameException(individual.getLocalId(),\n individual.getParentContainer().getLocalId())\n",
"role": "user"
},
{
"content": "insertIndividual",
"role": "assistant"
}
] |
def x(self, phenotypeAssociationSet):
datasetId = phenotypeAssociationSet.getParentContainer().getId()
attributes = json.dumps(phenotypeAssociationSet.getAttributes())
try:
models.Phenotypeassociationset.create(id=phenotypeAssociationSet.
getId(), name=phenotypeAssociationSet.getLocalId(), datasetid=
datasetId, dataurl=phenotypeAssociationSet._dataUrl, attributes
=attributes)
except Exception:
raise exceptions.DuplicateNameException(phenotypeAssociationSet.
getParentContainer().getId())
|
insertPhenotypeAssociationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, phenotypeAssociationSet):\n datasetId = phenotypeAssociationSet.getParentContainer().getId()\n attributes = json.dumps(phenotypeAssociationSet.getAttributes())\n try:\n models.Phenotypeassociationset.create(id=phenotypeAssociationSet.\n getId(), name=phenotypeAssociationSet.getLocalId(), datasetid=\n datasetId, dataurl=phenotypeAssociationSet._dataUrl, attributes\n =attributes)\n except Exception:\n raise exceptions.DuplicateNameException(phenotypeAssociationSet.\n getParentContainer().getId())\n",
"role": "user"
},
{
"content": "insertPhenotypeAssociationSet",
"role": "assistant"
}
] |
def x(self, rnaQuantificationSet):
try:
models.Rnaquantificationset.create(id=rnaQuantificationSet.getId(),
datasetid=rnaQuantificationSet.getParentContainer().getId(),
referencesetid=rnaQuantificationSet.getReferenceSet().getId(),
name=rnaQuantificationSet.getLocalId(), dataurl=
rnaQuantificationSet.getDataUrl(), attributes=json.dumps(
rnaQuantificationSet.getAttributes()))
except Exception:
raise exceptions.DuplicateNameException(rnaQuantificationSet.
getLocalId(), rnaQuantificationSet.getParentContainer().
getLocalId())
|
insertRnaQuantificationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantificationSet):\n try:\n models.Rnaquantificationset.create(id=rnaQuantificationSet.getId(),\n datasetid=rnaQuantificationSet.getParentContainer().getId(),\n referencesetid=rnaQuantificationSet.getReferenceSet().getId(),\n name=rnaQuantificationSet.getLocalId(), dataurl=\n rnaQuantificationSet.getDataUrl(), attributes=json.dumps(\n rnaQuantificationSet.getAttributes()))\n except Exception:\n raise exceptions.DuplicateNameException(rnaQuantificationSet.\n getLocalId(), rnaQuantificationSet.getParentContainer().\n getLocalId())\n",
"role": "user"
},
{
"content": "insertRnaQuantificationSet",
"role": "assistant"
}
] |
def x(self, rnaQuantificationSet):
q = models.Rnaquantificationset.delete().where(models.
Rnaquantificationset.id == rnaQuantificationSet.getId())
q.execute()
|
removeRnaQuantificationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantificationSet):\n q = models.Rnaquantificationset.delete().where(models.\n Rnaquantificationset.id == rnaQuantificationSet.getId())\n q.execute()\n",
"role": "user"
},
{
"content": "removeRnaQuantificationSet",
"role": "assistant"
}
] |
def x(self, peer):
try:
models.Peer.create(url=peer.getUrl(), attributes=json.dumps(peer.
getAttributes()))
except Exception as e:
raise exceptions.RepoManagerException(e)
|
insertPeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, peer):\n try:\n models.Peer.create(url=peer.getUrl(), attributes=json.dumps(peer.\n getAttributes()))\n except Exception as e:\n raise exceptions.RepoManagerException(e)\n",
"role": "user"
},
{
"content": "insertPeer",
"role": "assistant"
}
] |
def x(self, url):
q = models.Peer.delete().where(models.Peer.url == url)
q.execute()
|
removePeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n q = models.Peer.delete().where(models.Peer.url == url)\n q.execute()\n",
"role": "user"
},
{
"content": "removePeer",
"role": "assistant"
}
] |
def x(self):
self._checkWriteMode()
self._createSystemTable()
self._createNetworkTables()
self._createOntologyTable()
self._createReferenceSetTable()
self._createReferenceTable()
self._createDatasetTable()
self._createReadGroupSetTable()
self._createReadGroupTable()
self._createCallSetTable()
self._createVariantSetTable()
self._createVariantAnnotationSetTable()
self._createFeatureSetTable()
self._createContinuousSetTable()
self._createBiosampleTable()
self._createIndividualTable()
self._createPhenotypeAssociationSetTable()
self._createRnaQuantificationSetTable()
|
initialise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._checkWriteMode()\n self._createSystemTable()\n self._createNetworkTables()\n self._createOntologyTable()\n self._createReferenceSetTable()\n self._createReferenceTable()\n self._createDatasetTable()\n self._createReadGroupSetTable()\n self._createReadGroupTable()\n self._createCallSetTable()\n self._createVariantSetTable()\n self._createVariantAnnotationSetTable()\n self._createFeatureSetTable()\n self._createContinuousSetTable()\n self._createBiosampleTable()\n self._createIndividualTable()\n self._createPhenotypeAssociationSetTable()\n self._createRnaQuantificationSetTable()\n",
"role": "user"
},
{
"content": "initialise",
"role": "assistant"
}
] |
def x(self):
self._readSystemTable()
self._readOntologyTable()
self._readReferenceSetTable()
self._readReferenceTable()
self._readDatasetTable()
self._readReadGroupSetTable()
self._readReadGroupTable()
self._readVariantSetTable()
self._readCallSetTable()
self._readVariantAnnotationSetTable()
self._readFeatureSetTable()
self._readContinuousSetTable()
self._readBiosampleTable()
self._readIndividualTable()
self._readPhenotypeAssociationSetTable()
self._readRnaQuantificationSetTable()
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._readSystemTable()\n self._readOntologyTable()\n self._readReferenceSetTable()\n self._readReferenceTable()\n self._readDatasetTable()\n self._readReadGroupSetTable()\n self._readReadGroupTable()\n self._readVariantSetTable()\n self._readCallSetTable()\n self._readVariantAnnotationSetTable()\n self._readFeatureSetTable()\n self._readContinuousSetTable()\n self._readBiosampleTable()\n self._readIndividualTable()\n self._readPhenotypeAssociationSetTable()\n self._readRnaQuantificationSetTable()\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, featureSetRecord):
self._dbFilePath = featureSetRecord.dataurl
self.setAttributesJson(featureSetRecord.attributes)
self.populateFromFile(self._dbFilePath)
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureSetRecord):\n self._dbFilePath = featureSetRecord.dataurl\n self.setAttributesJson(featureSetRecord.attributes)\n self.populateFromFile(self._dbFilePath)\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(self, dataUrl):
self._dbFilePath = dataUrl
self._rdfGraph = rdflib.ConjunctiveGraph()
self._dataUrl = dataUrl
self._scanDataFiles(self._dataUrl, ['*.ttl'])
cgdTTL = rdflib.URIRef('http://data.monarchinitiative.org/ttl/cgd.ttl')
versionInfo = rdflib.URIRef(u'http://www.w3.org/2002/07/owl#versionInfo')
self._version = None
for _, _, obj in self._rdfGraph.triples((cgdTTL, versionInfo, None)):
self._version = obj.toPython()
self._initializeLocationCache()
|
populateFromFile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataUrl):\n self._dbFilePath = dataUrl\n self._rdfGraph = rdflib.ConjunctiveGraph()\n self._dataUrl = dataUrl\n self._scanDataFiles(self._dataUrl, ['*.ttl'])\n cgdTTL = rdflib.URIRef('http://data.monarchinitiative.org/ttl/cgd.ttl')\n versionInfo = rdflib.URIRef(u'http://www.w3.org/2002/07/owl#versionInfo')\n self._version = None\n for _, _, obj in self._rdfGraph.triples((cgdTTL, versionInfo, None)):\n self._version = obj.toPython()\n self._initializeLocationCache()\n",
"role": "user"
},
{
"content": "populateFromFile",
"role": "assistant"
}
] |
def x(self, compoundId):
feature = self._getFeatureById(compoundId.featureId)
feature.id = str(compoundId)
return feature
|
getFeature
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, compoundId):\n feature = self._getFeatureById(compoundId.featureId)\n feature.id = str(compoundId)\n return feature\n",
"role": "user"
},
{
"content": "getFeature",
"role": "assistant"
}
] |
def x(self, featureId):
featureRef = rdflib.URIRef(featureId)
featureDetails = self._detailTuples([featureRef])
feature = {}
for detail in featureDetails:
feature[detail['predicate']] = []
for detail in featureDetails:
feature[detail['predicate']].append(detail['object'])
pbFeature = protocol.Feature()
term = protocol.OntologyTerm()
for featureType in sorted(feature[TYPE]):
if 'obolibrary' in featureType:
term.term = self._featureTypeLabel(featureType)
term.term_id = featureType
pbFeature.feature_type.MergeFrom(term)
break
pbFeature.id = featureId
feature[LABEL].sort(key=len)
pbFeature.gene_symbol = feature[LABEL][0]
pbFeature.name = feature[LABEL][-1]
pbFeature.attributes.MergeFrom(protocol.Attributes())
for key in feature:
for val in sorted(feature[key]):
pbFeature.attributes.attr[key].values.add().string_value = val
if featureId in self._locationMap:
location = self._locationMap[featureId]
pbFeature.reference_name = location['chromosome']
pbFeature.start = location['begin']
pbFeature.end = location['end']
return pbFeature
|
getFeatureById
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureId):\n featureRef = rdflib.URIRef(featureId)\n featureDetails = self._detailTuples([featureRef])\n feature = {}\n for detail in featureDetails:\n feature[detail['predicate']] = []\n for detail in featureDetails:\n feature[detail['predicate']].append(detail['object'])\n pbFeature = protocol.Feature()\n term = protocol.OntologyTerm()\n for featureType in sorted(feature[TYPE]):\n if 'obolibrary' in featureType:\n term.term = self._featureTypeLabel(featureType)\n term.term_id = featureType\n pbFeature.feature_type.MergeFrom(term)\n break\n pbFeature.id = featureId\n feature[LABEL].sort(key=len)\n pbFeature.gene_symbol = feature[LABEL][0]\n pbFeature.name = feature[LABEL][-1]\n pbFeature.attributes.MergeFrom(protocol.Attributes())\n for key in feature:\n for val in sorted(feature[key]):\n pbFeature.attributes.attr[key].values.add().string_value = val\n if featureId in self._locationMap:\n location = self._locationMap[featureId]\n pbFeature.reference_name = location['chromosome']\n pbFeature.start = location['begin']\n pbFeature.end = location['end']\n return pbFeature\n",
"role": "user"
},
{
"content": "getFeatureById",
"role": "assistant"
}
] |
def x(self, reference_name, gene_symbol, name, start, end):
filters = []
query = self._baseQuery()
filters = []
location = self._findLocation(reference_name, start, end)
if location:
filters.append('?feature = <{}>'.format(location))
if gene_symbol:
filters.append('regex(?feature_label, "{}")')
if name:
filters.append('regex(?feature_label, "{}")'.format(name))
filter = 'FILTER ({})'.format(' && '.join(filters))
if len(filters) == 0:
filter = ''
query = query.replace('#%FILTER%', filter)
return query
|
filterSearchFeaturesRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference_name, gene_symbol, name, start, end):\n filters = []\n query = self._baseQuery()\n filters = []\n location = self._findLocation(reference_name, start, end)\n if location:\n filters.append('?feature = <{}>'.format(location))\n if gene_symbol:\n filters.append('regex(?feature_label, \"{}\")')\n if name:\n filters.append('regex(?feature_label, \"{}\")'.format(name))\n filter = 'FILTER ({})'.format(' && '.join(filters))\n if len(filters) == 0:\n filter = ''\n query = query.replace('#%FILTER%', filter)\n return query\n",
"role": "user"
},
{
"content": "filterSearchFeaturesRequest",
"role": "assistant"
}
] |
def x(self, reference_name, start, end):
try:
return self._locationMap['hg19'][reference_name][start][end]
except:
return None
|
findLocation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference_name, start, end):\n try:\n return self._locationMap['hg19'][reference_name][start][end]\n except:\n return None\n",
"role": "user"
},
{
"content": "findLocation",
"role": "assistant"
}
] |
def x(self):
self._locationMap = {}
locationMap = self._locationMap
triples = self._rdfGraph.triples
Ref = rdflib.URIRef
associations = []
for subj, _, _ in triples((None, RDF.type, Ref(ASSOCIATION))):
associations.append(subj.toPython())
locationIds = []
for association in associations:
for _, _, obj in triples((Ref(association), Ref(HAS_SUBJECT), None)):
locationIds.append(obj.toPython())
locations = []
for _id in locationIds:
location = {}
location['_id'] = _id
for subj, predicate, obj in triples((Ref(location['_id']), None, None)
):
if not predicate.toPython() in location:
location[predicate.toPython()] = []
bisect.insort(location[predicate.toPython()], obj.toPython())
if FALDO_LOCATION in location:
locations.append(location)
for location in locations:
for _id in location[FALDO_LOCATION]:
faldoLocation = {}
faldoLocation['_id'] = _id
for subj, predicate, obj in triples((Ref(faldoLocation['_id']),
None, None)):
if not predicate.toPython() in faldoLocation:
faldoLocation[predicate.toPython()] = []
bisect.insort(faldoLocation[predicate.toPython()], obj.
toPython())
faldoBegins = []
for _id in faldoLocation[FALDO_BEGIN]:
faldoBegin = {}
faldoBegin['_id'] = _id
for subj, predicate, obj in triples((Ref(faldoBegin['_id']),
None, None)):
faldoBegin[predicate.toPython()] = obj.toPython()
faldoBegins.append(faldoBegin)
faldoReferences = []
for _id in faldoLocation[FALDO_BEGIN]:
faldoReference = {}
faldoReference['_id'] = faldoBegin[FALDO_REFERENCE]
for subj, predicate, obj in triples((Ref(faldoReference[
'_id']), None, None)):
faldoReference[predicate.toPython()] = obj.toPython()
faldoReferences.append(faldoReference)
faldoEnds = []
for _id in faldoLocation[FALDO_END]:
faldoEnd = {}
faldoEnd['_id'] = _id
for subj, predicate, obj in triples((Ref(faldoEnd['_id']),
None, None)):
faldoEnd[predicate.toPython()] = obj.toPython()
faldoEnds.append(faldoEnd)
for idx, faldoReference in enumerate(faldoReferences):
if MEMBER_OF in faldoReference:
build = faldoReference[MEMBER_OF].split('/')[-1]
chromosome = faldoReference[LABEL].split(' ')[0]
begin = faldoBegins[idx][FALDO_POSITION]
end = faldoEnds[idx][FALDO_POSITION]
if build not in locationMap:
locationMap[build] = {}
if chromosome not in locationMap[build]:
locationMap[build][chromosome] = {}
if begin not in locationMap[build][chromosome]:
locationMap[build][chromosome][begin] = {}
if end not in locationMap[build][chromosome][begin]:
locationMap[build][chromosome][begin][end] = {}
locationMap[build][chromosome][begin][end] = location['_id'
]
locationMap[location['_id']] = {'build': build,
'chromosome': chromosome, 'begin': begin, 'end': end}
|
initializeLocationCache
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._locationMap = {}\n locationMap = self._locationMap\n triples = self._rdfGraph.triples\n Ref = rdflib.URIRef\n associations = []\n for subj, _, _ in triples((None, RDF.type, Ref(ASSOCIATION))):\n associations.append(subj.toPython())\n locationIds = []\n for association in associations:\n for _, _, obj in triples((Ref(association), Ref(HAS_SUBJECT), None)):\n locationIds.append(obj.toPython())\n locations = []\n for _id in locationIds:\n location = {}\n location['_id'] = _id\n for subj, predicate, obj in triples((Ref(location['_id']), None, None)\n ):\n if not predicate.toPython() in location:\n location[predicate.toPython()] = []\n bisect.insort(location[predicate.toPython()], obj.toPython())\n if FALDO_LOCATION in location:\n locations.append(location)\n for location in locations:\n for _id in location[FALDO_LOCATION]:\n faldoLocation = {}\n faldoLocation['_id'] = _id\n for subj, predicate, obj in triples((Ref(faldoLocation['_id']),\n None, None)):\n if not predicate.toPython() in faldoLocation:\n faldoLocation[predicate.toPython()] = []\n bisect.insort(faldoLocation[predicate.toPython()], obj.\n toPython())\n faldoBegins = []\n for _id in faldoLocation[FALDO_BEGIN]:\n faldoBegin = {}\n faldoBegin['_id'] = _id\n for subj, predicate, obj in triples((Ref(faldoBegin['_id']),\n None, None)):\n faldoBegin[predicate.toPython()] = obj.toPython()\n faldoBegins.append(faldoBegin)\n faldoReferences = []\n for _id in faldoLocation[FALDO_BEGIN]:\n faldoReference = {}\n faldoReference['_id'] = faldoBegin[FALDO_REFERENCE]\n for subj, predicate, obj in triples((Ref(faldoReference[\n '_id']), None, None)):\n faldoReference[predicate.toPython()] = obj.toPython()\n faldoReferences.append(faldoReference)\n faldoEnds = []\n for _id in faldoLocation[FALDO_END]:\n faldoEnd = {}\n faldoEnd['_id'] = _id\n for subj, predicate, obj in triples((Ref(faldoEnd['_id']),\n None, None)):\n faldoEnd[predicate.toPython()] = obj.toPython()\n faldoEnds.append(faldoEnd)\n for idx, faldoReference in enumerate(faldoReferences):\n if MEMBER_OF in faldoReference:\n build = faldoReference[MEMBER_OF].split('/')[-1]\n chromosome = faldoReference[LABEL].split(' ')[0]\n begin = faldoBegins[idx][FALDO_POSITION]\n end = faldoEnds[idx][FALDO_POSITION]\n if build not in locationMap:\n locationMap[build] = {}\n if chromosome not in locationMap[build]:\n locationMap[build][chromosome] = {}\n if begin not in locationMap[build][chromosome]:\n locationMap[build][chromosome][begin] = {}\n if end not in locationMap[build][chromosome][begin]:\n locationMap[build][chromosome][begin][end] = {}\n locationMap[build][chromosome][begin][end] = location['_id'\n ]\n locationMap[location['_id']] = {'build': build,\n 'chromosome': chromosome, 'begin': begin, 'end': end}\n",
"role": "user"
},
{
"content": "initializeLocationCache",
"role": "assistant"
}
] |
def x(self, protocolElement):
self._numElements += 1
self._bufferSize += protocolElement.ByteSize()
attr = getattr(self._protoObject, self._valueListName)
obj = attr.add()
obj.CopyFrom(protocolElement)
|
addValue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, protocolElement):\n self._numElements += 1\n self._bufferSize += protocolElement.ByteSize()\n attr = getattr(self._protoObject, self._valueListName)\n obj = attr.add()\n obj.CopyFrom(protocolElement)\n",
"role": "user"
},
{
"content": "addValue",
"role": "assistant"
}
] |
def x(self):
return (self._pageSize > 0 and self._numElements >= self._pageSize or
self._bufferSize >= self._maxBufferSize)
|
isFull
|
[
{
"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._pageSize > 0 and self._numElements >= self._pageSize or \n self._bufferSize >= self._maxBufferSize)\n",
"role": "user"
},
{
"content": "isFull",
"role": "assistant"
}
] |
def x(self):
self._protoObject.next_page_token = pb.string(self._nextPageToken)
s = protocol.toJson(self._protoObject)
return s
|
getSerializedResponse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._protoObject.next_page_token = pb.string(self._nextPageToken)\n s = protocol.toJson(self._protoObject)\n return s\n",
"role": "user"
},
{
"content": "getSerializedResponse",
"role": "assistant"
}
] |
def x(self, ontologyRecord):
self._id = ontologyRecord.id
self._dataUrl = ontologyRecord.dataurl
self._readFile()
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ontologyRecord):\n self._id = ontologyRecord.id\n self._dataUrl = ontologyRecord.dataurl\n self._readFile()\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(self, name):
termIds = self.getTermIds(name)
if len(termIds) == 0:
termId = ''
else:
termId = termIds[0]
term = protocol.OntologyTerm()
term.term = name
term.term_id = termId
return term
|
getGaTermByName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n termIds = self.getTermIds(name)\n if len(termIds) == 0:\n termId = ''\n else:\n termId = termIds[0]\n term = protocol.OntologyTerm()\n term.term = name\n term.term_id = termId\n return term\n",
"role": "user"
},
{
"content": "getGaTermByName",
"role": "assistant"
}
] |
def x(variantSetId, callSetIds):
request = protocol.SearchVariantsRequest()
request.reference_name = '2'
request.variant_set_id = variantSetId
for callSetId in callSetIds:
request.call_set_ids.add(callSetId)
request.page_size = 100
request.end = 100000
return request
|
heavyQuery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variantSetId, callSetIds):\n request = protocol.SearchVariantsRequest()\n request.reference_name = '2'\n request.variant_set_id = variantSetId\n for callSetId in callSetIds:\n request.call_set_ids.add(callSetId)\n request.page_size = 100\n request.end = 100000\n return request\n",
"role": "user"
},
{
"content": "heavyQuery",
"role": "assistant"
}
] |
def x(queryString):
startTime = time.clock()
resultString = backend.runSearchVariants(queryString)
endTime = time.clock()
elapsedTime = endTime - startTime
return resultString, elapsedTime
|
timeOneSearch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(queryString):\n startTime = time.clock()\n resultString = backend.runSearchVariants(queryString)\n endTime = time.clock()\n elapsedTime = endTime - startTime\n return resultString, elapsedTime\n",
"role": "user"
},
{
"content": "timeOneSearch",
"role": "assistant"
}
] |
def x(request, repeatLimit=3, pageLimit=3):
times = []
queryString = protocol.toJson(request)
for i in range(0, repeatLimit):
resultString, elapsedTime = timeOneSearch(queryString)
accruedTime = elapsedTime
pageCount = 1
token = extractNextPageToken(resultString)
while token is not None and pageCount < pageLimit:
pageRequest = request
pageRequest.page_token = token
pageRequestString = protocol.toJson(pageRequest)
resultString, elapsedTime = timeOneSearch(pageRequestString)
accruedTime += elapsedTime
pageCount = pageCount + 1
token = extractNextPageToken(resultString)
times.append(accruedTime)
return min(times)
|
benchmarkOneQuery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, repeatLimit=3, pageLimit=3):\n times = []\n queryString = protocol.toJson(request)\n for i in range(0, repeatLimit):\n resultString, elapsedTime = timeOneSearch(queryString)\n accruedTime = elapsedTime\n pageCount = 1\n token = extractNextPageToken(resultString)\n while token is not None and pageCount < pageLimit:\n pageRequest = request\n pageRequest.page_token = token\n pageRequestString = protocol.toJson(pageRequest)\n resultString, elapsedTime = timeOneSearch(pageRequestString)\n accruedTime += elapsedTime\n pageCount = pageCount + 1\n token = extractNextPageToken(resultString)\n times.append(accruedTime)\n return min(times)\n",
"role": "user"
},
{
"content": "benchmarkOneQuery",
"role": "assistant"
}
] |
def x(errorCode):
classMap = {}
for name, class_ in inspect.getmembers(sys.modules[__name__]):
if inspect.isclass(class_) and issubclass(class_, BaseServerException):
classMap[class_.getErrorCode()] = class_
return classMap[errorCode]
|
getExceptionClass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(errorCode):\n classMap = {}\n for name, class_ in inspect.getmembers(sys.modules[__name__]):\n if inspect.isclass(class_) and issubclass(class_, BaseServerException):\n classMap[class_.getErrorCode()] = class_\n return classMap[errorCode]\n",
"role": "user"
},
{
"content": "getExceptionClass",
"role": "assistant"
}
] |
def x(self):
error = protocol.GAException()
error.error_code = self.getErrorCode()
error.message = self.getMessage()
return error
|
toProtocolElement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n error = protocol.GAException()\n error.error_code = self.getErrorCode()\n error.message = self.getMessage()\n return error\n",
"role": "user"
},
{
"content": "toProtocolElement",
"role": "assistant"
}
] |
def x(self, rec_curr, name, lnum):
if rec_curr is None:
return GOTerm()
msg = 'PREVIOUS {REC} WAS NOT TERMINATED AS EXPECTED'.format(REC=name)
self._die(msg, lnum)
|
init_goterm_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rec_curr, name, lnum):\n if rec_curr is None:\n return GOTerm()\n msg = 'PREVIOUS {REC} WAS NOT TERMINATED AS EXPECTED'.format(REC=name)\n self._die(msg, lnum)\n",
"role": "user"
},
{
"content": "init_goterm_ref",
"role": "assistant"
}
] |
def x(self, typedef_curr, name, lnum):
if typedef_curr is None:
return TypeDef()
msg = 'PREVIOUS {REC} WAS NOT TERMINATED AS EXPECTED'.format(REC=name)
self._die(msg, lnum)
|
init_typedef
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, typedef_curr, name, lnum):\n if typedef_curr is None:\n return TypeDef()\n msg = 'PREVIOUS {REC} WAS NOT TERMINATED AS EXPECTED'.format(REC=name)\n self._die(msg, lnum)\n",
"role": "user"
},
{
"content": "init_typedef",
"role": "assistant"
}
] |
def x(self, rec_curr, line, lnum):
mtch = re.match('^(\\S+):\\s*(\\S.*)$', line)
if mtch:
field_name = mtch.group(1)
field_value = mtch.group(2)
if field_name == 'id':
self._chk_none(rec_curr.id, lnum)
rec_curr.id = field_value
elif field_name == 'alt_id':
rec_curr.alt_ids.append(field_value)
elif field_name == 'name':
self._chk_none(rec_curr.name, lnum)
rec_curr.name = field_value
elif field_name == 'namespace':
self._chk_none(rec_curr.namespace, lnum)
rec_curr.namespace = field_value
elif field_name == 'is_a':
rec_curr._parents.append(field_value.split()[0])
elif field_name == 'is_obsolete' and field_value == 'true':
rec_curr.is_obsolete = True
elif field_name in self.optional_attrs:
self.update_rec(rec_curr, field_name, field_value)
else:
self._die('UNEXPECTED FIELD CONTENT: {L}\n'.format(L=line), lnum)
|
add_to_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rec_curr, line, lnum):\n mtch = re.match('^(\\\\S+):\\\\s*(\\\\S.*)$', line)\n if mtch:\n field_name = mtch.group(1)\n field_value = mtch.group(2)\n if field_name == 'id':\n self._chk_none(rec_curr.id, lnum)\n rec_curr.id = field_value\n elif field_name == 'alt_id':\n rec_curr.alt_ids.append(field_value)\n elif field_name == 'name':\n self._chk_none(rec_curr.name, lnum)\n rec_curr.name = field_value\n elif field_name == 'namespace':\n self._chk_none(rec_curr.namespace, lnum)\n rec_curr.namespace = field_value\n elif field_name == 'is_a':\n rec_curr._parents.append(field_value.split()[0])\n elif field_name == 'is_obsolete' and field_value == 'true':\n rec_curr.is_obsolete = True\n elif field_name in self.optional_attrs:\n self.update_rec(rec_curr, field_name, field_value)\n else:\n self._die('UNEXPECTED FIELD CONTENT: {L}\\n'.format(L=line), lnum)\n",
"role": "user"
},
{
"content": "add_to_ref",
"role": "assistant"
}
] |
def x(self, rec, name, value):
if name == 'def':
name = 'defn'
if hasattr(rec, name):
if name not in self.attrs_scalar:
if name not in self.attrs_nested:
getattr(rec, name).add(value)
else:
self._add_nested(rec, name, value)
else:
raise Exception('ATTR({NAME}) ALREADY SET({VAL})'.format(NAME=
name, VAL=getattr(rec, name)))
elif name in self.attrs_scalar:
setattr(rec, name, value)
elif name not in self.attrs_nested:
setattr(rec, name, set([value]))
else:
name = '_{:s}'.format(name)
setattr(rec, name, defaultdict(list))
self._add_nested(rec, name, value)
|
update_rec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rec, name, value):\n if name == 'def':\n name = 'defn'\n if hasattr(rec, name):\n if name not in self.attrs_scalar:\n if name not in self.attrs_nested:\n getattr(rec, name).add(value)\n else:\n self._add_nested(rec, name, value)\n else:\n raise Exception('ATTR({NAME}) ALREADY SET({VAL})'.format(NAME=\n name, VAL=getattr(rec, name)))\n elif name in self.attrs_scalar:\n setattr(rec, name, value)\n elif name not in self.attrs_nested:\n setattr(rec, name, set([value]))\n else:\n name = '_{:s}'.format(name)\n setattr(rec, name, defaultdict(list))\n self._add_nested(rec, name, value)\n",
"role": "user"
},
{
"content": "update_rec",
"role": "assistant"
}
] |
def x(self, typedef_curr, line, lnum):
mtch = re.match('^(\\S+):\\s*(\\S.*)$', line)
if mtch:
field_name = mtch.group(1)
field_value = mtch.group(2).split('!')[0].rstrip()
if field_name == 'id':
self._chk_none(typedef_curr.id, lnum)
typedef_curr.id = field_value
elif field_name == 'name':
self._chk_none(typedef_curr.name, lnum)
typedef_curr.name = field_value
elif field_name == 'transitive_over':
typedef_curr.transitive_over.append(field_value)
elif field_name == 'inverse_of':
self._chk_none(typedef_curr.inverse_of, lnum)
typedef_curr.inverse_of = field_value
else:
self._die('UNEXPECTED FIELD CONTENT: {L}\n'.format(L=line), lnum)
|
add_to_typedef
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, typedef_curr, line, lnum):\n mtch = re.match('^(\\\\S+):\\\\s*(\\\\S.*)$', line)\n if mtch:\n field_name = mtch.group(1)\n field_value = mtch.group(2).split('!')[0].rstrip()\n if field_name == 'id':\n self._chk_none(typedef_curr.id, lnum)\n typedef_curr.id = field_value\n elif field_name == 'name':\n self._chk_none(typedef_curr.name, lnum)\n typedef_curr.name = field_value\n elif field_name == 'transitive_over':\n typedef_curr.transitive_over.append(field_value)\n elif field_name == 'inverse_of':\n self._chk_none(typedef_curr.inverse_of, lnum)\n typedef_curr.inverse_of = field_value\n else:\n self._die('UNEXPECTED FIELD CONTENT: {L}\\n'.format(L=line), lnum)\n",
"role": "user"
},
{
"content": "add_to_typedef",
"role": "assistant"
}
] |
def x(self, rec, name, value):
typedef, target_term = value.split('!')[0].rstrip().split(' ')
getattr(rec, name)[typedef].append(target_term)
|
add_nested
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rec, name, value):\n typedef, target_term = value.split('!')[0].rstrip().split(' ')\n getattr(rec, name)[typedef].append(target_term)\n",
"role": "user"
},
{
"content": "add_nested",
"role": "assistant"
}
] |
def x(self, optional_attrs):
self.attrs_req = ['id', 'alt_id', 'name', 'namespace', 'is_a',
'is_obsolete']
self.attrs_scalar = ['comment', 'defn', 'is_class_level',
'is_metadata_tag', 'is_transitive', 'transitive_over']
self.attrs_nested = frozenset(['relationship'])
fnc = lambda aopt: aopt if aopt != 'defn' else 'def'
if optional_attrs is None:
optional_attrs = []
elif isinstance(optional_attrs, str):
optional_attrs = [fnc(optional_attrs)
] if optional_attrs not in self.attrs_req else []
elif isinstance(optional_attrs, list) or isinstance(optional_attrs, set):
optional_attrs = set([fnc(f) for f in optional_attrs if f not in
self.attrs_req])
else:
raise Exception('optional_attrs arg MUST BE A str, list, or set.')
self.optional_attrs = optional_attrs
|
init_optional_attrs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, optional_attrs):\n self.attrs_req = ['id', 'alt_id', 'name', 'namespace', 'is_a',\n 'is_obsolete']\n self.attrs_scalar = ['comment', 'defn', 'is_class_level',\n 'is_metadata_tag', 'is_transitive', 'transitive_over']\n self.attrs_nested = frozenset(['relationship'])\n fnc = lambda aopt: aopt if aopt != 'defn' else 'def'\n if optional_attrs is None:\n optional_attrs = []\n elif isinstance(optional_attrs, str):\n optional_attrs = [fnc(optional_attrs)\n ] if optional_attrs not in self.attrs_req else []\n elif isinstance(optional_attrs, list) or isinstance(optional_attrs, set):\n optional_attrs = set([fnc(f) for f in optional_attrs if f not in\n self.attrs_req])\n else:\n raise Exception('optional_attrs arg MUST BE A str, list, or set.')\n self.optional_attrs = optional_attrs\n",
"role": "user"
},
{
"content": "init_optional_attrs",
"role": "assistant"
}
] |
def x(self, msg, lnum):
raise Exception('**FATAL {FILE}({LNUM}): {MSG}\n'.format(FILE=self.
obo_file, LNUM=lnum, MSG=msg))
|
die
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, lnum):\n raise Exception('**FATAL {FILE}({LNUM}): {MSG}\\n'.format(FILE=self.\n obo_file, LNUM=lnum, MSG=msg))\n",
"role": "user"
},
{
"content": "die",
"role": "assistant"
}
] |
def x(self, gos_printed, out=sys.stdout, len_dash=1, max_depth=None,
num_child=None, short_prt=False, include_only=None, go_marks=None,
depth=1, dp='-'):
GO_id = self.id
if include_only is not None and GO_id not in include_only:
return
nrp = short_prt and GO_id in gos_printed
if go_marks is not None:
out.write('{} '.format('>' if GO_id in go_marks else ' '))
if len_dash is not None:
letter = '-' if not nrp or not self.children else '='
dp = ''.join([letter] * depth)
out.write('{DASHES:{N}} '.format(DASHES=dp, N=len_dash))
if num_child is not None:
out.write('{N:>5} '.format(N=len(self.get_all_children())))
out.write('{GO}\tL-{L:>02}\tD-{D:>02}\t{desc}\n'.format(GO=self.id, L=
self.level, D=self.depth, desc=self.name))
if short_prt:
gos_printed.add(GO_id)
if nrp:
return
depth += 1
if max_depth is not None and depth > max_depth:
return
for p in self.children:
p.write_hier_rec(gos_printed, out, len_dash, max_depth, num_child,
short_prt, include_only, go_marks, depth, dp)
|
write_hier_rec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gos_printed, out=sys.stdout, len_dash=1, max_depth=None,\n num_child=None, short_prt=False, include_only=None, go_marks=None,\n depth=1, dp='-'):\n GO_id = self.id\n if include_only is not None and GO_id not in include_only:\n return\n nrp = short_prt and GO_id in gos_printed\n if go_marks is not None:\n out.write('{} '.format('>' if GO_id in go_marks else ' '))\n if len_dash is not None:\n letter = '-' if not nrp or not self.children else '='\n dp = ''.join([letter] * depth)\n out.write('{DASHES:{N}} '.format(DASHES=dp, N=len_dash))\n if num_child is not None:\n out.write('{N:>5} '.format(N=len(self.get_all_children())))\n out.write('{GO}\\tL-{L:>02}\\tD-{D:>02}\\t{desc}\\n'.format(GO=self.id, L=\n self.level, D=self.depth, desc=self.name))\n if short_prt:\n gos_printed.add(GO_id)\n if nrp:\n return\n depth += 1\n if max_depth is not None and depth > max_depth:\n return\n for p in self.children:\n p.write_hier_rec(gos_printed, out, len_dash, max_depth, num_child,\n short_prt, include_only, go_marks, depth, dp)\n",
"role": "user"
},
{
"content": "write_hier_rec",
"role": "assistant"
}
] |
def x(self, out=sys.stdout, len_dash=1, max_depth=None, num_child=None,
short_prt=False):
for go_id in ['GO:0008150', 'GO:0003674', 'GO:0005575']:
self.write_hier(go_id, out, len_dash, max_depth, num_child,
short_prt, None)
|
write_hier_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, out=sys.stdout, len_dash=1, max_depth=None, num_child=None,\n short_prt=False):\n for go_id in ['GO:0008150', 'GO:0003674', 'GO:0005575']:\n self.write_hier(go_id, out, len_dash, max_depth, num_child,\n short_prt, None)\n",
"role": "user"
},
{
"content": "write_hier_all",
"role": "assistant"
}
] |
def x(self, GO_id, out=sys.stdout, len_dash=1, max_depth=None, num_child=
None, short_prt=False, include_only=None, go_marks=None):
gos_printed = set()
self[GO_id].write_hier_rec(gos_printed, out, len_dash, max_depth,
num_child, short_prt, include_only, go_marks)
|
write_hier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, GO_id, out=sys.stdout, len_dash=1, max_depth=None, num_child=\n None, short_prt=False, include_only=None, go_marks=None):\n gos_printed = set()\n self[GO_id].write_hier_rec(gos_printed, out, len_dash, max_depth,\n num_child, short_prt, include_only, go_marks)\n",
"role": "user"
},
{
"content": "write_hier",
"role": "assistant"
}
] |
def x(self, term):
if term not in self:
print('Term %s not found!' % term, file=sys.stderr)
return
def x(rec):
if rec.level == 0:
return [[rec]]
paths = []
for parent in rec.parents:
top_paths = _paths_to_top_recursive(parent)
for top_path in top_paths:
top_path.append(rec)
paths.append(top_path)
return paths
go_term = self[term]
return _paths_to_top_recursive(go_term)
|
paths_to_top
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term):\n if term not in self:\n print('Term %s not found!' % term, file=sys.stderr)\n return\n\n def x(rec):\n if rec.level == 0:\n return [[rec]]\n paths = []\n for parent in rec.parents:\n top_paths = _paths_to_top_recursive(parent)\n for top_path in top_paths:\n top_path.append(rec)\n paths.append(top_path)\n return paths\n go_term = self[term]\n return _paths_to_top_recursive(go_term)\n",
"role": "user"
},
{
"content": "paths_to_top",
"role": "assistant"
}
] |
def x(self, recs, nodecolor, edgecolor, dpi, draw_parents=True,
draw_children=True):
import pydot
G = pydot.Dot(graph_type='digraph', dpi='{}'.format(dpi))
edgeset = set()
usr_ids = [rec.id for rec in recs]
for rec in recs:
if draw_parents:
edgeset.update(rec.get_all_parent_edges())
if draw_children:
edgeset.update(rec.get_all_child_edges())
lw = self._label_wrap
rec_id_set = set([rec_id for endpts in edgeset for rec_id in endpts])
nodes = {str(ID): pydot.Node(lw(ID).replace('GO:', ''), shape='box',
style='rounded, filled', fillcolor='beige' if ID not in usr_ids else
'plum', color=nodecolor) for ID in rec_id_set}
for rec_id, node in nodes.items():
G.add_node(node)
for src, target in edgeset:
G.add_edge(pydot.Edge(nodes[target], nodes[src], shape='normal',
color=edgecolor, label='is_a', dir='back'))
return G
|
make_graph_pydot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, recs, nodecolor, edgecolor, dpi, draw_parents=True,\n draw_children=True):\n import pydot\n G = pydot.Dot(graph_type='digraph', dpi='{}'.format(dpi))\n edgeset = set()\n usr_ids = [rec.id for rec in recs]\n for rec in recs:\n if draw_parents:\n edgeset.update(rec.get_all_parent_edges())\n if draw_children:\n edgeset.update(rec.get_all_child_edges())\n lw = self._label_wrap\n rec_id_set = set([rec_id for endpts in edgeset for rec_id in endpts])\n nodes = {str(ID): pydot.Node(lw(ID).replace('GO:', ''), shape='box',\n style='rounded, filled', fillcolor='beige' if ID not in usr_ids else\n 'plum', color=nodecolor) for ID in rec_id_set}\n for rec_id, node in nodes.items():\n G.add_node(node)\n for src, target in edgeset:\n G.add_edge(pydot.Edge(nodes[target], nodes[src], shape='normal',\n color=edgecolor, label='is_a', dir='back'))\n return G\n",
"role": "user"
},
{
"content": "make_graph_pydot",
"role": "assistant"
}
] |
def x(sqliteRows):
return map(lambda r: dict(zip(r.keys(), r)), sqliteRows)
|
sqliteRowsToDicts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sqliteRows):\n return map(lambda r: dict(zip(r.keys(), r)), sqliteRows)\n",
"role": "user"
},
{
"content": "sqliteRowsToDicts",
"role": "assistant"
}
] |
def x(startIndex=0, maxResults=0):
if startIndex and maxResults:
return ' LIMIT {}, {}'.format(startIndex, maxResults)
elif startIndex:
raise Exception('startIndex was provided, but maxResults was not')
elif maxResults:
return ' LIMIT {}'.format(maxResults)
else:
return ''
|
limitsSql
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(startIndex=0, maxResults=0):\n if startIndex and maxResults:\n return ' LIMIT {}, {}'.format(startIndex, maxResults)\n elif startIndex:\n raise Exception('startIndex was provided, but maxResults was not')\n elif maxResults:\n return ' LIMIT {}'.format(maxResults)\n else:\n return ''\n",
"role": "user"
},
{
"content": "limitsSql",
"role": "assistant"
}
] |
def x(query, batchSize=default_batch_size):
while True:
rows = query.fetchmany(batchSize)
if not rows:
break
rowDicts = sqliteRowsToDicts(rows)
for rowDict in rowDicts:
yield rowDict
|
iterativeFetch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, batchSize=default_batch_size):\n while True:\n rows = query.fetchmany(batchSize)\n if not rows:\n break\n rowDicts = sqliteRowsToDicts(rows)\n for rowDict in rowDicts:\n yield rowDict\n",
"role": "user"
},
{
"content": "iterativeFetch",
"role": "assistant"
}
] |
def x(pageToken, numValues):
tokens = pageToken.split(':')
if len(tokens) != numValues:
msg = 'Invalid number of values in page token'
raise exceptions.BadPageTokenException(msg)
try:
values = map(int, tokens)
except ValueError:
msg = 'Malformed integers in page token'
raise exceptions.BadPageTokenException(msg)
return values
|
parsePageToken
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pageToken, numValues):\n tokens = pageToken.split(':')\n if len(tokens) != numValues:\n msg = 'Invalid number of values in page token'\n raise exceptions.BadPageTokenException(msg)\n try:\n values = map(int, tokens)\n except ValueError:\n msg = 'Malformed integers in page token'\n raise exceptions.BadPageTokenException(msg)\n return values\n",
"role": "user"
},
{
"content": "parsePageToken",
"role": "assistant"
}
] |
def x(args, key, defaultValue):
ret = defaultValue
try:
if key in args:
try:
ret = int(args[key])
except ValueError:
raise exceptions.BadRequestIntegerException(key, args[key])
except TypeError:
raise Exception((key, args))
return ret
|
parseIntegerArgument
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, key, defaultValue):\n ret = defaultValue\n try:\n if key in args:\n try:\n ret = int(args[key])\n except ValueError:\n raise exceptions.BadRequestIntegerException(key, args[key])\n except TypeError:\n raise Exception((key, args))\n return ret\n",
"role": "user"
},
{
"content": "parseIntegerArgument",
"role": "assistant"
}
] |
def x(self):
self._searchIterator = self._search(self._request.start, self._request.
end if self._request.end != 0 else None)
self._currentObject = next(self._searchIterator, None)
if self._currentObject is not None:
self._nextObject = next(self._searchIterator, None)
self._searchAnchor = self._request.start
self._distanceFromAnchor = 0
firstObjectStart = self._getStart(self._currentObject)
if firstObjectStart > self._request.start:
self._searchAnchor = firstObjectStart
|
initialiseIteration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._searchIterator = self._search(self._request.start, self._request.\n end if self._request.end != 0 else None)\n self._currentObject = next(self._searchIterator, None)\n if self._currentObject is not None:\n self._nextObject = next(self._searchIterator, None)\n self._searchAnchor = self._request.start\n self._distanceFromAnchor = 0\n firstObjectStart = self._getStart(self._currentObject)\n if firstObjectStart > self._request.start:\n self._searchAnchor = firstObjectStart\n",
"role": "user"
},
{
"content": "initialiseIteration",
"role": "assistant"
}
] |
def x(self, searchAnchor, objectsToSkip):
self._searchAnchor = searchAnchor
self._distanceFromAnchor = objectsToSkip
self._searchIterator = self._search(searchAnchor, self._request.end if
self._request.end != 0 else None)
obj = next(self._searchIterator)
if searchAnchor == self._request.start:
for _ in range(objectsToSkip):
obj = next(self._searchIterator)
else:
while self._getStart(obj) < searchAnchor:
obj = next(self._searchIterator)
for _ in range(objectsToSkip):
if self._getStart(obj) != searchAnchor:
raise exceptions.BadPageTokenException
obj = next(self._searchIterator)
self._currentObject = obj
self._nextObject = next(self._searchIterator, None)
|
pickUpIteration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, searchAnchor, objectsToSkip):\n self._searchAnchor = searchAnchor\n self._distanceFromAnchor = objectsToSkip\n self._searchIterator = self._search(searchAnchor, self._request.end if \n self._request.end != 0 else None)\n obj = next(self._searchIterator)\n if searchAnchor == self._request.start:\n for _ in range(objectsToSkip):\n obj = next(self._searchIterator)\n else:\n while self._getStart(obj) < searchAnchor:\n obj = next(self._searchIterator)\n for _ in range(objectsToSkip):\n if self._getStart(obj) != searchAnchor:\n raise exceptions.BadPageTokenException\n obj = next(self._searchIterator)\n self._currentObject = obj\n self._nextObject = next(self._searchIterator, None)\n",
"role": "user"
},
{
"content": "pickUpIteration",
"role": "assistant"
}
] |
def x(self):
if self._currentObject is None:
raise StopIteration()
nextPageToken = None
if self._nextObject is not None:
start = self._getStart(self._nextObject)
if start > self._searchAnchor:
self._searchAnchor = start
self._distanceFromAnchor = 0
else:
self._distanceFromAnchor += 1
nextPageToken = '{}:{}'.format(self._searchAnchor, self.
_distanceFromAnchor)
ret = self._extractProtocolObject(self._currentObject), nextPageToken
self._currentObject = self._nextObject
self._nextObject = next(self._searchIterator, None)
return ret
|
next
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._currentObject is None:\n raise StopIteration()\n nextPageToken = None\n if self._nextObject is not None:\n start = self._getStart(self._nextObject)\n if start > self._searchAnchor:\n self._searchAnchor = start\n self._distanceFromAnchor = 0\n else:\n self._distanceFromAnchor += 1\n nextPageToken = '{}:{}'.format(self._searchAnchor, self.\n _distanceFromAnchor)\n ret = self._extractProtocolObject(self._currentObject), nextPageToken\n self._currentObject = self._nextObject\n self._nextObject = next(self._searchIterator, None)\n return ret\n",
"role": "user"
},
{
"content": "next",
"role": "assistant"
}
] |
def x(self, vann):
ret = False
if len(self._effects) != 0 and not vann.transcript_effects:
return False
elif len(self._effects) == 0:
return True
for teff in vann.transcript_effects:
if self.filterEffect(teff):
ret = True
return ret
|
filterVariantAnnotation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vann):\n ret = False\n if len(self._effects) != 0 and not vann.transcript_effects:\n return False\n elif len(self._effects) == 0:\n return True\n for teff in vann.transcript_effects:\n if self.filterEffect(teff):\n ret = True\n return ret\n",
"role": "user"
},
{
"content": "filterVariantAnnotation",
"role": "assistant"
}
] |
def x(self, teff):
ret = False
for effect in teff.effects:
ret = self._matchAnyEffects(effect) or ret
return ret
|
filterEffect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, teff):\n ret = False\n for effect in teff.effects:\n ret = self._matchAnyEffects(effect) or ret\n return ret\n",
"role": "user"
},
{
"content": "filterEffect",
"role": "assistant"
}
] |
def x(self, requestedEffect, effect):
return self._idPresent(requestedEffect
) and effect.term_id == requestedEffect.term_id
|
checkIdEquality
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, requestedEffect, effect):\n return self._idPresent(requestedEffect\n ) and effect.term_id == requestedEffect.term_id\n",
"role": "user"
},
{
"content": "checkIdEquality",
"role": "assistant"
}
] |
def x():
path = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
sys.path.append(path)
|
ga4ghImportGlue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n path = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))\n sys.path.append(path)\n",
"role": "user"
},
{
"content": "ga4ghImportGlue",
"role": "assistant"
}
] |
def x(self, dataFile, handle):
self._cache.remove((dataFile, handle))
self._add(dataFile, handle)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataFile, handle):\n self._cache.remove((dataFile, handle))\n self._add(dataFile, handle)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
dataFile, handle = self._cache.pop()
handle.close()
return dataFile
|
removeLru
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dataFile, handle = self._cache.pop()\n handle.close()\n return dataFile\n",
"role": "user"
},
{
"content": "removeLru",
"role": "assistant"
}
] |
def x(self, dataFile, openMethod):
if dataFile in self._memoTable:
handle = self._memoTable[dataFile]
self._update(dataFile, handle)
return handle
else:
try:
handle = openMethod(dataFile)
except ValueError:
raise exceptions.FileOpenFailedException(dataFile)
self._memoTable[dataFile] = handle
self._add(dataFile, handle)
if len(self._memoTable) > self._maxCacheSize:
dataFile = self._removeLru()
del self._memoTable[dataFile]
return handle
|
getFileHandle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataFile, openMethod):\n if dataFile in self._memoTable:\n handle = self._memoTable[dataFile]\n self._update(dataFile, handle)\n return handle\n else:\n try:\n handle = openMethod(dataFile)\n except ValueError:\n raise exceptions.FileOpenFailedException(dataFile)\n self._memoTable[dataFile] = handle\n self._add(dataFile, handle)\n if len(self._memoTable) > self._maxCacheSize:\n dataFile = self._removeLru()\n del self._memoTable[dataFile]\n return handle\n",
"role": "user"
},
{
"content": "getFileHandle",
"role": "assistant"
}
] |
def x(cls, splits):
segments = []
for split in splits:
segments.append('"{}",'.format(split))
if len(segments) > 0:
segments[-1] = segments[-1][:-1]
jsonString = '[{}]'.format(''.join(segments))
return jsonString
|
join
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, splits):\n segments = []\n for split in splits:\n segments.append('\"{}\",'.format(split))\n if len(segments) > 0:\n segments[-1] = segments[-1][:-1]\n jsonString = '[{}]'.format(''.join(segments))\n return jsonString\n",
"role": "user"
},
{
"content": "join",
"role": "assistant"
}
] |
def x(cls, compoundIdStr):
if not isinstance(compoundIdStr, basestring):
raise exceptions.BadIdentifierException(compoundIdStr)
try:
deobfuscated = cls.deobfuscate(compoundIdStr)
except TypeError:
raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)
try:
encodedSplits = cls.split(deobfuscated)
splits = [cls.decode(split) for split in encodedSplits]
except (UnicodeDecodeError, ValueError):
raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)
fieldsLength = len(cls.fields)
if cls.differentiator is not None:
differentiatorIndex = cls.fields.index(cls.differentiatorFieldName)
if differentiatorIndex < len(splits):
del splits[differentiatorIndex]
else:
raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)
fieldsLength -= 1
if len(splits) != fieldsLength:
raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)
return cls(None, *splits)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, compoundIdStr):\n if not isinstance(compoundIdStr, basestring):\n raise exceptions.BadIdentifierException(compoundIdStr)\n try:\n deobfuscated = cls.deobfuscate(compoundIdStr)\n except TypeError:\n raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)\n try:\n encodedSplits = cls.split(deobfuscated)\n splits = [cls.decode(split) for split in encodedSplits]\n except (UnicodeDecodeError, ValueError):\n raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)\n fieldsLength = len(cls.fields)\n if cls.differentiator is not None:\n differentiatorIndex = cls.fields.index(cls.differentiatorFieldName)\n if differentiatorIndex < len(splits):\n del splits[differentiatorIndex]\n else:\n raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)\n fieldsLength -= 1\n if len(splits) != fieldsLength:\n raise exceptions.ObjectWithIdNotFoundException(compoundIdStr)\n return cls(None, *splits)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(cls, idStr):
return unicode(base64.urlsafe_b64encode(idStr.encode('utf-8')).replace(
b'=', b''))
|
obfuscate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, idStr):\n return unicode(base64.urlsafe_b64encode(idStr.encode('utf-8')).replace(\n b'=', b''))\n",
"role": "user"
},
{
"content": "obfuscate",
"role": "assistant"
}
] |
def x(cls, data):
return base64.urlsafe_b64decode(str(data + b'A=='[(len(data) - 1) % 4:]))
|
deobfuscate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, data):\n return base64.urlsafe_b64decode(str(data + b'A=='[(len(data) - 1) % 4:]))\n",
"role": "user"
},
{
"content": "deobfuscate",
"role": "assistant"
}
] |
def x(self, msg):
attributes = self.getAttributes()
for key in attributes:
protocol.setAttribute(msg.attributes.attr[key].values, attributes[key])
return msg
|
serializeAttributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n attributes = self.getAttributes()\n for key in attributes:\n protocol.setAttribute(msg.attributes.attr[key].values, attributes[key])\n return msg\n",
"role": "user"
},
{
"content": "serializeAttributes",
"role": "assistant"
}
] |
def x(self, dataDir, patterns):
numDataFiles = 0
for pattern in patterns:
scanPath = os.path.join(dataDir, pattern)
for filename in glob.glob(scanPath):
self._addDataFile(filename)
numDataFiles += 1
if numDataFiles == 0:
raise exceptions.EmptyDirException(dataDir, patterns)
|
scanDataFiles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataDir, patterns):\n numDataFiles = 0\n for pattern in patterns:\n scanPath = os.path.join(dataDir, pattern)\n for filename in glob.glob(scanPath):\n self._addDataFile(filename)\n numDataFiles += 1\n if numDataFiles == 0:\n raise exceptions.EmptyDirException(dataDir, patterns)\n",
"role": "user"
},
{
"content": "scanDataFiles",
"role": "assistant"
}
] |
def x(filePath, logger=None):
ret = []
with open(filePath) as textFile:
ret = textFile.readlines()
if len(ret) == 0:
if logger:
logger.warn(
"Couldn't load the initial peer list. Try adding a file named 'initial_peers.txt' to {}"
.format(os.getcwd()))
return filter(lambda x: x != '' and not x.find('#') != -1, ret)
|
getInitialPeerList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filePath, logger=None):\n ret = []\n with open(filePath) as textFile:\n ret = textFile.readlines()\n if len(ret) == 0:\n if logger:\n logger.warn(\n \"Couldn't load the initial peer list. Try adding a file named 'initial_peers.txt' to {}\"\n .format(os.getcwd()))\n return filter(lambda x: x != '' and not x.find('#') != -1, ret)\n",
"role": "user"
},
{
"content": "getInitialPeerList",
"role": "assistant"
}
] |
def x(dataRepository, url, logger=None):
insertPeer = dataRepository.insertPeer
try:
peer = datamodel.peers.Peer(url)
insertPeer(peer)
except exceptions.RepoManagerException as exc:
if logger:
logger.debug('Peer already in registry {} {}'.format(peer.
getUrl(), exc))
except exceptions.BadUrlException as exc:
if logger:
logger.debug('A URL in the initial peer list {} was malformed. {}'
.format(url), exc)
|
insertInitialPeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dataRepository, url, logger=None):\n insertPeer = dataRepository.insertPeer\n try:\n peer = datamodel.peers.Peer(url)\n insertPeer(peer)\n except exceptions.RepoManagerException as exc:\n if logger:\n logger.debug('Peer already in registry {} {}'.format(peer.\n getUrl(), exc))\n except exceptions.BadUrlException as exc:\n if logger:\n logger.debug('A URL in the initial peer list {} was malformed. {}'\n .format(url), exc)\n",
"role": "user"
},
{
"content": "insertInitialPeer",
"role": "assistant"
}
] |
def x(urlString):
parsed = urlparse.urlparse(urlString)
urlparseValid = parsed.netloc != '' and parsed.scheme != ''
regex = re.compile(
'^(?:http|ftp)s?://(?:(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\\.)+(?:[A-Z]{2,6}\\.?|[A-Z0-9-]{2,}\\.?)|localhost|\\d{1,3}\\.\\d{1,3}\\.\\d{1,3}\\.\\d{1,3})(?::\\d+)?(?:/?|[/?]\\S+)$'
, re.IGNORECASE)
return regex.match(urlString) and urlparseValid
|
isUrl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(urlString):\n parsed = urlparse.urlparse(urlString)\n urlparseValid = parsed.netloc != '' and parsed.scheme != ''\n regex = re.compile(\n '^(?:http|ftp)s?://(?:(?:[A-Z0-9](?:[A-Z0-9-]{0,61}[A-Z0-9])?\\\\.)+(?:[A-Z]{2,6}\\\\.?|[A-Z0-9-]{2,}\\\\.?)|localhost|\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3}\\\\.\\\\d{1,3})(?::\\\\d+)?(?:/?|[/?]\\\\S+)$'\n , re.IGNORECASE)\n return regex.match(urlString) and urlparseValid\n",
"role": "user"
},
{
"content": "isUrl",
"role": "assistant"
}
] |
def x(self, url):
if isUrl(url):
self._url = url
else:
raise exceptions.BadUrlException(url)
return self
|
setUrl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n if isUrl(url):\n self._url = url\n else:\n raise exceptions.BadUrlException(url)\n return self\n",
"role": "user"
},
{
"content": "setUrl",
"role": "assistant"
}
] |
def x(self, attributesJson):
try:
self._attributes = json.loads(attributesJson)
except:
raise exceptions.InvalidJsonException(attributesJson)
return self
|
setAttributesJson
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attributesJson):\n try:\n self._attributes = json.loads(attributesJson)\n except:\n raise exceptions.InvalidJsonException(attributesJson)\n return self\n",
"role": "user"
},
{
"content": "setAttributesJson",
"role": "assistant"
}
] |
def x(self, peerRecord):
self.setUrl(peerRecord.url).setAttributesJson(peerRecord.attributes)
return self
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, peerRecord):\n self.setUrl(peerRecord.url).setAttributesJson(peerRecord.attributes)\n return self\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(self, request, numObjects, getByIndexMethod):
currentIndex = 0
if request.page_token:
currentIndex, = paging._parsePageToken(request.page_token, 1)
while currentIndex < numObjects:
object_ = getByIndexMethod(currentIndex)
currentIndex += 1
nextPageToken = None
if currentIndex < numObjects:
nextPageToken = str(currentIndex)
yield object_.toProtocolElement(), nextPageToken
|
topLevelObjectGenerator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, numObjects, getByIndexMethod):\n currentIndex = 0\n if request.page_token:\n currentIndex, = paging._parsePageToken(request.page_token, 1)\n while currentIndex < numObjects:\n object_ = getByIndexMethod(currentIndex)\n currentIndex += 1\n nextPageToken = None\n if currentIndex < numObjects:\n nextPageToken = str(currentIndex)\n yield object_.toProtocolElement(), nextPageToken\n",
"role": "user"
},
{
"content": "topLevelObjectGenerator",
"role": "assistant"
}
] |
def x(self, request, numObjects, getByIndexMethod):
currentIndex = 0
if request.page_token:
currentIndex, = paging._parsePageToken(request.page_token, 1)
while currentIndex < numObjects:
object_ = getByIndexMethod(currentIndex)
currentIndex += 1
nextPageToken = None
if currentIndex < numObjects:
nextPageToken = str(currentIndex)
yield object_, nextPageToken
|
protocolObjectGenerator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, numObjects, getByIndexMethod):\n currentIndex = 0\n if request.page_token:\n currentIndex, = paging._parsePageToken(request.page_token, 1)\n while currentIndex < numObjects:\n object_ = getByIndexMethod(currentIndex)\n currentIndex += 1\n nextPageToken = None\n if currentIndex < numObjects:\n nextPageToken = str(currentIndex)\n yield object_, nextPageToken\n",
"role": "user"
},
{
"content": "protocolObjectGenerator",
"role": "assistant"
}
] |
def x(self, request, objectList):
return self._protocolObjectGenerator(request, len(objectList), lambda
index: objectList[index])
|
protocolListGenerator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, objectList):\n return self._protocolObjectGenerator(request, len(objectList), lambda\n index: objectList[index])\n",
"role": "user"
},
{
"content": "protocolListGenerator",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.