source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self):
experiment = protocol.Experiment()
experiment.id = self.getExperimentId()
experiment.instrument_model = pb.string(self.getInstrumentModel())
experiment.sequencing_center = pb.string(self.getSequencingCenter())
experiment.description = pb.string(self.getExperimentDescription())
experiment.library = pb.string(self.getLibrary())
experiment.platform_unit = pb.string(self.getPlatformUnit())
experiment.message_create_time = self._iso8601
experiment.message_update_time = self._iso8601
experiment.run_time = pb.string(self.getRunTime())
return experiment
|
getExperiment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n experiment = protocol.Experiment()\n experiment.id = self.getExperimentId()\n experiment.instrument_model = pb.string(self.getInstrumentModel())\n experiment.sequencing_center = pb.string(self.getSequencingCenter())\n experiment.description = pb.string(self.getExperimentDescription())\n experiment.library = pb.string(self.getLibrary())\n experiment.platform_unit = pb.string(self.getPlatformUnit())\n experiment.message_create_time = self._iso8601\n experiment.message_update_time = self._iso8601\n experiment.run_time = pb.string(self.getRunTime())\n return experiment\n",
"role": "user"
},
{
"content": "getExperiment",
"role": "assistant"
}
] |
def x(self, readGroupHeader):
self._sampleName = readGroupHeader.get('SM', None)
self._description = readGroupHeader.get('DS', None)
if 'PI' in readGroupHeader:
self._predictedInsertSize = int(readGroupHeader['PI'])
self._instrumentModel = readGroupHeader.get('PL', None)
self._sequencingCenter = readGroupHeader.get('CN', None)
self._experimentDescription = readGroupHeader.get('DS', None)
self._library = readGroupHeader.get('LB', None)
self._platformUnit = readGroupHeader.get('PU', None)
self._runTime = readGroupHeader.get('DT', None)
|
populateFromHeader
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, readGroupHeader):\n self._sampleName = readGroupHeader.get('SM', None)\n self._description = readGroupHeader.get('DS', None)\n if 'PI' in readGroupHeader:\n self._predictedInsertSize = int(readGroupHeader['PI'])\n self._instrumentModel = readGroupHeader.get('PL', None)\n self._sequencingCenter = readGroupHeader.get('CN', None)\n self._experimentDescription = readGroupHeader.get('DS', None)\n self._library = readGroupHeader.get('LB', None)\n self._platformUnit = readGroupHeader.get('PU', None)\n self._runTime = readGroupHeader.get('DT', None)\n",
"role": "user"
},
{
"content": "populateFromHeader",
"role": "assistant"
}
] |
def x(self, readGroupRecord):
self._sampleName = readGroupRecord.samplename
self._biosampleId = readGroupRecord.biosampleid
self._description = readGroupRecord.description
self._predictedInsertSize = readGroupRecord.predictedinsertsize
stats = protocol.fromJson(readGroupRecord.stats, protocol.ReadStats)
self._numAlignedReads = stats.aligned_read_count
self._numUnalignedReads = stats.unaligned_read_count
experiment = protocol.fromJson(readGroupRecord.experiment, protocol.
Experiment)
self._instrumentModel = experiment.instrument_model
self._sequencingCenter = experiment.sequencing_center
self._experimentDescription = experiment.description
self._library = experiment.library
self._platformUnit = experiment.platform_unit
self._runTime = experiment.run_time
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, readGroupRecord):\n self._sampleName = readGroupRecord.samplename\n self._biosampleId = readGroupRecord.biosampleid\n self._description = readGroupRecord.description\n self._predictedInsertSize = readGroupRecord.predictedinsertsize\n stats = protocol.fromJson(readGroupRecord.stats, protocol.ReadStats)\n self._numAlignedReads = stats.aligned_read_count\n self._numUnalignedReads = stats.unaligned_read_count\n experiment = protocol.fromJson(readGroupRecord.experiment, protocol.\n Experiment)\n self._instrumentModel = experiment.instrument_model\n self._sequencingCenter = experiment.sequencing_center\n self._experimentDescription = experiment.description\n self._library = experiment.library\n self._platformUnit = experiment.platform_unit\n self._runTime = experiment.run_time\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(filePath):
if len(filePath) == 0:
raise ValueError('Cannot have empty path for name')
fileName = os.path.split(os.path.normpath(filePath))[1]
ret = fileName.split('.')[0]
assert ret != ''
return ret
|
getNameFromPath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filePath):\n if len(filePath) == 0:\n raise ValueError('Cannot have empty path for name')\n fileName = os.path.split(os.path.normpath(filePath))[1]\n ret = fileName.split('.')[0]\n assert ret != ''\n return ret\n",
"role": "user"
},
{
"content": "getNameFromPath",
"role": "assistant"
}
] |
def x(message):
wrapper = textwrap.TextWrapper(break_on_hyphens=False, break_long_words
=False)
formatted = wrapper.fill('{}: error: {}'.format(sys.argv[0], message))
sys.exit(formatted)
|
repoExitError
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message):\n wrapper = textwrap.TextWrapper(break_on_hyphens=False, break_long_words\n =False)\n formatted = wrapper.fill('{}: error: {}'.format(sys.argv[0], message))\n sys.exit(formatted)\n",
"role": "user"
},
{
"content": "repoExitError",
"role": "assistant"
}
] |
def x(self, func, *args, **kwargs):
self._repo.open(datarepo.MODE_WRITE)
try:
func(*args, **kwargs)
self._repo.commit()
finally:
self._repo.close()
|
updateRepo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func, *args, **kwargs):\n self._repo.open(datarepo.MODE_WRITE)\n try:\n func(*args, **kwargs)\n self._repo.commit()\n finally:\n self._repo.close()\n",
"role": "user"
},
{
"content": "updateRepo",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
name = self._args.name
filePath = self._getFilePath(self._args.filePath, self._args.relativePath)
if name is None:
name = getNameFromPath(filePath)
ontology = ontologies.Ontology(name)
ontology.populateFromFile(filePath)
self._updateRepo(self._repo.insertOntology, ontology)
|
addOntology
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n name = self._args.name\n filePath = self._getFilePath(self._args.filePath, self._args.relativePath)\n if name is None:\n name = getNameFromPath(filePath)\n ontology = ontologies.Ontology(name)\n ontology.populateFromFile(filePath)\n self._updateRepo(self._repo.insertOntology, ontology)\n",
"role": "user"
},
{
"content": "addOntology",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = datasets.Dataset(self._args.datasetName)
dataset.setDescription(self._args.description)
dataset.setAttributes(json.loads(self._args.attributes))
self._updateRepo(self._repo.insertDataset, dataset)
|
addDataset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = datasets.Dataset(self._args.datasetName)\n dataset.setDescription(self._args.description)\n dataset.setAttributes(json.loads(self._args.attributes))\n self._updateRepo(self._repo.insertDataset, dataset)\n",
"role": "user"
},
{
"content": "addDataset",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
name = self._args.name
filePath = self._getFilePath(self._args.filePath, self._args.relativePath)
if name is None:
name = getNameFromPath(self._args.filePath)
referenceSet = references.HtslibReferenceSet(name)
referenceSet.populateFromFile(filePath)
referenceSet.setDescription(self._args.description)
if self._args.species is not None:
referenceSet.setSpeciesFromJson(self._args.species)
referenceSet.setIsDerived(self._args.isDerived)
referenceSet.setAssemblyId(self._args.assemblyId)
referenceSet.setAttributes(json.loads(self._args.attributes))
sourceAccessions = []
if self._args.sourceAccessions is not None:
sourceAccessions = self._args.sourceAccessions.split(',')
referenceSet.setSourceAccessions(sourceAccessions)
referenceSet.setSourceUri(self._args.sourceUri)
self._updateRepo(self._repo.insertReferenceSet, referenceSet)
|
addReferenceSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n name = self._args.name\n filePath = self._getFilePath(self._args.filePath, self._args.relativePath)\n if name is None:\n name = getNameFromPath(self._args.filePath)\n referenceSet = references.HtslibReferenceSet(name)\n referenceSet.populateFromFile(filePath)\n referenceSet.setDescription(self._args.description)\n if self._args.species is not None:\n referenceSet.setSpeciesFromJson(self._args.species)\n referenceSet.setIsDerived(self._args.isDerived)\n referenceSet.setAssemblyId(self._args.assemblyId)\n referenceSet.setAttributes(json.loads(self._args.attributes))\n sourceAccessions = []\n if self._args.sourceAccessions is not None:\n sourceAccessions = self._args.sourceAccessions.split(',')\n referenceSet.setSourceAccessions(sourceAccessions)\n referenceSet.setSourceUri(self._args.sourceUri)\n self._updateRepo(self._repo.insertReferenceSet, referenceSet)\n",
"role": "user"
},
{
"content": "addReferenceSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
dataUrl = self._args.dataFile
indexFile = self._args.indexFile
parsed = urlparse.urlparse(dataUrl)
if parsed.scheme in ['http', 'ftp']:
if indexFile is None:
raise exceptions.MissingIndexException(dataUrl)
else:
if indexFile is None:
indexFile = dataUrl + '.bai'
dataUrl = self._getFilePath(self._args.dataFile, self._args.
relativePath)
indexFile = self._getFilePath(indexFile, self._args.relativePath)
name = self._args.name
if self._args.name is None:
name = getNameFromPath(dataUrl)
readGroupSet = reads.HtslibReadGroupSet(dataset, name)
readGroupSet.populateFromFile(dataUrl, indexFile)
referenceSetName = self._args.referenceSetName
if referenceSetName is None:
referenceSetName = readGroupSet.getBamHeaderReferenceSetName()
referenceSet = self._repo.getReferenceSetByName(referenceSetName)
readGroupSet.setReferenceSet(referenceSet)
readGroupSet.setAttributes(json.loads(self._args.attributes))
self._updateRepo(self._repo.insertReadGroupSet, readGroupSet)
|
addReadGroupSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n dataUrl = self._args.dataFile\n indexFile = self._args.indexFile\n parsed = urlparse.urlparse(dataUrl)\n if parsed.scheme in ['http', 'ftp']:\n if indexFile is None:\n raise exceptions.MissingIndexException(dataUrl)\n else:\n if indexFile is None:\n indexFile = dataUrl + '.bai'\n dataUrl = self._getFilePath(self._args.dataFile, self._args.\n relativePath)\n indexFile = self._getFilePath(indexFile, self._args.relativePath)\n name = self._args.name\n if self._args.name is None:\n name = getNameFromPath(dataUrl)\n readGroupSet = reads.HtslibReadGroupSet(dataset, name)\n readGroupSet.populateFromFile(dataUrl, indexFile)\n referenceSetName = self._args.referenceSetName\n if referenceSetName is None:\n referenceSetName = readGroupSet.getBamHeaderReferenceSetName()\n referenceSet = self._repo.getReferenceSetByName(referenceSetName)\n readGroupSet.setReferenceSet(referenceSet)\n readGroupSet.setAttributes(json.loads(self._args.attributes))\n self._updateRepo(self._repo.insertReadGroupSet, readGroupSet)\n",
"role": "user"
},
{
"content": "addReadGroupSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
dataUrls = self._args.dataFiles
name = self._args.name
if len(dataUrls) == 1:
if self._args.name is None:
name = getNameFromPath(dataUrls[0])
if os.path.isdir(dataUrls[0]):
vcfDir = dataUrls[0]
pattern = os.path.join(vcfDir, '*.vcf.gz')
dataUrls = glob.glob(pattern)
if len(dataUrls) == 0:
raise exceptions.RepoManagerException(
"Cannot find any VCF files in the directory '{}'.".
format(vcfDir))
dataUrls[0] = self._getFilePath(dataUrls[0], self._args.
relativePath)
elif self._args.name is None:
raise exceptions.RepoManagerException(
'Cannot infer the intended name of the VariantSet when more than one VCF file is provided. Please provide a name argument using --name.'
)
parsed = urlparse.urlparse(dataUrls[0])
if parsed.scheme not in ['http', 'ftp']:
dataUrls = map(lambda url: self._getFilePath(url, self._args.
relativePath), dataUrls)
indexFiles = self._args.indexFiles
if indexFiles is None:
for dataUrl in dataUrls:
if not os.path.exists(dataUrl):
raise exceptions.MissingIndexException(
"Cannot find file '{}'. All variant files must be stored locally if the default index location is used. If you are trying to create a VariantSet based on remote URLs, please download the index files to the local file system and provide them with the --indexFiles argument"
.format(dataUrl))
indexSuffix = '.tbi'
indexFiles = [(filename + indexSuffix) for filename in dataUrls]
indexFiles = map(lambda url: self._getFilePath(url, self._args.
relativePath), indexFiles)
variantSet = variants.HtslibVariantSet(dataset, name)
variantSet.populateFromFile(dataUrls, indexFiles)
referenceSetName = self._args.referenceSetName
if referenceSetName is None:
referenceSetName = variantSet.getVcfHeaderReferenceSetName()
if referenceSetName is None:
raise exceptions.RepoManagerException(
'Cannot infer the ReferenceSet from the VCF header. Please specify the ReferenceSet to associate with this VariantSet using the --referenceSetName option'
)
referenceSet = self._repo.getReferenceSetByName(referenceSetName)
variantSet.setReferenceSet(referenceSet)
variantSet.setAttributes(json.loads(self._args.attributes))
annotationSets = []
if variantSet.isAnnotated() and self._args.addAnnotationSets:
ontologyName = self._args.ontologyName
if ontologyName is None:
raise exceptions.RepoManagerException(
'A sequence ontology name must be provided')
ontology = self._repo.getOntologyByName(ontologyName)
self._checkSequenceOntology(ontology)
for annotationSet in variantSet.getVariantAnnotationSets():
annotationSet.setOntology(ontology)
annotationSets.append(annotationSet)
def x():
self._repo.insertVariantSet(variantSet)
for annotationSet in annotationSets:
self._repo.insertVariantAnnotationSet(annotationSet)
self._updateRepo(updateRepo)
|
addVariantSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n dataUrls = self._args.dataFiles\n name = self._args.name\n if len(dataUrls) == 1:\n if self._args.name is None:\n name = getNameFromPath(dataUrls[0])\n if os.path.isdir(dataUrls[0]):\n vcfDir = dataUrls[0]\n pattern = os.path.join(vcfDir, '*.vcf.gz')\n dataUrls = glob.glob(pattern)\n if len(dataUrls) == 0:\n raise exceptions.RepoManagerException(\n \"Cannot find any VCF files in the directory '{}'.\".\n format(vcfDir))\n dataUrls[0] = self._getFilePath(dataUrls[0], self._args.\n relativePath)\n elif self._args.name is None:\n raise exceptions.RepoManagerException(\n 'Cannot infer the intended name of the VariantSet when more than one VCF file is provided. Please provide a name argument using --name.'\n )\n parsed = urlparse.urlparse(dataUrls[0])\n if parsed.scheme not in ['http', 'ftp']:\n dataUrls = map(lambda url: self._getFilePath(url, self._args.\n relativePath), dataUrls)\n indexFiles = self._args.indexFiles\n if indexFiles is None:\n for dataUrl in dataUrls:\n if not os.path.exists(dataUrl):\n raise exceptions.MissingIndexException(\n \"Cannot find file '{}'. All variant files must be stored locally if the default index location is used. If you are trying to create a VariantSet based on remote URLs, please download the index files to the local file system and provide them with the --indexFiles argument\"\n .format(dataUrl))\n indexSuffix = '.tbi'\n indexFiles = [(filename + indexSuffix) for filename in dataUrls]\n indexFiles = map(lambda url: self._getFilePath(url, self._args.\n relativePath), indexFiles)\n variantSet = variants.HtslibVariantSet(dataset, name)\n variantSet.populateFromFile(dataUrls, indexFiles)\n referenceSetName = self._args.referenceSetName\n if referenceSetName is None:\n referenceSetName = variantSet.getVcfHeaderReferenceSetName()\n if referenceSetName is None:\n raise exceptions.RepoManagerException(\n 'Cannot infer the ReferenceSet from the VCF header. Please specify the ReferenceSet to associate with this VariantSet using the --referenceSetName option'\n )\n referenceSet = self._repo.getReferenceSetByName(referenceSetName)\n variantSet.setReferenceSet(referenceSet)\n variantSet.setAttributes(json.loads(self._args.attributes))\n annotationSets = []\n if variantSet.isAnnotated() and self._args.addAnnotationSets:\n ontologyName = self._args.ontologyName\n if ontologyName is None:\n raise exceptions.RepoManagerException(\n 'A sequence ontology name must be provided')\n ontology = self._repo.getOntologyByName(ontologyName)\n self._checkSequenceOntology(ontology)\n for annotationSet in variantSet.getVariantAnnotationSets():\n annotationSet.setOntology(ontology)\n annotationSets.append(annotationSet)\n\n def x():\n self._repo.insertVariantSet(variantSet)\n for annotationSet in annotationSets:\n self._repo.insertVariantAnnotationSet(annotationSet)\n self._updateRepo(updateRepo)\n",
"role": "user"
},
{
"content": "addVariantSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
name = self._args.name
if name is None:
name = getNameFromPath(self._args.dirPath)
dataset = self._repo.getDatasetByName(self._args.datasetName)
phenotypeAssociationSet = genotype_phenotype.RdfPhenotypeAssociationSet(
dataset, name, self._args.dirPath)
phenotypeAssociationSet.setAttributes(json.loads(self._args.attributes))
self._updateRepo(self._repo.insertPhenotypeAssociationSet,
phenotypeAssociationSet)
|
addPhenotypeAssociationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n name = self._args.name\n if name is None:\n name = getNameFromPath(self._args.dirPath)\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n phenotypeAssociationSet = genotype_phenotype.RdfPhenotypeAssociationSet(\n dataset, name, self._args.dirPath)\n phenotypeAssociationSet.setAttributes(json.loads(self._args.attributes))\n self._updateRepo(self._repo.insertPhenotypeAssociationSet,\n phenotypeAssociationSet)\n",
"role": "user"
},
{
"content": "addPhenotypeAssociationSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
phenotypeAssociationSet = dataset.getPhenotypeAssociationSetByName(self
._args.name)
def x():
self._updateRepo(self._repo.removePhenotypeAssociationSet,
phenotypeAssociationSet)
self._confirmDelete('PhenotypeAssociationSet', phenotypeAssociationSet.
getLocalId(), func)
|
removePhenotypeAssociationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n phenotypeAssociationSet = dataset.getPhenotypeAssociationSetByName(self\n ._args.name)\n\n def x():\n self._updateRepo(self._repo.removePhenotypeAssociationSet,\n phenotypeAssociationSet)\n self._confirmDelete('PhenotypeAssociationSet', phenotypeAssociationSet.\n getLocalId(), func)\n",
"role": "user"
},
{
"content": "removePhenotypeAssociationSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
referenceSet = self._repo.getReferenceSetByName(self._args.referenceSetName
)
def x():
self._updateRepo(self._repo.removeReferenceSet, referenceSet)
self._confirmDelete('ReferenceSet', referenceSet.getLocalId(), func)
|
removeReferenceSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n referenceSet = self._repo.getReferenceSetByName(self._args.referenceSetName\n )\n\n def x():\n self._updateRepo(self._repo.removeReferenceSet, referenceSet)\n self._confirmDelete('ReferenceSet', referenceSet.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeReferenceSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
readGroupSet = dataset.getReadGroupSetByName(self._args.readGroupSetName)
def x():
self._updateRepo(self._repo.removeReadGroupSet, readGroupSet)
self._confirmDelete('ReadGroupSet', readGroupSet.getLocalId(), func)
|
removeReadGroupSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n readGroupSet = dataset.getReadGroupSetByName(self._args.readGroupSetName)\n\n def x():\n self._updateRepo(self._repo.removeReadGroupSet, readGroupSet)\n self._confirmDelete('ReadGroupSet', readGroupSet.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeReadGroupSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
variantSet = dataset.getVariantSetByName(self._args.variantSetName)
def x():
self._updateRepo(self._repo.removeVariantSet, variantSet)
self._confirmDelete('VariantSet', variantSet.getLocalId(), func)
|
removeVariantSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n variantSet = dataset.getVariantSetByName(self._args.variantSetName)\n\n def x():\n self._updateRepo(self._repo.removeVariantSet, variantSet)\n self._confirmDelete('VariantSet', variantSet.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeVariantSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
def x():
self._updateRepo(self._repo.removeDataset, dataset)
self._confirmDelete('Dataset', dataset.getLocalId(), func)
|
removeDataset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n\n def x():\n self._updateRepo(self._repo.removeDataset, dataset)\n self._confirmDelete('Dataset', dataset.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeDataset",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
filePath = self._getFilePath(self._args.filePath, self._args.relativePath)
name = getNameFromPath(self._args.filePath)
featureSet = sequence_annotations.Gff3DbFeatureSet(dataset, name)
referenceSetName = self._args.referenceSetName
if referenceSetName is None:
raise exceptions.RepoManagerException(
'A reference set name must be provided')
referenceSet = self._repo.getReferenceSetByName(referenceSetName)
featureSet.setReferenceSet(referenceSet)
ontologyName = self._args.ontologyName
if ontologyName is None:
raise exceptions.RepoManagerException(
'A sequence ontology name must be provided')
ontology = self._repo.getOntologyByName(ontologyName)
self._checkSequenceOntology(ontology)
featureSet.setOntology(ontology)
featureSet.populateFromFile(filePath)
featureSet.setAttributes(json.loads(self._args.attributes))
self._updateRepo(self._repo.insertFeatureSet, featureSet)
|
addFeatureSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n filePath = self._getFilePath(self._args.filePath, self._args.relativePath)\n name = getNameFromPath(self._args.filePath)\n featureSet = sequence_annotations.Gff3DbFeatureSet(dataset, name)\n referenceSetName = self._args.referenceSetName\n if referenceSetName is None:\n raise exceptions.RepoManagerException(\n 'A reference set name must be provided')\n referenceSet = self._repo.getReferenceSetByName(referenceSetName)\n featureSet.setReferenceSet(referenceSet)\n ontologyName = self._args.ontologyName\n if ontologyName is None:\n raise exceptions.RepoManagerException(\n 'A sequence ontology name must be provided')\n ontology = self._repo.getOntologyByName(ontologyName)\n self._checkSequenceOntology(ontology)\n featureSet.setOntology(ontology)\n featureSet.populateFromFile(filePath)\n featureSet.setAttributes(json.loads(self._args.attributes))\n self._updateRepo(self._repo.insertFeatureSet, featureSet)\n",
"role": "user"
},
{
"content": "addFeatureSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
featureSet = dataset.getFeatureSetByName(self._args.featureSetName)
def x():
self._updateRepo(self._repo.removeFeatureSet, featureSet)
self._confirmDelete('FeatureSet', featureSet.getLocalId(), func)
|
removeFeatureSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n featureSet = dataset.getFeatureSetByName(self._args.featureSetName)\n\n def x():\n self._updateRepo(self._repo.removeFeatureSet, featureSet)\n self._confirmDelete('FeatureSet', featureSet.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeFeatureSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
filePath = self._getFilePath(self._args.filePath, self._args.relativePath)
name = getNameFromPath(self._args.filePath)
continuousSet = continuous.FileContinuousSet(dataset, name)
referenceSetName = self._args.referenceSetName
if referenceSetName is None:
raise exceptions.RepoManagerException(
'A reference set name must be provided')
referenceSet = self._repo.getReferenceSetByName(referenceSetName)
continuousSet.setReferenceSet(referenceSet)
continuousSet.populateFromFile(filePath)
self._updateRepo(self._repo.insertContinuousSet, continuousSet)
|
addContinuousSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n filePath = self._getFilePath(self._args.filePath, self._args.relativePath)\n name = getNameFromPath(self._args.filePath)\n continuousSet = continuous.FileContinuousSet(dataset, name)\n referenceSetName = self._args.referenceSetName\n if referenceSetName is None:\n raise exceptions.RepoManagerException(\n 'A reference set name must be provided')\n referenceSet = self._repo.getReferenceSetByName(referenceSetName)\n continuousSet.setReferenceSet(referenceSet)\n continuousSet.populateFromFile(filePath)\n self._updateRepo(self._repo.insertContinuousSet, continuousSet)\n",
"role": "user"
},
{
"content": "addContinuousSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
continuousSet = dataset.getContinuousSetByName(self._args.continuousSetName
)
def x():
self._updateRepo(self._repo.removeContinuousSet, continuousSet)
self._confirmDelete('ContinuousSet', continuousSet.getLocalId(), func)
|
removeContinuousSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n continuousSet = dataset.getContinuousSetByName(self._args.continuousSetName\n )\n\n def x():\n self._updateRepo(self._repo.removeContinuousSet, continuousSet)\n self._confirmDelete('ContinuousSet', continuousSet.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeContinuousSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
biosample = bio_metadata.Biosample(dataset, self._args.biosampleName)
biosample.populateFromJson(self._args.biosample)
self._updateRepo(self._repo.insertBiosample, biosample)
|
addBiosample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n biosample = bio_metadata.Biosample(dataset, self._args.biosampleName)\n biosample.populateFromJson(self._args.biosample)\n self._updateRepo(self._repo.insertBiosample, biosample)\n",
"role": "user"
},
{
"content": "addBiosample",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
biosample = dataset.getBiosampleByName(self._args.biosampleName)
def x():
self._updateRepo(self._repo.removeBiosample, biosample)
self._confirmDelete('Biosample', biosample.getLocalId(), func)
|
removeBiosample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n biosample = dataset.getBiosampleByName(self._args.biosampleName)\n\n def x():\n self._updateRepo(self._repo.removeBiosample, biosample)\n self._confirmDelete('Biosample', biosample.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeBiosample",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
individual = bio_metadata.Individual(dataset, self._args.individualName)
individual.populateFromJson(self._args.individual)
self._updateRepo(self._repo.insertIndividual, individual)
|
addIndividual
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n individual = bio_metadata.Individual(dataset, self._args.individualName)\n individual.populateFromJson(self._args.individual)\n self._updateRepo(self._repo.insertIndividual, individual)\n",
"role": "user"
},
{
"content": "addIndividual",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
individual = dataset.getIndividualByName(self._args.individualName)
def x():
self._updateRepo(self._repo.removeIndividual, individual)
self._confirmDelete('Individual', individual.getLocalId(), func)
|
removeIndividual
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n individual = dataset.getIndividualByName(self._args.individualName)\n\n def x():\n self._updateRepo(self._repo.removeIndividual, individual)\n self._confirmDelete('Individual', individual.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeIndividual",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
try:
peer = peers.Peer(self._args.url, json.loads(self._args.attributes))
except exceptions.BadUrlException:
raise exceptions.RepoManagerException(
'The URL for the peer was malformed.')
except ValueError as e:
raise exceptions.RepoManagerException(
'The attributes message was malformed. {}'.format(e))
self._updateRepo(self._repo.insertPeer, peer)
|
addPeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n try:\n peer = peers.Peer(self._args.url, json.loads(self._args.attributes))\n except exceptions.BadUrlException:\n raise exceptions.RepoManagerException(\n 'The URL for the peer was malformed.')\n except ValueError as e:\n raise exceptions.RepoManagerException(\n 'The attributes message was malformed. {}'.format(e))\n self._updateRepo(self._repo.insertPeer, peer)\n",
"role": "user"
},
{
"content": "addPeer",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
def x():
self._updateRepo(self._repo.removePeer, self._args.url)
self._confirmDelete('Peer', self._args.url, func)
|
removePeer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n\n def x():\n self._updateRepo(self._repo.removePeer, self._args.url)\n self._confirmDelete('Peer', self._args.url, func)\n",
"role": "user"
},
{
"content": "removePeer",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
ontology = self._repo.getOntologyByName(self._args.ontologyName)
def x():
self._updateRepo(self._repo.removeOntology, ontology)
self._confirmDelete('Ontology', ontology.getName(), func)
|
removeOntology
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n ontology = self._repo.getOntologyByName(self._args.ontologyName)\n\n def x():\n self._updateRepo(self._repo.removeOntology, ontology)\n self._confirmDelete('Ontology', ontology.getName(), func)\n",
"role": "user"
},
{
"content": "removeOntology",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
biosampleId = ''
if self._args.biosampleName:
biosample = dataset.getBiosampleByName(self._args.biosampleName)
biosampleId = biosample.getId()
if self._args.name is None:
name = getNameFromPath(self._args.quantificationFilePath)
else:
name = self._args.name
programs = ''
featureType = 'gene'
if self._args.transcript:
featureType = 'transcript'
rnaseq2ga.rnaseq2ga(self._args.quantificationFilePath, self._args.
filePath, name, self._args.format, dataset=dataset, featureType=
featureType, description=self._args.description, programs=programs,
featureSetNames=self._args.featureSetNames, readGroupSetNames=self.
_args.readGroupSetName, biosampleId=biosampleId)
|
addRnaQuantification
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n biosampleId = ''\n if self._args.biosampleName:\n biosample = dataset.getBiosampleByName(self._args.biosampleName)\n biosampleId = biosample.getId()\n if self._args.name is None:\n name = getNameFromPath(self._args.quantificationFilePath)\n else:\n name = self._args.name\n programs = ''\n featureType = 'gene'\n if self._args.transcript:\n featureType = 'transcript'\n rnaseq2ga.rnaseq2ga(self._args.quantificationFilePath, self._args.\n filePath, name, self._args.format, dataset=dataset, featureType=\n featureType, description=self._args.description, programs=programs,\n featureSetNames=self._args.featureSetNames, readGroupSetNames=self.\n _args.readGroupSetName, biosampleId=biosampleId)\n",
"role": "user"
},
{
"content": "addRnaQuantification",
"role": "assistant"
}
] |
def x(self):
store = rnaseq2ga.RnaSqliteStore(self._args.filePath)
store.createTables()
|
initRnaQuantificationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n store = rnaseq2ga.RnaSqliteStore(self._args.filePath)\n store.createTables()\n",
"role": "user"
},
{
"content": "initRnaQuantificationSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
if self._args.name is None:
name = getNameFromPath(self._args.filePath)
else:
name = self._args.name
rnaQuantificationSet = rna_quantification.SqliteRnaQuantificationSet(
dataset, name)
referenceSetName = self._args.referenceSetName
if referenceSetName is None:
raise exceptions.RepoManagerException(
'A reference set name must be provided')
referenceSet = self._repo.getReferenceSetByName(referenceSetName)
rnaQuantificationSet.setReferenceSet(referenceSet)
rnaQuantificationSet.populateFromFile(self._args.filePath)
rnaQuantificationSet.setAttributes(json.loads(self._args.attributes))
self._updateRepo(self._repo.insertRnaQuantificationSet,
rnaQuantificationSet)
|
addRnaQuantificationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n if self._args.name is None:\n name = getNameFromPath(self._args.filePath)\n else:\n name = self._args.name\n rnaQuantificationSet = rna_quantification.SqliteRnaQuantificationSet(\n dataset, name)\n referenceSetName = self._args.referenceSetName\n if referenceSetName is None:\n raise exceptions.RepoManagerException(\n 'A reference set name must be provided')\n referenceSet = self._repo.getReferenceSetByName(referenceSetName)\n rnaQuantificationSet.setReferenceSet(referenceSet)\n rnaQuantificationSet.populateFromFile(self._args.filePath)\n rnaQuantificationSet.setAttributes(json.loads(self._args.attributes))\n self._updateRepo(self._repo.insertRnaQuantificationSet,\n rnaQuantificationSet)\n",
"role": "user"
},
{
"content": "addRnaQuantificationSet",
"role": "assistant"
}
] |
def x(self):
self._openRepo()
dataset = self._repo.getDatasetByName(self._args.datasetName)
rnaQuantSet = dataset.getRnaQuantificationSetByName(self._args.
rnaQuantificationSetName)
def x():
self._updateRepo(self._repo.removeRnaQuantificationSet, rnaQuantSet)
self._confirmDelete('RnaQuantificationSet', rnaQuantSet.getLocalId(), func)
|
removeRnaQuantificationSet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._openRepo()\n dataset = self._repo.getDatasetByName(self._args.datasetName)\n rnaQuantSet = dataset.getRnaQuantificationSetByName(self._args.\n rnaQuantificationSetName)\n\n def x():\n self._updateRepo(self._repo.removeRnaQuantificationSet, rnaQuantSet)\n self._confirmDelete('RnaQuantificationSet', rnaQuantSet.getLocalId(), func)\n",
"role": "user"
},
{
"content": "removeRnaQuantificationSet",
"role": "assistant"
}
] |
def x(quantificationFilename, sqlFilename, localName, rnaType, dataset=None,
featureType='gene', description='', programs='', featureSetNames='',
readGroupSetNames='', biosampleId=''):
readGroupSetName = ''
if readGroupSetNames:
readGroupSetName = readGroupSetNames.strip().split(',')[0]
featureSetIds = ''
readGroupIds = ''
if dataset:
featureSetIdList = []
if featureSetNames:
for annotationName in featureSetNames.split(','):
featureSet = dataset.getFeatureSetByName(annotationName)
featureSetIdList.append(featureSet.getId())
featureSetIds = ','.join(featureSetIdList)
if readGroupSetName:
readGroupSet = dataset.getReadGroupSetByName(readGroupSetName)
readGroupIds = ','.join([x.getId() for x in readGroupSet.
getReadGroups()])
if rnaType not in SUPPORTED_RNA_INPUT_FORMATS:
raise exceptions.UnsupportedFormatException(rnaType)
rnaDB = RnaSqliteStore(sqlFilename)
if rnaType == 'cufflinks':
writer = CufflinksWriter(rnaDB, featureType, dataset=dataset)
elif rnaType == 'kallisto':
writer = KallistoWriter(rnaDB, featureType, dataset=dataset)
elif rnaType == 'rsem':
writer = RsemWriter(rnaDB, featureType, dataset=dataset)
writeRnaseqTable(rnaDB, [localName], description, featureSetIds,
readGroupId=readGroupIds, programs=programs, biosampleId=biosampleId)
writeExpressionTable(writer, [(localName, quantificationFilename)])
|
rnaseq2ga
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quantificationFilename, sqlFilename, localName, rnaType, dataset=None,\n featureType='gene', description='', programs='', featureSetNames='',\n readGroupSetNames='', biosampleId=''):\n readGroupSetName = ''\n if readGroupSetNames:\n readGroupSetName = readGroupSetNames.strip().split(',')[0]\n featureSetIds = ''\n readGroupIds = ''\n if dataset:\n featureSetIdList = []\n if featureSetNames:\n for annotationName in featureSetNames.split(','):\n featureSet = dataset.getFeatureSetByName(annotationName)\n featureSetIdList.append(featureSet.getId())\n featureSetIds = ','.join(featureSetIdList)\n if readGroupSetName:\n readGroupSet = dataset.getReadGroupSetByName(readGroupSetName)\n readGroupIds = ','.join([x.getId() for x in readGroupSet.\n getReadGroups()])\n if rnaType not in SUPPORTED_RNA_INPUT_FORMATS:\n raise exceptions.UnsupportedFormatException(rnaType)\n rnaDB = RnaSqliteStore(sqlFilename)\n if rnaType == 'cufflinks':\n writer = CufflinksWriter(rnaDB, featureType, dataset=dataset)\n elif rnaType == 'kallisto':\n writer = KallistoWriter(rnaDB, featureType, dataset=dataset)\n elif rnaType == 'rsem':\n writer = RsemWriter(rnaDB, featureType, dataset=dataset)\n writeRnaseqTable(rnaDB, [localName], description, featureSetIds,\n readGroupId=readGroupIds, programs=programs, biosampleId=biosampleId)\n writeExpressionTable(writer, [(localName, quantificationFilename)])\n",
"role": "user"
},
{
"content": "rnaseq2ga",
"role": "assistant"
}
] |
def x(self, datafields):
self._rnaValueList.append(datafields)
if len(self._rnaValueList) >= self._batchSize:
self.batchaddRNAQuantification()
|
addRNAQuantification
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datafields):\n self._rnaValueList.append(datafields)\n if len(self._rnaValueList) >= self._batchSize:\n self.batchaddRNAQuantification()\n",
"role": "user"
},
{
"content": "addRNAQuantification",
"role": "assistant"
}
] |
def x(self, datafields):
self._expressionValueList.append(datafields)
if len(self._expressionValueList) >= self._batchSize:
self.batchAddExpression()
|
addExpression
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datafields):\n self._expressionValueList.append(datafields)\n if len(self._expressionValueList) >= self._batchSize:\n self.batchAddExpression()\n",
"role": "user"
},
{
"content": "addExpression",
"role": "assistant"
}
] |
def x(self):
sql = """CREATE INDEX name_index
ON Expression (name)"""
self._cursor.execute(sql)
self._dbConn.commit()
sql = """CREATE INDEX expression_index
ON Expression (expression)"""
self._cursor.execute(sql)
self._dbConn.commit()
|
createIndices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sql = \"\"\"CREATE INDEX name_index\n ON Expression (name)\"\"\"\n self._cursor.execute(sql)\n self._dbConn.commit()\n sql = \"\"\"CREATE INDEX expression_index\n ON Expression (expression)\"\"\"\n self._cursor.execute(sql)\n self._dbConn.commit()\n",
"role": "user"
},
{
"content": "createIndices",
"role": "assistant"
}
] |
def x(self, rnaQuantificationId, quantfilename):
isNormalized = self._isNormalized
units = self._units
with open(quantfilename, 'r') as quantFile:
quantificationReader = csv.reader(quantFile, delimiter=b'\t')
header = next(quantificationReader)
expressionLevelColNum = self.setColNum(header, self._expressionLevelCol
)
nameColNum = self.setColNum(header, self._nameCol)
countColNum = self.setColNum(header, self._countCol, -1)
confColLowNum = self.setColNum(header, self._confColLow, -1)
confColHiNum = self.setColNum(header, self._confColHi, -1)
expressionId = 0
for expression in quantificationReader:
expressionLevel = expression[expressionLevelColNum]
name = expression[nameColNum]
rawCount = 0.0
if countColNum != -1:
rawCount = expression[countColNum]
confidenceLow = 0.0
confidenceHi = 0.0
score = 0.0
if confColLowNum != -1 and confColHiNum != -1:
confidenceLow = float(expression[confColLowNum])
confidenceHi = float(expression[confColHiNum])
score = (confidenceLow + confidenceHi) / 2
datafields = (expressionId, rnaQuantificationId, name,
expressionLevel, isNormalized, rawCount, score, units,
confidenceLow, confidenceHi)
self._db.addExpression(datafields)
expressionId += 1
self._db.batchAddExpression()
|
writeExpression
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantificationId, quantfilename):\n isNormalized = self._isNormalized\n units = self._units\n with open(quantfilename, 'r') as quantFile:\n quantificationReader = csv.reader(quantFile, delimiter=b'\\t')\n header = next(quantificationReader)\n expressionLevelColNum = self.setColNum(header, self._expressionLevelCol\n )\n nameColNum = self.setColNum(header, self._nameCol)\n countColNum = self.setColNum(header, self._countCol, -1)\n confColLowNum = self.setColNum(header, self._confColLow, -1)\n confColHiNum = self.setColNum(header, self._confColHi, -1)\n expressionId = 0\n for expression in quantificationReader:\n expressionLevel = expression[expressionLevelColNum]\n name = expression[nameColNum]\n rawCount = 0.0\n if countColNum != -1:\n rawCount = expression[countColNum]\n confidenceLow = 0.0\n confidenceHi = 0.0\n score = 0.0\n if confColLowNum != -1 and confColHiNum != -1:\n confidenceLow = float(expression[confColLowNum])\n confidenceHi = float(expression[confColHiNum])\n score = (confidenceLow + confidenceHi) / 2\n datafields = (expressionId, rnaQuantificationId, name,\n expressionLevel, isNormalized, rawCount, score, units,\n confidenceLow, confidenceHi)\n self._db.addExpression(datafields)\n expressionId += 1\n self._db.batchAddExpression()\n",
"role": "user"
},
{
"content": "writeExpression",
"role": "assistant"
}
] |
def x(ac, startIndex=None, endIndex=None):
urlFmt = (
'http://eutils.ncbi.nlm.nih.gov/entrez/eutils/efetch.fcgi?db=nucleotide&id={ac}&rettype=fasta&retmode=text'
)
if startIndex is None or endIndex is None:
url = urlFmt.format(ac=ac)
else:
urlFmt += '&seq_start={start}&seq_stop={stop}'
url = urlFmt.format(ac=ac, start=startIndex + 1, stop=endIndex)
resp = requests.get(url)
resp.raise_for_status()
seqlines = resp.content.splitlines()[1:]
print('{ac}[{s},{e}) => {n} lines ({u})'.format(ac=ac, s=startIndex, e=
endIndex, n=len(seqlines), u=url))
return seqlines
|
fetchSequence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac, startIndex=None, endIndex=None):\n urlFmt = (\n 'http://eutils.ncbi.nlm.nih.gov/entrez/eutils/efetch.fcgi?db=nucleotide&id={ac}&rettype=fasta&retmode=text'\n )\n if startIndex is None or endIndex is None:\n url = urlFmt.format(ac=ac)\n else:\n urlFmt += '&seq_start={start}&seq_stop={stop}'\n url = urlFmt.format(ac=ac, start=startIndex + 1, stop=endIndex)\n resp = requests.get(url)\n resp.raise_for_status()\n seqlines = resp.content.splitlines()[1:]\n print('{ac}[{s},{e}) => {n} lines ({u})'.format(ac=ac, s=startIndex, e=\n endIndex, n=len(seqlines), u=url))\n return seqlines\n",
"role": "user"
},
{
"content": "fetchSequence",
"role": "assistant"
}
] |
def x(self, baseHeader):
header = dict(baseHeader)
newSequences = []
for index, referenceInfo in enumerate(header['SQ']):
if index < self.numChromosomes:
referenceName = referenceInfo['SN']
assert referenceName == self.chromosomes[index]
newReferenceInfo = {'AS': self.referenceSetName, 'SN':
referenceName, 'LN': 0, 'UR': 'http://example.com', 'M5':
'dbb6e8ece0b5de29da56601613007c2a', 'SP': 'Human'}
newSequences.append(newReferenceInfo)
header['SQ'] = newSequences
return header
|
createBamHeader
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, baseHeader):\n header = dict(baseHeader)\n newSequences = []\n for index, referenceInfo in enumerate(header['SQ']):\n if index < self.numChromosomes:\n referenceName = referenceInfo['SN']\n assert referenceName == self.chromosomes[index]\n newReferenceInfo = {'AS': self.referenceSetName, 'SN':\n referenceName, 'LN': 0, 'UR': 'http://example.com', 'M5':\n 'dbb6e8ece0b5de29da56601613007c2a', 'SP': 'Human'}\n newSequences.append(newReferenceInfo)\n header['SQ'] = newSequences\n return header\n",
"role": "user"
},
{
"content": "createBamHeader",
"role": "assistant"
}
] |
def x(self):
repo = datarepo.SqlDataRepository(self.repoPath)
repo.open('w')
repo.initialise()
referenceSet = references.HtslibReferenceSet('GRCh37-subset')
referenceSet.populateFromFile(self.fastaFilePath)
referenceSet.setDescription('Subset of GRCh37 used for demonstration')
referenceSet.setSpeciesFromJson('{"id": "9606",' +
'"term": "Homo sapiens", "source_name": "NCBI"}')
for reference in referenceSet.getReferences():
reference.setSpeciesFromJson('{"id": "9606",' +
'"term": "Homo sapiens", "source_name": "NCBI"}')
reference.setSourceAccessions(self.accessions[reference.getName()] +
'.subset')
repo.insertReferenceSet(referenceSet)
dataset = datasets.Dataset('1kg-p3-subset')
dataset.setDescription('Sample data from 1000 Genomes phase 3')
repo.insertDataset(dataset)
variantSet = variants.HtslibVariantSet(dataset, 'mvncall')
variantSet.setReferenceSet(referenceSet)
dataUrls = [vcfFile for vcfFile, _ in self.vcfFilePaths]
indexFiles = [indexFile for _, indexFile in self.vcfFilePaths]
variantSet.populateFromFile(dataUrls, indexFiles)
variantSet.checkConsistency()
repo.insertVariantSet(variantSet)
for sample, (bamFile, indexFile) in zip(self.samples, self.bamFilePaths):
readGroupSet = reads.HtslibReadGroupSet(dataset, sample)
readGroupSet.populateFromFile(bamFile, indexFile)
readGroupSet.setReferenceSet(referenceSet)
repo.insertReadGroupSet(readGroupSet)
repo.commit()
repo.close()
self.log('Finished creating the repository; summary:\n')
repo.open('r')
repo.printSummary()
|
createRepo
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n repo = datarepo.SqlDataRepository(self.repoPath)\n repo.open('w')\n repo.initialise()\n referenceSet = references.HtslibReferenceSet('GRCh37-subset')\n referenceSet.populateFromFile(self.fastaFilePath)\n referenceSet.setDescription('Subset of GRCh37 used for demonstration')\n referenceSet.setSpeciesFromJson('{\"id\": \"9606\",' +\n '\"term\": \"Homo sapiens\", \"source_name\": \"NCBI\"}')\n for reference in referenceSet.getReferences():\n reference.setSpeciesFromJson('{\"id\": \"9606\",' +\n '\"term\": \"Homo sapiens\", \"source_name\": \"NCBI\"}')\n reference.setSourceAccessions(self.accessions[reference.getName()] +\n '.subset')\n repo.insertReferenceSet(referenceSet)\n dataset = datasets.Dataset('1kg-p3-subset')\n dataset.setDescription('Sample data from 1000 Genomes phase 3')\n repo.insertDataset(dataset)\n variantSet = variants.HtslibVariantSet(dataset, 'mvncall')\n variantSet.setReferenceSet(referenceSet)\n dataUrls = [vcfFile for vcfFile, _ in self.vcfFilePaths]\n indexFiles = [indexFile for _, indexFile in self.vcfFilePaths]\n variantSet.populateFromFile(dataUrls, indexFiles)\n variantSet.checkConsistency()\n repo.insertVariantSet(variantSet)\n for sample, (bamFile, indexFile) in zip(self.samples, self.bamFilePaths):\n readGroupSet = reads.HtslibReadGroupSet(dataset, sample)\n readGroupSet.populateFromFile(bamFile, indexFile)\n readGroupSet.setReferenceSet(referenceSet)\n repo.insertReadGroupSet(readGroupSet)\n repo.commit()\n repo.close()\n self.log('Finished creating the repository; summary:\\n')\n repo.open('r')\n repo.printSummary()\n",
"role": "user"
},
{
"content": "createRepo",
"role": "assistant"
}
] |
def x(app):
dataSource = urlparse.urlparse(app.config['DATA_SOURCE'], 'file')
if dataSource.scheme == 'simulated':
randomSeed = app.config['SIMULATED_BACKEND_RANDOM_SEED']
numCalls = app.config['SIMULATED_BACKEND_NUM_CALLS']
variantDensity = app.config['SIMULATED_BACKEND_VARIANT_DENSITY']
numVariantSets = app.config['SIMULATED_BACKEND_NUM_VARIANT_SETS']
numReferenceSets = app.config['SIMULATED_BACKEND_NUM_REFERENCE_SETS']
numReferencesPerReferenceSet = app.config[
'SIMULATED_BACKEND_NUM_REFERENCES_PER_REFERENCE_SET']
numAlignmentsPerReadGroup = app.config[
'SIMULATED_BACKEND_NUM_ALIGNMENTS_PER_READ_GROUP']
numReadGroupsPerReadGroupSet = app.config[
'SIMULATED_BACKEND_NUM_READ_GROUPS_PER_READ_GROUP_SET']
numPhenotypeAssociations = app.config[
'SIMULATED_BACKEND_NUM_PHENOTYPE_ASSOCIATIONS']
numPhenotypeAssociationSets = app.config[
'SIMULATED_BACKEND_NUM_PHENOTYPE_ASSOCIATION_SETS']
numRnaQuantSets = app.config[
'SIMULATED_BACKEND_NUM_RNA_QUANTIFICATION_SETS']
numExpressionLevels = app.config[
'SIMULATED_BACKEND_NUM_EXPRESSION_LEVELS_PER_RNA_QUANT_SET']
dataRepository = datarepo.SimulatedDataRepository(randomSeed=
randomSeed, numCalls=numCalls, variantDensity=variantDensity,
numVariantSets=numVariantSets, numReferenceSets=
numReferenceSets, numReferencesPerReferenceSet=
numReferencesPerReferenceSet, numReadGroupsPerReadGroupSet=
numReadGroupsPerReadGroupSet, numAlignments=
numAlignmentsPerReadGroup, numPhenotypeAssociations=
numPhenotypeAssociations, numPhenotypeAssociationSets=
numPhenotypeAssociationSets, numRnaQuantSets=numRnaQuantSets,
numExpressionLevels=numExpressionLevels)
elif dataSource.scheme == 'empty':
dataRepository = datarepo.EmptyDataRepository()
elif dataSource.scheme == 'file':
path = os.path.join(dataSource.netloc, dataSource.path)
dataRepository = datarepo.SqlDataRepository(path)
dataRepository.open(datarepo.MODE_READ)
else:
raise exceptions.ConfigurationException(
'Unsupported data source scheme: ' + dataSource.scheme)
theBackend = backend.Backend(dataRepository)
theBackend.setRequestValidation(app.config['REQUEST_VALIDATION'])
theBackend.setDefaultPageSize(app.config['DEFAULT_PAGE_SIZE'])
theBackend.setMaxResponseLength(app.config['MAX_RESPONSE_LENGTH'])
return theBackend
|
configure_backend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n dataSource = urlparse.urlparse(app.config['DATA_SOURCE'], 'file')\n if dataSource.scheme == 'simulated':\n randomSeed = app.config['SIMULATED_BACKEND_RANDOM_SEED']\n numCalls = app.config['SIMULATED_BACKEND_NUM_CALLS']\n variantDensity = app.config['SIMULATED_BACKEND_VARIANT_DENSITY']\n numVariantSets = app.config['SIMULATED_BACKEND_NUM_VARIANT_SETS']\n numReferenceSets = app.config['SIMULATED_BACKEND_NUM_REFERENCE_SETS']\n numReferencesPerReferenceSet = app.config[\n 'SIMULATED_BACKEND_NUM_REFERENCES_PER_REFERENCE_SET']\n numAlignmentsPerReadGroup = app.config[\n 'SIMULATED_BACKEND_NUM_ALIGNMENTS_PER_READ_GROUP']\n numReadGroupsPerReadGroupSet = app.config[\n 'SIMULATED_BACKEND_NUM_READ_GROUPS_PER_READ_GROUP_SET']\n numPhenotypeAssociations = app.config[\n 'SIMULATED_BACKEND_NUM_PHENOTYPE_ASSOCIATIONS']\n numPhenotypeAssociationSets = app.config[\n 'SIMULATED_BACKEND_NUM_PHENOTYPE_ASSOCIATION_SETS']\n numRnaQuantSets = app.config[\n 'SIMULATED_BACKEND_NUM_RNA_QUANTIFICATION_SETS']\n numExpressionLevels = app.config[\n 'SIMULATED_BACKEND_NUM_EXPRESSION_LEVELS_PER_RNA_QUANT_SET']\n dataRepository = datarepo.SimulatedDataRepository(randomSeed=\n randomSeed, numCalls=numCalls, variantDensity=variantDensity,\n numVariantSets=numVariantSets, numReferenceSets=\n numReferenceSets, numReferencesPerReferenceSet=\n numReferencesPerReferenceSet, numReadGroupsPerReadGroupSet=\n numReadGroupsPerReadGroupSet, numAlignments=\n numAlignmentsPerReadGroup, numPhenotypeAssociations=\n numPhenotypeAssociations, numPhenotypeAssociationSets=\n numPhenotypeAssociationSets, numRnaQuantSets=numRnaQuantSets,\n numExpressionLevels=numExpressionLevels)\n elif dataSource.scheme == 'empty':\n dataRepository = datarepo.EmptyDataRepository()\n elif dataSource.scheme == 'file':\n path = os.path.join(dataSource.netloc, dataSource.path)\n dataRepository = datarepo.SqlDataRepository(path)\n dataRepository.open(datarepo.MODE_READ)\n else:\n raise exceptions.ConfigurationException(\n 'Unsupported data source scheme: ' + dataSource.scheme)\n theBackend = backend.Backend(dataRepository)\n theBackend.setRequestValidation(app.config['REQUEST_VALIDATION'])\n theBackend.setDefaultPageSize(app.config['DEFAULT_PAGE_SIZE'])\n theBackend.setMaxResponseLength(app.config['MAX_RESPONSE_LENGTH'])\n return theBackend\n",
"role": "user"
},
{
"content": "configure_backend",
"role": "assistant"
}
] |
def x(configFile=None, baseConfig='ProductionConfig', port=8000, extraConfig={}
):
file_handler = StreamHandler()
file_handler.setLevel(logging.WARNING)
app.logger.addHandler(file_handler)
configStr = 'ga4gh.server.serverconfig:{0}'.format(baseConfig)
app.config.from_object(configStr)
if os.environ.get('GA4GH_CONFIGURATION') is not None:
app.config.from_envvar('GA4GH_CONFIGURATION')
if configFile is not None:
app.config.from_pyfile(configFile)
app.config.update(extraConfig.items())
datamodel.fileHandleCache.setMaxCacheSize(app.config[
'FILE_HANDLE_CACHE_MAX_SIZE'])
try:
cors.CORS(app, allow_headers='Content-Type')
except AssertionError:
pass
app.serverStatus = ServerStatus()
app.backend = _configure_backend(app)
if app.config.get('SECRET_KEY'):
app.secret_key = app.config['SECRET_KEY']
elif app.config.get('OIDC_PROVIDER'):
raise exceptions.ConfigurationException(
'OIDC configuration requires a secret key')
if app.config.get('CACHE_DIRECTORY'):
app.cache_dir = app.config['CACHE_DIRECTORY']
else:
app.cache_dir = '/tmp/ga4gh'
app.cache = FileSystemCache(app.cache_dir, threshold=5000,
default_timeout=600, mode=384)
network.initialize(app.config.get('INITIAL_PEERS'), app.backend.
getDataRepository(), app.logger)
app.oidcClient = None
app.myPort = port
if app.config.get('AUTH0_ENABLED'):
emails = app.config.get('AUTH0_AUTHORIZED_EMAILS', '').split(',')
[auth.authorize_email(e, app.cache) for e in emails]
if 'OIDC_PROVIDER' in app.config:
app.oidcClient = oic.oic.Client(verify_ssl='TESTING' not in app.config)
try:
app.oidcClient.provider_config(app.config['OIDC_PROVIDER'])
except requests.exceptions.ConnectionError:
configResponse = message.ProviderConfigurationResponse(issuer=
app.config['OIDC_PROVIDER'], authorization_endpoint=app.
config['OIDC_AUTHZ_ENDPOINT'], token_endpoint=app.config[
'OIDC_TOKEN_ENDPOINT'], revocation_endpoint=app.config[
'OIDC_TOKEN_REV_ENDPOINT'])
app.oidcClient.handle_provider_config(configResponse, app.
config['OIDC_PROVIDER'])
redirectUri = app.config.get('OIDC_REDIRECT_URI')
if redirectUri is None and app.config.get('TESTING'):
redirectUri = 'https://{0}:{1}/oauth2callback'.format(socket.
gethostname(), app.myPort)
app.oidcClient.redirect_uris = [redirectUri]
if redirectUri is []:
raise exceptions.ConfigurationException(
'OIDC configuration requires a redirect uri')
if ('registration_endpoint' in app.oidcClient.provider_info and app
.config.get('TESTING')):
app.oidcClient.register(app.oidcClient.provider_info[
'registration_endpoint'], redirect_uris=[redirectUri])
else:
response = message.RegistrationResponse(client_id=app.config[
'OIDC_CLIENT_ID'], client_secret=app.config[
'OIDC_CLIENT_SECRET'], redirect_uris=[redirectUri],
verify_ssl=False)
app.oidcClient.store_registration_info(response)
|
configure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configFile=None, baseConfig='ProductionConfig', port=8000, extraConfig={}\n ):\n file_handler = StreamHandler()\n file_handler.setLevel(logging.WARNING)\n app.logger.addHandler(file_handler)\n configStr = 'ga4gh.server.serverconfig:{0}'.format(baseConfig)\n app.config.from_object(configStr)\n if os.environ.get('GA4GH_CONFIGURATION') is not None:\n app.config.from_envvar('GA4GH_CONFIGURATION')\n if configFile is not None:\n app.config.from_pyfile(configFile)\n app.config.update(extraConfig.items())\n datamodel.fileHandleCache.setMaxCacheSize(app.config[\n 'FILE_HANDLE_CACHE_MAX_SIZE'])\n try:\n cors.CORS(app, allow_headers='Content-Type')\n except AssertionError:\n pass\n app.serverStatus = ServerStatus()\n app.backend = _configure_backend(app)\n if app.config.get('SECRET_KEY'):\n app.secret_key = app.config['SECRET_KEY']\n elif app.config.get('OIDC_PROVIDER'):\n raise exceptions.ConfigurationException(\n 'OIDC configuration requires a secret key')\n if app.config.get('CACHE_DIRECTORY'):\n app.cache_dir = app.config['CACHE_DIRECTORY']\n else:\n app.cache_dir = '/tmp/ga4gh'\n app.cache = FileSystemCache(app.cache_dir, threshold=5000,\n default_timeout=600, mode=384)\n network.initialize(app.config.get('INITIAL_PEERS'), app.backend.\n getDataRepository(), app.logger)\n app.oidcClient = None\n app.myPort = port\n if app.config.get('AUTH0_ENABLED'):\n emails = app.config.get('AUTH0_AUTHORIZED_EMAILS', '').split(',')\n [auth.authorize_email(e, app.cache) for e in emails]\n if 'OIDC_PROVIDER' in app.config:\n app.oidcClient = oic.oic.Client(verify_ssl='TESTING' not in app.config)\n try:\n app.oidcClient.provider_config(app.config['OIDC_PROVIDER'])\n except requests.exceptions.ConnectionError:\n configResponse = message.ProviderConfigurationResponse(issuer=\n app.config['OIDC_PROVIDER'], authorization_endpoint=app.\n config['OIDC_AUTHZ_ENDPOINT'], token_endpoint=app.config[\n 'OIDC_TOKEN_ENDPOINT'], revocation_endpoint=app.config[\n 'OIDC_TOKEN_REV_ENDPOINT'])\n app.oidcClient.handle_provider_config(configResponse, app.\n config['OIDC_PROVIDER'])\n redirectUri = app.config.get('OIDC_REDIRECT_URI')\n if redirectUri is None and app.config.get('TESTING'):\n redirectUri = 'https://{0}:{1}/oauth2callback'.format(socket.\n gethostname(), app.myPort)\n app.oidcClient.redirect_uris = [redirectUri]\n if redirectUri is []:\n raise exceptions.ConfigurationException(\n 'OIDC configuration requires a redirect uri')\n if ('registration_endpoint' in app.oidcClient.provider_info and app\n .config.get('TESTING')):\n app.oidcClient.register(app.oidcClient.provider_info[\n 'registration_endpoint'], redirect_uris=[redirectUri])\n else:\n response = message.RegistrationResponse(client_id=app.config[\n 'OIDC_CLIENT_ID'], client_secret=app.config[\n 'OIDC_CLIENT_SECRET'], redirect_uris=[redirectUri],\n verify_ssl=False)\n app.oidcClient.store_registration_info(response)\n",
"role": "user"
},
{
"content": "configure",
"role": "assistant"
}
] |
def x(responseString, httpStatus=200):
return flask.Response(responseString, status=httpStatus, mimetype=MIMETYPE)
|
getFlaskResponse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(responseString, httpStatus=200):\n return flask.Response(responseString, status=httpStatus, mimetype=MIMETYPE)\n",
"role": "user"
},
{
"content": "getFlaskResponse",
"role": "assistant"
}
] |
def x(request, endpoint):
if request.mimetype and request.mimetype != MIMETYPE:
raise exceptions.UnsupportedMediaTypeException()
request = request.get_data()
if request == '' or request is None:
request = '{}'
responseStr = endpoint(request)
return getFlaskResponse(responseStr)
|
handleHttpPost
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, endpoint):\n if request.mimetype and request.mimetype != MIMETYPE:\n raise exceptions.UnsupportedMediaTypeException()\n request = request.get_data()\n if request == '' or request is None:\n request = '{}'\n responseStr = endpoint(request)\n return getFlaskResponse(responseStr)\n",
"role": "user"
},
{
"content": "handleHttpPost",
"role": "assistant"
}
] |
def x(exception):
serverException = exception
if not isinstance(exception, exceptions.BaseServerException):
with app.test_request_context():
app.log_exception(exception)
serverException = exceptions.getServerError(exception)
error = serverException.toProtocolElement()
if (flask.request and 'Accept' in flask.request.headers and flask.
request.headers['Accept'].find('text/html') != -1):
message = '<h1>Error {}</h1><pre>{}</pre>'.format(serverException.
httpStatus, protocol.toJson(error))
if (serverException.httpStatus == 401 or serverException.httpStatus ==
403):
message += 'Please try <a href="/login">logging in</a>.'
return message
else:
responseStr = protocol.toJson(error)
return getFlaskResponse(responseStr, serverException.httpStatus)
|
handleException
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exception):\n serverException = exception\n if not isinstance(exception, exceptions.BaseServerException):\n with app.test_request_context():\n app.log_exception(exception)\n serverException = exceptions.getServerError(exception)\n error = serverException.toProtocolElement()\n if (flask.request and 'Accept' in flask.request.headers and flask.\n request.headers['Accept'].find('text/html') != -1):\n message = '<h1>Error {}</h1><pre>{}</pre>'.format(serverException.\n httpStatus, protocol.toJson(error))\n if (serverException.httpStatus == 401 or serverException.httpStatus ==\n 403):\n message += 'Please try <a href=\"/login\">logging in</a>.'\n return message\n else:\n responseStr = protocol.toJson(error)\n return getFlaskResponse(responseStr, serverException.httpStatus)\n",
"role": "user"
},
{
"content": "handleException",
"role": "assistant"
}
] |
def x():
flask.session['state'] = oic.oauth2.rndstr(SECRET_KEY_LENGTH)
flask.session['nonce'] = oic.oauth2.rndstr(SECRET_KEY_LENGTH)
args = {'client_id': app.oidcClient.client_id, 'response_type': 'code',
'scope': ['openid', 'profile'], 'nonce': flask.session['nonce'],
'redirect_uri': app.oidcClient.redirect_uris[0], 'state': flask.
session['state']}
result = app.oidcClient.do_authorization_request(request_args=args,
state=flask.session['state'])
return flask.redirect(result.url)
|
startLogin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n flask.session['state'] = oic.oauth2.rndstr(SECRET_KEY_LENGTH)\n flask.session['nonce'] = oic.oauth2.rndstr(SECRET_KEY_LENGTH)\n args = {'client_id': app.oidcClient.client_id, 'response_type': 'code',\n 'scope': ['openid', 'profile'], 'nonce': flask.session['nonce'],\n 'redirect_uri': app.oidcClient.redirect_uris[0], 'state': flask.\n session['state']}\n result = app.oidcClient.do_authorization_request(request_args=args,\n state=flask.session['state'])\n return flask.redirect(result.url)\n",
"role": "user"
},
{
"content": "startLogin",
"role": "assistant"
}
] |
def x():
if app.oidcClient is None:
return
if flask.request.endpoint == 'oidcCallback':
return
key = flask.session.get('key') or flask.request.args.get('key')
if key is None or not app.cache.get(key):
if 'key' in flask.request.args:
raise exceptions.NotAuthenticatedException()
else:
return startLogin()
|
checkAuthentication
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if app.oidcClient is None:\n return\n if flask.request.endpoint == 'oidcCallback':\n return\n key = flask.session.get('key') or flask.request.args.get('key')\n if key is None or not app.cache.get(key):\n if 'key' in flask.request.args:\n raise exceptions.NotAuthenticatedException()\n else:\n return startLogin()\n",
"role": "user"
},
{
"content": "checkAuthentication",
"role": "assistant"
}
] |
def x(id_, flaskRequest, endpoint):
if flaskRequest.method == 'GET':
return handleHttpGet(id_, endpoint)
else:
raise exceptions.MethodNotAllowedException()
|
handleFlaskGetRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id_, flaskRequest, endpoint):\n if flaskRequest.method == 'GET':\n return handleHttpGet(id_, endpoint)\n else:\n raise exceptions.MethodNotAllowedException()\n",
"role": "user"
},
{
"content": "handleFlaskGetRequest",
"role": "assistant"
}
] |
def x(flaskRequest, endpoint):
if flaskRequest.method == 'POST':
return handleHttpPost(flaskRequest, endpoint)
elif flaskRequest.method == 'OPTIONS':
return handleHttpOptions()
else:
raise exceptions.MethodNotAllowedException()
|
handleFlaskPostRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(flaskRequest, endpoint):\n if flaskRequest.method == 'POST':\n return handleHttpPost(flaskRequest, endpoint)\n elif flaskRequest.method == 'OPTIONS':\n return handleHttpOptions()\n else:\n raise exceptions.MethodNotAllowedException()\n",
"role": "user"
},
{
"content": "handleFlaskPostRequest",
"role": "assistant"
}
] |
def x(self, datasetId):
variantAnnotationSets = []
dataset = app.backend.getDataRepository().getDataset(datasetId)
for variantSet in dataset.getVariantSets():
variantAnnotationSets.extend(variantSet.getVariantAnnotationSets())
return variantAnnotationSets
|
getVariantAnnotationSets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, datasetId):\n variantAnnotationSets = []\n dataset = app.backend.getDataRepository().getDataset(datasetId)\n for variantSet in dataset.getVariantSets():\n variantAnnotationSets.extend(variantSet.getVariantAnnotationSets())\n return variantAnnotationSets\n",
"role": "user"
},
{
"content": "getVariantAnnotationSets",
"role": "assistant"
}
] |
def x(app=None):
def x(f):
@functools.wraps(f)
def x(*args, **kwargs):
if app.config.get('AUTH0_ENABLED', False):
client_id = app.config.get('AUTH0_CLIENT_ID')
client_secret = app.config.get('AUTH0_CLIENT_SECRET')
auth_header = flask.request.headers.get('Authorization', None)
if auth_header:
token, profile = decode_header(auth_header, client_id,
client_secret)
else:
raise exceptions.NotAuthorizedException()
flask.session['auth0_key'] = token
is_authorized(app.cache, profile['email'])
is_active(app.cache, token)
return f(*args, **kwargs)
return decorated
return requires_auth
|
auth_decorator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app=None):\n\n def x(f):\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n if app.config.get('AUTH0_ENABLED', False):\n client_id = app.config.get('AUTH0_CLIENT_ID')\n client_secret = app.config.get('AUTH0_CLIENT_SECRET')\n auth_header = flask.request.headers.get('Authorization', None)\n if auth_header:\n token, profile = decode_header(auth_header, client_id,\n client_secret)\n else:\n raise exceptions.NotAuthorizedException()\n flask.session['auth0_key'] = token\n is_authorized(app.cache, profile['email'])\n is_active(app.cache, token)\n return f(*args, **kwargs)\n return decorated\n return requires_auth\n",
"role": "user"
},
{
"content": "auth_decorator",
"role": "assistant"
}
] |
def x(auth_header, client_id, client_secret):
return _decode_header(_well_formed(_has_token(_has_bearer(_has_header(
auth_header)))), client_id, client_secret)
|
decode_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth_header, client_id, client_secret):\n return _decode_header(_well_formed(_has_token(_has_bearer(_has_header(\n auth_header)))), client_id, client_secret)\n",
"role": "user"
},
{
"content": "decode_header",
"role": "assistant"
}
] |
def x(cache):
cache.set(flask.session['auth0_key'], None)
flask.session.clear()
return True
|
logout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cache):\n cache.set(flask.session['auth0_key'], None)\n flask.session.clear()\n return True\n",
"role": "user"
},
{
"content": "logout",
"role": "assistant"
}
] |
def x(cache=None, domain='', client_id='', client_secret='', redirect_uri=''):
def x():
code = flask.request.args.get('code')
if code is None:
raise exceptions.NotAuthorizedException(
'The callback expects a well formatted code, {} was provided'
.format(code))
json_header = {'content-type': 'application/json'}
token_url = 'https://{domain}/oauth/token'.format(domain=domain)
token_payload = {'client_id': client_id, 'client_secret':
client_secret, 'redirect_uri': redirect_uri, 'code': code,
'grant_type': 'authorization_code'}
try:
token_info = requests.post(token_url, data=json.dumps(
token_payload), headers=json_header).json()
id_token = token_info['id_token']
access_token = token_info['access_token']
except Exception as e:
raise exceptions.NotAuthorizedException(
"""The callback from Auth0 did notinclude the expected tokens:
{}"""
.format(e.message))
try:
user_url = ('https://{domain}/userinfo?access_token={access_token}'
.format(domain=domain, access_token=access_token))
user_info = requests.get(user_url).json()
email = user_info['email']
except Exception as e:
raise exceptions.NotAuthorizedException(
"""The user profile from Auth0 did not contain the expected data:
{}"""
.format(e.message))
user = cache.get(email)
if user and user['authorized']:
cache.set(id_token, user_info)
return flask.redirect('/login?code={}'.format(id_token))
else:
return flask.redirect('/login')
return callback_handling
|
callback_maker
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cache=None, domain='', client_id='', client_secret='', redirect_uri=''):\n\n def x():\n code = flask.request.args.get('code')\n if code is None:\n raise exceptions.NotAuthorizedException(\n 'The callback expects a well formatted code, {} was provided'\n .format(code))\n json_header = {'content-type': 'application/json'}\n token_url = 'https://{domain}/oauth/token'.format(domain=domain)\n token_payload = {'client_id': client_id, 'client_secret':\n client_secret, 'redirect_uri': redirect_uri, 'code': code,\n 'grant_type': 'authorization_code'}\n try:\n token_info = requests.post(token_url, data=json.dumps(\n token_payload), headers=json_header).json()\n id_token = token_info['id_token']\n access_token = token_info['access_token']\n except Exception as e:\n raise exceptions.NotAuthorizedException(\n \"\"\"The callback from Auth0 did notinclude the expected tokens: \n{}\"\"\"\n .format(e.message))\n try:\n user_url = ('https://{domain}/userinfo?access_token={access_token}'\n .format(domain=domain, access_token=access_token))\n user_info = requests.get(user_url).json()\n email = user_info['email']\n except Exception as e:\n raise exceptions.NotAuthorizedException(\n \"\"\"The user profile from Auth0 did not contain the expected data: \n {}\"\"\"\n .format(e.message))\n user = cache.get(email)\n if user and user['authorized']:\n cache.set(id_token, user_info)\n return flask.redirect('/login?code={}'.format(id_token))\n else:\n return flask.redirect('/login')\n return callback_handling\n",
"role": "user"
},
{
"content": "callback_maker",
"role": "assistant"
}
] |
def x(app=None, scopes='', redirect_uri='', domain='', client_id=''):
return app.jinja_env.from_string(LOGIN_HTML).render(scopes=scopes,
redirect_uri=redirect_uri, domain=domain, client_id=client_id)
|
render_login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app=None, scopes='', redirect_uri='', domain='', client_id=''):\n return app.jinja_env.from_string(LOGIN_HTML).render(scopes=scopes,\n redirect_uri=redirect_uri, domain=domain, client_id=client_id)\n",
"role": "user"
},
{
"content": "render_login",
"role": "assistant"
}
] |
def x(app, key=''):
return app.jinja_env.from_string(KEY_HTML).render(key=key)
|
render_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app, key=''):\n return app.jinja_env.from_string(KEY_HTML).render(key=key)\n",
"role": "user"
},
{
"content": "render_key",
"role": "assistant"
}
] |
def x(auth_header, client_id, client_secret):
try:
token = auth_header.split()[1]
payload = jwt.decode(token, client_secret, audience=client_id)
except jwt.ExpiredSignature:
raise exceptions.NotAuthorizedException(
'Token has expired, please log in again.')
except jwt.InvalidAudienceError:
message = 'Incorrect audience, expected: {}'.format(client_id)
raise exceptions.NotAuthorizedException(message)
except jwt.DecodeError:
raise exceptions.NotAuthorizedException(
'Token signature could not be validated.')
except Exception as e:
raise exceptions.NotAuthorizedException(
'Token signature was malformed. {}'.format(e.message))
return token, payload
|
decode_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(auth_header, client_id, client_secret):\n try:\n token = auth_header.split()[1]\n payload = jwt.decode(token, client_secret, audience=client_id)\n except jwt.ExpiredSignature:\n raise exceptions.NotAuthorizedException(\n 'Token has expired, please log in again.')\n except jwt.InvalidAudienceError:\n message = 'Incorrect audience, expected: {}'.format(client_id)\n raise exceptions.NotAuthorizedException(message)\n except jwt.DecodeError:\n raise exceptions.NotAuthorizedException(\n 'Token signature could not be validated.')\n except Exception as e:\n raise exceptions.NotAuthorizedException(\n 'Token signature was malformed. {}'.format(e.message))\n return token, payload\n",
"role": "user"
},
{
"content": "decode_header",
"role": "assistant"
}
] |
def x(cache, token):
profile = cache.get(token)
if not profile:
raise exceptions.NotAuthenticatedException(
'The token is good, but you are not logged in. Please try logging in again.'
)
return profile
|
is_active
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cache, token):\n profile = cache.get(token)\n if not profile:\n raise exceptions.NotAuthenticatedException(\n 'The token is good, but you are not logged in. Please try logging in again.'\n )\n return profile\n",
"role": "user"
},
{
"content": "is_active",
"role": "assistant"
}
] |
def x(self, reference):
id_ = reference.getId()
self._referenceIdMap[id_] = reference
self._referenceNameMap[reference.getLocalId()] = reference
self._referenceIds.append(id_)
|
addReference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference):\n id_ = reference.getId()\n self._referenceIdMap[id_] = reference\n self._referenceNameMap[reference.getLocalId()] = reference\n self._referenceIds.append(id_)\n",
"role": "user"
},
{
"content": "addReference",
"role": "assistant"
}
] |
def x(self, speciesJson):
try:
parsed = protocol.fromJson(speciesJson, protocol.OntologyTerm)
except:
raise exceptions.InvalidJsonException(speciesJson)
self._species = protocol.toJsonDict(parsed)
|
setSpeciesFromJson
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, speciesJson):\n try:\n parsed = protocol.fromJson(speciesJson, protocol.OntologyTerm)\n except:\n raise exceptions.InvalidJsonException(speciesJson)\n self._species = protocol.toJsonDict(parsed)\n",
"role": "user"
},
{
"content": "setSpeciesFromJson",
"role": "assistant"
}
] |
def x(self, name):
if name not in self._referenceNameMap:
raise exceptions.ReferenceNameNotFoundException(name)
return self._referenceNameMap[name]
|
getReferenceByName
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if name not in self._referenceNameMap:\n raise exceptions.ReferenceNameNotFoundException(name)\n return self._referenceNameMap[name]\n",
"role": "user"
},
{
"content": "getReferenceByName",
"role": "assistant"
}
] |
def x(self, id_):
if id_ not in self._referenceIdMap:
raise exceptions.ReferenceNotFoundException(id_)
return self._referenceIdMap[id_]
|
getReference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_):\n if id_ not in self._referenceIdMap:\n raise exceptions.ReferenceNotFoundException(id_)\n return self._referenceIdMap[id_]\n",
"role": "user"
},
{
"content": "getReference",
"role": "assistant"
}
] |
def x(self):
references = sorted(self.getReferences(), key=lambda ref: ref.
getMd5Checksum())
checksums = ''.join([ref.getMd5Checksum() for ref in references])
md5checksum = hashlib.md5(checksums).hexdigest()
return md5checksum
|
getMd5Checksum
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n references = sorted(self.getReferences(), key=lambda ref: ref.\n getMd5Checksum())\n checksums = ''.join([ref.getMd5Checksum() for ref in references])\n md5checksum = hashlib.md5(checksums).hexdigest()\n return md5checksum\n",
"role": "user"
},
{
"content": "getMd5Checksum",
"role": "assistant"
}
] |
def x(self):
ret = protocol.ReferenceSet()
ret.assembly_id = pb.string(self.getAssemblyId())
ret.description = pb.string(self.getDescription())
ret.id = self.getId()
ret.is_derived = self.getIsDerived()
ret.md5checksum = self.getMd5Checksum()
if self.getSpecies():
term = protocol.fromJson(json.dumps(self.getSpecies()), protocol.
OntologyTerm)
ret.species.term_id = term.term_id
ret.species.term = term.term
ret.source_accessions.extend(self.getSourceAccessions())
ret.source_uri = pb.string(self.getSourceUri())
ret.name = self.getLocalId()
self.serializeAttributes(ret)
return ret
|
toProtocolElement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = protocol.ReferenceSet()\n ret.assembly_id = pb.string(self.getAssemblyId())\n ret.description = pb.string(self.getDescription())\n ret.id = self.getId()\n ret.is_derived = self.getIsDerived()\n ret.md5checksum = self.getMd5Checksum()\n if self.getSpecies():\n term = protocol.fromJson(json.dumps(self.getSpecies()), protocol.\n OntologyTerm)\n ret.species.term_id = term.term_id\n ret.species.term = term.term\n ret.source_accessions.extend(self.getSourceAccessions())\n ret.source_uri = pb.string(self.getSourceUri())\n ret.name = self.getLocalId()\n self.serializeAttributes(ret)\n return ret\n",
"role": "user"
},
{
"content": "toProtocolElement",
"role": "assistant"
}
] |
def x(self):
reference = protocol.Reference()
reference.id = self.getId()
reference.is_derived = self.getIsDerived()
reference.length = self.getLength()
reference.md5checksum = self.getMd5Checksum()
reference.name = self.getName()
if self.getSpecies():
term = protocol.fromJson(json.dumps(self.getSpecies()), protocol.
OntologyTerm)
reference.species.term_id = term.term_id
reference.species.term = term.term
reference.source_accessions.extend(self.getSourceAccessions())
reference.source_divergence = pb.int(self.getSourceDivergence())
reference.source_uri = self.getSourceUri()
self.serializeAttributes(reference)
return reference
|
toProtocolElement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n reference = protocol.Reference()\n reference.id = self.getId()\n reference.is_derived = self.getIsDerived()\n reference.length = self.getLength()\n reference.md5checksum = self.getMd5Checksum()\n reference.name = self.getName()\n if self.getSpecies():\n term = protocol.fromJson(json.dumps(self.getSpecies()), protocol.\n OntologyTerm)\n reference.species.term_id = term.term_id\n reference.species.term = term.term\n reference.source_accessions.extend(self.getSourceAccessions())\n reference.source_divergence = pb.int(self.getSourceDivergence())\n reference.source_uri = self.getSourceUri()\n self.serializeAttributes(reference)\n return reference\n",
"role": "user"
},
{
"content": "toProtocolElement",
"role": "assistant"
}
] |
def x(self, start, end):
condition = (start < 0 or end > self.getLength()
) or start > end or start == end
if condition:
raise exceptions.ReferenceRangeErrorException(self.getId(), start, end)
|
checkQueryRange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, end):\n condition = (start < 0 or end > self.getLength()\n ) or start > end or start == end\n if condition:\n raise exceptions.ReferenceRangeErrorException(self.getId(), start, end)\n",
"role": "user"
},
{
"content": "checkQueryRange",
"role": "assistant"
}
] |
def x(self, dataUrl):
self._dataUrl = dataUrl
fastaFile = self.getFastaFile()
for referenceName in fastaFile.references:
reference = HtslibReference(self, referenceName)
bases = fastaFile.fetch(referenceName)
md5checksum = hashlib.md5(bases).hexdigest()
reference.setMd5checksum(md5checksum)
reference.setLength(len(bases))
self.addReference(reference)
|
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._dataUrl = dataUrl\n fastaFile = self.getFastaFile()\n for referenceName in fastaFile.references:\n reference = HtslibReference(self, referenceName)\n bases = fastaFile.fetch(referenceName)\n md5checksum = hashlib.md5(bases).hexdigest()\n reference.setMd5checksum(md5checksum)\n reference.setLength(len(bases))\n self.addReference(reference)\n",
"role": "user"
},
{
"content": "populateFromFile",
"role": "assistant"
}
] |
def x(self, referenceSetRecord):
self._dataUrl = referenceSetRecord.dataurl
self._description = referenceSetRecord.description
self._assemblyId = referenceSetRecord.assemblyid
self._isDerived = bool(referenceSetRecord.isderived)
self._md5checksum = referenceSetRecord.md5checksum
species = referenceSetRecord.species
if species is not None and species != 'null':
self.setSpeciesFromJson(species)
self._sourceAccessions = json.loads(referenceSetRecord.sourceaccessions)
self._sourceUri = referenceSetRecord.sourceuri
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceSetRecord):\n self._dataUrl = referenceSetRecord.dataurl\n self._description = referenceSetRecord.description\n self._assemblyId = referenceSetRecord.assemblyid\n self._isDerived = bool(referenceSetRecord.isderived)\n self._md5checksum = referenceSetRecord.md5checksum\n species = referenceSetRecord.species\n if species is not None and species != 'null':\n self.setSpeciesFromJson(species)\n self._sourceAccessions = json.loads(referenceSetRecord.sourceaccessions)\n self._sourceUri = referenceSetRecord.sourceuri\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(self, referenceRecord):
self._length = referenceRecord.length
self._isDerived = bool(referenceRecord.isderived)
self._md5checksum = referenceRecord.md5checksum
species = referenceRecord.species
if species is not None and species != 'null':
self.setSpeciesFromJson(species)
self._sourceAccessions = json.loads(referenceRecord.sourceaccessions)
self._sourceDivergence = referenceRecord.sourcedivergence
self._sourceUri = referenceRecord.sourceuri
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceRecord):\n self._length = referenceRecord.length\n self._isDerived = bool(referenceRecord.isderived)\n self._md5checksum = referenceRecord.md5checksum\n species = referenceRecord.species\n if species is not None and species != 'null':\n self.setSpeciesFromJson(species)\n self._sourceAccessions = json.loads(referenceRecord.sourceaccessions)\n self._sourceDivergence = referenceRecord.sourcedivergence\n self._sourceUri = referenceRecord.sourceuri\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(self, associations):
detailedURIRef = []
for row in associations.bindings:
if 'feature' in row:
detailedURIRef.append(row['feature'])
detailedURIRef.append(row['environment'])
detailedURIRef.append(row['phenotype'])
return detailedURIRef
|
extractAssociationsDetails
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, associations):\n detailedURIRef = []\n for row in associations.bindings:\n if 'feature' in row:\n detailedURIRef.append(row['feature'])\n detailedURIRef.append(row['environment'])\n detailedURIRef.append(row['phenotype'])\n return detailedURIRef\n",
"role": "user"
},
{
"content": "extractAssociationsDetails",
"role": "assistant"
}
] |
def x(self, uriRefs):
details = []
for uriRef in uriRefs:
for subject, predicate, object_ in self._rdfGraph.triples((uriRef,
None, None)):
details.append({'subject': subject.toPython(), 'predicate':
predicate.toPython(), 'object': object_.toPython()})
return details
|
detailTuples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uriRefs):\n details = []\n for uriRef in uriRefs:\n for subject, predicate, object_ in self._rdfGraph.triples((uriRef,\n None, None)):\n details.append({'subject': subject.toPython(), 'predicate':\n predicate.toPython(), 'object': object_.toPython()})\n return details\n",
"role": "user"
},
{
"content": "detailTuples",
"role": "assistant"
}
] |
def x(self, bindings):
myDict = {}
for key, val in bindings.iteritems():
myDict[key.toPython().replace('?', '')] = val.toPython()
return myDict
|
bindingsToDict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bindings):\n myDict = {}\n for key, val in bindings.iteritems():\n myDict[key.toPython().replace('?', '')] = val.toPython()\n return myDict\n",
"role": "user"
},
{
"content": "bindingsToDict",
"role": "assistant"
}
] |
def x(self, filename):
if filename.endswith('.ttl'):
self._rdfGraph.parse(filename, format='n3')
else:
self._rdfGraph.parse(filename, format='xml')
|
addDataFile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if filename.endswith('.ttl'):\n self._rdfGraph.parse(filename, format='n3')\n else:\n self._rdfGraph.parse(filename, format='xml')\n",
"role": "user"
},
{
"content": "addDataFile",
"role": "assistant"
}
] |
def x(self, uriRef, associations_details):
associationDetail = {}
for detail in associations_details:
if detail['subject'] == uriRef:
associationDetail[detail['predicate']] = detail['object']
associationDetail['id'] = uriRef
return associationDetail
|
getDetails
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uriRef, associations_details):\n associationDetail = {}\n for detail in associations_details:\n if detail['subject'] == uriRef:\n associationDetail[detail['predicate']] = detail['object']\n associationDetail['id'] = uriRef\n return associationDetail\n",
"role": "user"
},
{
"content": "getDetails",
"role": "assistant"
}
] |
def x(self, element, element_type):
elementClause = None
elements = []
if not issubclass(element.__class__, dict):
element = protocol.toJsonDict(element)
if element['externalIdentifiers']:
for _id in element['externalIdentifiers']:
elements.append(self._formatExternalIdentifier(_id, element_type))
elementClause = '({})'.format(' || '.join(elements))
return elementClause
|
formatExternalIdentifiers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, element_type):\n elementClause = None\n elements = []\n if not issubclass(element.__class__, dict):\n element = protocol.toJsonDict(element)\n if element['externalIdentifiers']:\n for _id in element['externalIdentifiers']:\n elements.append(self._formatExternalIdentifier(_id, element_type))\n elementClause = '({})'.format(' || '.join(elements))\n return elementClause\n",
"role": "user"
},
{
"content": "formatExternalIdentifiers",
"role": "assistant"
}
] |
def x(self, element, element_type):
if 'http' not in element['database']:
term = '{}:{}'.format(element['database'], element['identifier'])
namespaceTerm = self._toNamespaceURL(term)
else:
namespaceTerm = '{}{}'.format(element['database'], element[
'identifier'])
comparison = '?{} = <{}> '.format(element_type, namespaceTerm)
return comparison
|
formatExternalIdentifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, element_type):\n if 'http' not in element['database']:\n term = '{}:{}'.format(element['database'], element['identifier'])\n namespaceTerm = self._toNamespaceURL(term)\n else:\n namespaceTerm = '{}{}'.format(element['database'], element[\n 'identifier'])\n comparison = '?{} = <{}> '.format(element_type, namespaceTerm)\n return comparison\n",
"role": "user"
},
{
"content": "formatExternalIdentifier",
"role": "assistant"
}
] |
def x(self, element, element_type):
elementClause = None
if isinstance(element, dict) and element.get('terms'):
elements = []
for _term in element['terms']:
if _term.get('id'):
elements.append('?{} = <{}> '.format(element_type, _term['id'])
)
else:
elements.append('?{} = <{}> '.format(element_type, self.
_toNamespaceURL(_term['term'])))
elementClause = '({})'.format(' || '.join(elements))
return elementClause
|
formatOntologyTerm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, element_type):\n elementClause = None\n if isinstance(element, dict) and element.get('terms'):\n elements = []\n for _term in element['terms']:\n if _term.get('id'):\n elements.append('?{} = <{}> '.format(element_type, _term['id'])\n )\n else:\n elements.append('?{} = <{}> '.format(element_type, self.\n _toNamespaceURL(_term['term'])))\n elementClause = '({})'.format(' || '.join(elements))\n return elementClause\n",
"role": "user"
},
{
"content": "formatOntologyTerm",
"role": "assistant"
}
] |
def x(self, terms, element_type):
elementClause = None
if not isinstance(terms, collections.Iterable):
terms = [terms]
elements = []
for term in terms:
if term.term_id:
elements.append('?{} = <{}> '.format(element_type, term.term_id))
else:
elements.append('?{} = <{}> '.format(element_type, self.
_toNamespaceURL(term.term)))
elementClause = '({})'.format(' || '.join(elements))
return elementClause
|
formatOntologyTermObject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terms, element_type):\n elementClause = None\n if not isinstance(terms, collections.Iterable):\n terms = [terms]\n elements = []\n for term in terms:\n if term.term_id:\n elements.append('?{} = <{}> '.format(element_type, term.term_id))\n else:\n elements.append('?{} = <{}> '.format(element_type, self.\n _toNamespaceURL(term.term)))\n elementClause = '({})'.format(' || '.join(elements))\n return elementClause\n",
"role": "user"
},
{
"content": "formatOntologyTermObject",
"role": "assistant"
}
] |
def x(self, element, element_type):
elementClause = None
if isinstance(element, collections.Iterable):
elements = []
for _id in element:
elements.append('?{} = <{}> '.format(element_type, _id))
elementClause = '({})'.format(' || '.join(elements))
return elementClause
|
formatIds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, element_type):\n elementClause = None\n if isinstance(element, collections.Iterable):\n elements = []\n for _id in element:\n elements.append('?{} = <{}> '.format(element_type, _id))\n elementClause = '({})'.format(' || '.join(elements))\n return elementClause\n",
"role": "user"
},
{
"content": "formatIds",
"role": "assistant"
}
] |
def x(self, elements):
elementClause = None
filters = []
for evidence in elements:
if evidence.description:
elementClause = 'regex(?{}, "{}")'.format('environment_label',
evidence.description)
if hasattr(evidence, 'externalIdentifiers'
) and evidence.externalIdentifiers:
for externalIdentifier in evidence['externalIdentifiers']:
exid_clause = self._formatExternalIdentifier(externalIdentifier
, 'environment')
elementClause = exid_clause[1:-1]
if elementClause:
filters.append(elementClause)
elementClause = '({})'.format(' || '.join(filters))
return elementClause
|
formatEvidence
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elements):\n elementClause = None\n filters = []\n for evidence in elements:\n if evidence.description:\n elementClause = 'regex(?{}, \"{}\")'.format('environment_label',\n evidence.description)\n if hasattr(evidence, 'externalIdentifiers'\n ) and evidence.externalIdentifiers:\n for externalIdentifier in evidence['externalIdentifiers']:\n exid_clause = self._formatExternalIdentifier(externalIdentifier\n , 'environment')\n elementClause = exid_clause[1:-1]\n if elementClause:\n filters.append(elementClause)\n elementClause = '({})'.format(' || '.join(filters))\n return elementClause\n",
"role": "user"
},
{
"content": "formatEvidence",
"role": "assistant"
}
] |
def x(self, url):
for prefix, namespace in self._rdfGraph.namespaces():
if namespace in url:
return url.replace(namespace, '')
|
getIdentifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n for prefix, namespace in self._rdfGraph.namespaces():\n if namespace in url:\n return url.replace(namespace, '')\n",
"role": "user"
},
{
"content": "getIdentifier",
"role": "assistant"
}
] |
def x(self, url):
for prefix, namespace in self._rdfGraph.namespaces():
if namespace.toPython() in url:
return namespace
|
getPrefixURL
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n for prefix, namespace in self._rdfGraph.namespaces():\n if namespace.toPython() in url:\n return namespace\n",
"role": "user"
},
{
"content": "getPrefixURL",
"role": "assistant"
}
] |
def x(self, association, featureSets=[]):
feature = association['feature']
fpa = protocol.FeaturePhenotypeAssociation()
fpa.id = association['id']
feature_id = feature['id']
for feature_set in featureSets:
if self.getLocalId() in feature_set.getLocalId():
feature_id = feature_set.getCompoundIdForFeatureId(feature_id)
fpa.feature_ids.extend([feature_id])
msg = (
'Association: genotype:[{}] phenotype:[{}] environment:[{}] evidence:[{}] publications:[{}]'
)
fpa.description = msg.format(association['feature_label'], association[
'phenotype_label'], association['environment_label'], self.
_getIdentifier(association['evidence']), association['sources'])
evidence = protocol.Evidence()
phenotype = association['phenotype']
term = protocol.OntologyTerm()
term.term = association['evidence_type']
term.term_id = phenotype['id']
evidence.evidence_type.MergeFrom(term)
evidence.description = self._getIdentifier(association['evidence'])
for source in association['sources'].split('|'):
evidence.info['publications'].values.add().string_value = source
fpa.evidence.extend([evidence])
environmentalContext = protocol.EnvironmentalContext()
environment = association['environment']
environmentalContext.id = environment['id']
environmentalContext.description = association['environment_label']
term = protocol.OntologyTerm()
term.term = environment['id']
term.term_id = 'http://purl.obolibrary.org/obo/RO_0002606'
environmentalContext.environment_type.MergeFrom(term)
fpa.environmental_contexts.extend([environmentalContext])
phenotypeInstance = protocol.PhenotypeInstance()
term = protocol.OntologyTerm()
term.term = phenotype[TYPE]
term.term_id = phenotype['id']
phenotypeInstance.type.MergeFrom(term)
phenotypeInstance.description = phenotype[LABEL]
phenotypeInstance.id = phenotype['id']
fpa.phenotype.MergeFrom(phenotypeInstance)
fpa.phenotype_association_set_id = self.getId()
return fpa
|
toGA4GH
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, association, featureSets=[]):\n feature = association['feature']\n fpa = protocol.FeaturePhenotypeAssociation()\n fpa.id = association['id']\n feature_id = feature['id']\n for feature_set in featureSets:\n if self.getLocalId() in feature_set.getLocalId():\n feature_id = feature_set.getCompoundIdForFeatureId(feature_id)\n fpa.feature_ids.extend([feature_id])\n msg = (\n 'Association: genotype:[{}] phenotype:[{}] environment:[{}] evidence:[{}] publications:[{}]'\n )\n fpa.description = msg.format(association['feature_label'], association[\n 'phenotype_label'], association['environment_label'], self.\n _getIdentifier(association['evidence']), association['sources'])\n evidence = protocol.Evidence()\n phenotype = association['phenotype']\n term = protocol.OntologyTerm()\n term.term = association['evidence_type']\n term.term_id = phenotype['id']\n evidence.evidence_type.MergeFrom(term)\n evidence.description = self._getIdentifier(association['evidence'])\n for source in association['sources'].split('|'):\n evidence.info['publications'].values.add().string_value = source\n fpa.evidence.extend([evidence])\n environmentalContext = protocol.EnvironmentalContext()\n environment = association['environment']\n environmentalContext.id = environment['id']\n environmentalContext.description = association['environment_label']\n term = protocol.OntologyTerm()\n term.term = environment['id']\n term.term_id = 'http://purl.obolibrary.org/obo/RO_0002606'\n environmentalContext.environment_type.MergeFrom(term)\n fpa.environmental_contexts.extend([environmentalContext])\n phenotypeInstance = protocol.PhenotypeInstance()\n term = protocol.OntologyTerm()\n term.term = phenotype[TYPE]\n term.term_id = phenotype['id']\n phenotypeInstance.type.MergeFrom(term)\n phenotypeInstance.description = phenotype[LABEL]\n phenotypeInstance.id = phenotype['id']\n fpa.phenotype.MergeFrom(phenotypeInstance)\n fpa.phenotype_association_set_id = self.getId()\n return fpa\n",
"role": "user"
},
{
"content": "toGA4GH",
"role": "assistant"
}
] |
def x(self, request=None, featureSets=[]):
if len(featureSets) == 0:
featureSets = self.getParentContainer().getFeatureSets()
query = self._formatFilterQuery(request, featureSets)
associations = self._rdfGraph.query(query)
associations_details = self._detailTuples(self.
_extractAssociationsDetails(associations))
associationList = []
for assoc in associations.bindings:
if '?feature' in assoc:
association = self._bindingsToDict(assoc)
association['feature'] = self._getDetails(association['feature'
], associations_details)
association['environment'] = self._getDetails(association[
'environment'], associations_details)
association['phenotype'] = self._getDetails(association[
'phenotype'], associations_details)
association['evidence'] = association['phenotype'][HAS_QUALITY]
association['id'] = association['association']
associationList.append(association)
associations = [self._toGA4GH(assoc, featureSets) for assoc in
associationList]
return associations
|
getAssociations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request=None, featureSets=[]):\n if len(featureSets) == 0:\n featureSets = self.getParentContainer().getFeatureSets()\n query = self._formatFilterQuery(request, featureSets)\n associations = self._rdfGraph.query(query)\n associations_details = self._detailTuples(self.\n _extractAssociationsDetails(associations))\n associationList = []\n for assoc in associations.bindings:\n if '?feature' in assoc:\n association = self._bindingsToDict(assoc)\n association['feature'] = self._getDetails(association['feature'\n ], associations_details)\n association['environment'] = self._getDetails(association[\n 'environment'], associations_details)\n association['phenotype'] = self._getDetails(association[\n 'phenotype'], associations_details)\n association['evidence'] = association['phenotype'][HAS_QUALITY]\n association['id'] = association['association']\n associationList.append(association)\n associations = [self._toGA4GH(assoc, featureSets) for assoc in\n associationList]\n return associations\n",
"role": "user"
},
{
"content": "getAssociations",
"role": "assistant"
}
] |
def x(self, request=None, featureSets=[]):
query = self._baseQuery()
filters = []
if issubclass(request.__class__, protocol.SearchGenotypePhenotypeRequest):
filters += self._filterSearchGenotypePhenotypeRequest(request,
featureSets)
if issubclass(request.__class__, protocol.SearchPhenotypesRequest):
filters += self._filterSearchPhenotypesRequest(request)
filter = 'FILTER ({})'.format(' && '.join(filters))
if len(filters) == 0:
filter = ''
query = query.replace('#%FILTER%', filter)
return query
|
formatFilterQuery
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request=None, featureSets=[]):\n query = self._baseQuery()\n filters = []\n if issubclass(request.__class__, protocol.SearchGenotypePhenotypeRequest):\n filters += self._filterSearchGenotypePhenotypeRequest(request,\n featureSets)\n if issubclass(request.__class__, protocol.SearchPhenotypesRequest):\n filters += self._filterSearchPhenotypesRequest(request)\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": "formatFilterQuery",
"role": "assistant"
}
] |
def x(self, request):
filters = []
if request.id:
filters.append('?phenotype = <{}>'.format(request.id))
if request.description:
filters.append('regex(?phenotype_label, "{}")'.format(request.
description))
if hasattr(request.type, 'id') and request.type.id:
ontolgytermsClause = self._formatOntologyTermObject(request.type,
'phenotype')
if ontolgytermsClause:
filters.append(ontolgytermsClause)
if len(request.qualifiers) > 0:
ontolgytermsClause = self._formatOntologyTermObject(request.
qualifiers, 'phenotype_quality')
if ontolgytermsClause:
filters.append(ontolgytermsClause)
if hasattr(request.age_of_onset, 'id') and request.age_of_onset.id:
ontolgytermsClause = self._formatOntologyTermObject(request.
age_of_onset, 'phenotype_quality')
if ontolgytermsClause:
filters.append(ontolgytermsClause)
return filters
|
filterSearchPhenotypesRequest
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n filters = []\n if request.id:\n filters.append('?phenotype = <{}>'.format(request.id))\n if request.description:\n filters.append('regex(?phenotype_label, \"{}\")'.format(request.\n description))\n if hasattr(request.type, 'id') and request.type.id:\n ontolgytermsClause = self._formatOntologyTermObject(request.type,\n 'phenotype')\n if ontolgytermsClause:\n filters.append(ontolgytermsClause)\n if len(request.qualifiers) > 0:\n ontolgytermsClause = self._formatOntologyTermObject(request.\n qualifiers, 'phenotype_quality')\n if ontolgytermsClause:\n filters.append(ontolgytermsClause)\n if hasattr(request.age_of_onset, 'id') and request.age_of_onset.id:\n ontolgytermsClause = self._formatOntologyTermObject(request.\n age_of_onset, 'phenotype_quality')\n if ontolgytermsClause:\n filters.append(ontolgytermsClause)\n return filters\n",
"role": "user"
},
{
"content": "filterSearchPhenotypesRequest",
"role": "assistant"
}
] |
def x(self, line):
fields = dict([field.split('=') for field in line.split()[1:]])
if 'chrom' in fields:
self._reference = fields['chrom']
else:
raise ValueError('Missing chrom field in %s' % line.strip())
if line.startswith('fixedStep'):
if 'start' in fields:
self._start = int(fields['start']) - 1
else:
raise ValueError('Missing start field in %s' % line.strip())
if 'span' in fields:
self._span = int(fields['span'])
if 'step' in fields:
self._step = int(fields['step'])
|
parseStep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n fields = dict([field.split('=') for field in line.split()[1:]])\n if 'chrom' in fields:\n self._reference = fields['chrom']\n else:\n raise ValueError('Missing chrom field in %s' % line.strip())\n if line.startswith('fixedStep'):\n if 'start' in fields:\n self._start = int(fields['start']) - 1\n else:\n raise ValueError('Missing start field in %s' % line.strip())\n if 'span' in fields:\n self._span = int(fields['span'])\n if 'step' in fields:\n self._step = int(fields['step'])\n",
"role": "user"
},
{
"content": "parseStep",
"role": "assistant"
}
] |
def x(self, line):
if line.isspace() or line.startswith('#') or line.startswith('browser'
) or line.startswith('track'):
return
elif line.startswith('variableStep'):
self._mode = self._VARIABLE_STEP
self.parseStep(line)
return
elif line.startswith('fixedStep'):
self._mode = self._FIXED_STEP
self.parseStep(line)
return
elif self._mode is None:
raise ValueError('Unexpected input line: %s' % line.strip())
if self._queryReference != self._reference:
return
fields = line.split()
if self._mode == self._VARIABLE_STEP:
start = int(fields[0]) - 1
val = float(fields[1])
else:
start = self._start
self._start += self._step
val = float(fields[0])
if start < self._queryEnd and start > self._queryStart:
if self._position is None:
self._position = start
self._data.start = start
while self._position < start:
self._data.values.append(float('NaN'))
self._position += 1
for _ in xrange(self._span):
self._data.values.append(val)
self._position += self._span
|
readWiggleLine
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line):\n if line.isspace() or line.startswith('#') or line.startswith('browser'\n ) or line.startswith('track'):\n return\n elif line.startswith('variableStep'):\n self._mode = self._VARIABLE_STEP\n self.parseStep(line)\n return\n elif line.startswith('fixedStep'):\n self._mode = self._FIXED_STEP\n self.parseStep(line)\n return\n elif self._mode is None:\n raise ValueError('Unexpected input line: %s' % line.strip())\n if self._queryReference != self._reference:\n return\n fields = line.split()\n if self._mode == self._VARIABLE_STEP:\n start = int(fields[0]) - 1\n val = float(fields[1])\n else:\n start = self._start\n self._start += self._step\n val = float(fields[0])\n if start < self._queryEnd and start > self._queryStart:\n if self._position is None:\n self._position = start\n self._data.start = start\n while self._position < start:\n self._data.values.append(float('NaN'))\n self._position += 1\n for _ in xrange(self._span):\n self._data.values.append(val)\n self._position += self._span\n",
"role": "user"
},
{
"content": "readWiggleLine",
"role": "assistant"
}
] |
def x(self, fileHandle):
for line in fileHandle:
self.readWiggleLine(line)
return self._data
|
wiggleFileHandleToProtocol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fileHandle):\n for line in fileHandle:\n self.readWiggleLine(line)\n return self._data\n",
"role": "user"
},
{
"content": "wiggleFileHandleToProtocol",
"role": "assistant"
}
] |
def x(self, reference):
pattern = re.compile('[\\s,;"\\\'&\\\\]')
if pattern.findall(reference.strip()):
return False
return True
|
checkReference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference):\n pattern = re.compile('[\\\\s,;\"\\\\\\'&\\\\\\\\]')\n if pattern.findall(reference.strip()):\n return False\n return True\n",
"role": "user"
},
{
"content": "checkReference",
"role": "assistant"
}
] |
def x(self, reference, start, end):
if not self.checkReference(reference):
raise exceptions.ReferenceNameNotFoundException(reference)
if start < 0:
start = 0
bw = pyBigWig.open(self._sourceFile)
referenceLen = bw.chroms(reference)
if referenceLen is None:
raise exceptions.ReferenceNameNotFoundException(reference)
if end > referenceLen:
end = referenceLen
if start >= end:
raise exceptions.ReferenceRangeErrorException(reference, start, end)
data = protocol.Continuous()
curStart = start
curEnd = curStart + self._INCREMENT
while curStart < end:
if curEnd > end:
curEnd = end
for i, val in enumerate(bw.values(reference, curStart, curEnd)):
if not math.isnan(val):
if len(data.values) == 0:
data.start = curStart + i
data.values.append(val)
if len(data.values) == self._MAX_VALUES:
yield data
data = protocol.Continuous()
elif len(data.values) > 0:
yield data
data = protocol.Continuous()
curStart = curEnd
curEnd = curStart + self._INCREMENT
bw.close()
if len(data.values) > 0:
yield data
|
readValuesPyBigWig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference, start, end):\n if not self.checkReference(reference):\n raise exceptions.ReferenceNameNotFoundException(reference)\n if start < 0:\n start = 0\n bw = pyBigWig.open(self._sourceFile)\n referenceLen = bw.chroms(reference)\n if referenceLen is None:\n raise exceptions.ReferenceNameNotFoundException(reference)\n if end > referenceLen:\n end = referenceLen\n if start >= end:\n raise exceptions.ReferenceRangeErrorException(reference, start, end)\n data = protocol.Continuous()\n curStart = start\n curEnd = curStart + self._INCREMENT\n while curStart < end:\n if curEnd > end:\n curEnd = end\n for i, val in enumerate(bw.values(reference, curStart, curEnd)):\n if not math.isnan(val):\n if len(data.values) == 0:\n data.start = curStart + i\n data.values.append(val)\n if len(data.values) == self._MAX_VALUES:\n yield data\n data = protocol.Continuous()\n elif len(data.values) > 0:\n yield data\n data = protocol.Continuous()\n curStart = curEnd\n curEnd = curStart + self._INCREMENT\n bw.close()\n if len(data.values) > 0:\n yield data\n",
"role": "user"
},
{
"content": "readValuesPyBigWig",
"role": "assistant"
}
] |
def x(self, reference, start, end):
if not self.checkReference(reference):
raise exceptions.ReferenceNameNotFoundException(reference)
if start < 0:
raise exceptions.ReferenceRangeErrorException(reference, start, end)
cmd = ['bigWigToWig', self._sourceFile, 'stdout', '-chrom=' + reference,
'-start=' + str(start), '-end=' + str(end)]
wiggleReader = WiggleReader(reference, start, end)
try:
process = subprocess.Popen(cmd, stdout=subprocess.PIPE)
while True:
line = process.stdout.readline()
if line == '' and process.poll() is not None:
break
wiggleReader.readWiggleLine(line.strip())
except ValueError:
raise
except:
raise Exception('bigWigToWig failed to run')
return wiggleReader.getData()
|
readValuesBigWigToWig
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reference, start, end):\n if not self.checkReference(reference):\n raise exceptions.ReferenceNameNotFoundException(reference)\n if start < 0:\n raise exceptions.ReferenceRangeErrorException(reference, start, end)\n cmd = ['bigWigToWig', self._sourceFile, 'stdout', '-chrom=' + reference,\n '-start=' + str(start), '-end=' + str(end)]\n wiggleReader = WiggleReader(reference, start, end)\n try:\n process = subprocess.Popen(cmd, stdout=subprocess.PIPE)\n while True:\n line = process.stdout.readline()\n if line == '' and process.poll() is not None:\n break\n wiggleReader.readWiggleLine(line.strip())\n except ValueError:\n raise\n except:\n raise Exception('bigWigToWig failed to run')\n return wiggleReader.getData()\n",
"role": "user"
},
{
"content": "readValuesBigWigToWig",
"role": "assistant"
}
] |
def x(self):
gaContinuousSet = protocol.ContinuousSet()
gaContinuousSet.id = self.getId()
gaContinuousSet.dataset_id = self.getParentContainer().getId()
gaContinuousSet.reference_set_id = pb.string(self._referenceSet.getId())
gaContinuousSet.name = self._name
gaContinuousSet.source_uri = self._sourceUri
attributes = self.getAttributes()
for key in attributes:
gaContinuousSet.attributes.attr[key].values.extend(protocol.
encodeValue(attributes[key]))
return gaContinuousSet
|
toProtocolElement
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n gaContinuousSet = protocol.ContinuousSet()\n gaContinuousSet.id = self.getId()\n gaContinuousSet.dataset_id = self.getParentContainer().getId()\n gaContinuousSet.reference_set_id = pb.string(self._referenceSet.getId())\n gaContinuousSet.name = self._name\n gaContinuousSet.source_uri = self._sourceUri\n attributes = self.getAttributes()\n for key in attributes:\n gaContinuousSet.attributes.attr[key].values.extend(protocol.\n encodeValue(attributes[key]))\n return gaContinuousSet\n",
"role": "user"
},
{
"content": "toProtocolElement",
"role": "assistant"
}
] |
def x(self, continuousSetRecord):
self._filePath = continuousSetRecord.dataurl
self.setAttributesJson(continuousSetRecord.attributes)
|
populateFromRow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, continuousSetRecord):\n self._filePath = continuousSetRecord.dataurl\n self.setAttributesJson(continuousSetRecord.attributes)\n",
"role": "user"
},
{
"content": "populateFromRow",
"role": "assistant"
}
] |
def x(self, referenceName=None, start=None, end=None):
bigWigReader = BigWigDataSource(self._filePath)
for continuousObj in bigWigReader.bigWigToProtocol(referenceName, start,
end):
yield continuousObj
|
getContinuous
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceName=None, start=None, end=None):\n bigWigReader = BigWigDataSource(self._filePath)\n for continuousObj in bigWigReader.bigWigToProtocol(referenceName, start,\n end):\n yield continuousObj\n",
"role": "user"
},
{
"content": "getContinuous",
"role": "assistant"
}
] |
def x(self, referenceName=None, start=None, end=None):
randomNumberGenerator = random.Random()
randomNumberGenerator.seed(self._randomSeed)
for i in range(100):
gaContinuous = self._generateSimulatedContinuous(randomNumberGenerator)
match = (gaContinuous.start < end and gaContinuous.end > start and
gaContinuous.reference_name == referenceName)
if match:
yield gaContinuous
|
getContinuousData
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceName=None, start=None, end=None):\n randomNumberGenerator = random.Random()\n randomNumberGenerator.seed(self._randomSeed)\n for i in range(100):\n gaContinuous = self._generateSimulatedContinuous(randomNumberGenerator)\n match = (gaContinuous.start < end and gaContinuous.end > start and \n gaContinuous.reference_name == referenceName)\n if match:\n yield gaContinuous\n",
"role": "user"
},
{
"content": "getContinuousData",
"role": "assistant"
}
] |
def x(self, template_name, template_source=None, template_path=None, **
template_vars):
return napalm_base.helpers.load_template(self, template_name,
template_source=template_source, template_path=template_path, **
template_vars)
|
load_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template_name, template_source=None, template_path=None, **\n template_vars):\n return napalm_base.helpers.load_template(self, template_name,\n template_source=template_source, template_path=template_path, **\n template_vars)\n",
"role": "user"
},
{
"content": "load_template",
"role": "assistant"
}
] |
def x(self, destination, source=c.PING_SOURCE, ttl=c.PING_TTL, timeout=c.
PING_TIMEOUT, size=c.PING_SIZE, count=c.PING_COUNT, vrf=c.PING_VRF):
raise NotImplementedError
|
ping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destination, source=c.PING_SOURCE, ttl=c.PING_TTL, timeout=c.\n PING_TIMEOUT, size=c.PING_SIZE, count=c.PING_COUNT, vrf=c.PING_VRF):\n raise NotImplementedError\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(self, commands):
if 'eos' in self.profile:
return list(self.parent.cli(commands).values())[0]
else:
raise AttributeError("MockedDriver instance has not attribute '_rpc'")
|
run_commands
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands):\n if 'eos' in self.profile:\n return list(self.parent.cli(commands).values())[0]\n else:\n raise AttributeError(\"MockedDriver instance has not attribute '_rpc'\")\n",
"role": "user"
},
{
"content": "run_commands",
"role": "assistant"
}
] |
def x(cls, template_name, raw_text):
textfsm_data = list()
cls.__class__.__name__.replace('Driver', '')
current_dir = os.path.dirname(os.path.abspath(sys.modules[cls.
__module__].__file__))
template_dir_path = '{current_dir}/utils/textfsm_templates'.format(
current_dir=current_dir)
template_path = '{template_dir_path}/{template_name}.tpl'.format(
template_dir_path=template_dir_path, template_name=template_name)
try:
fsm_handler = textfsm.TextFSM(open(template_path))
except IOError:
raise napalm_base.exceptions.TemplateNotImplemented(
'TextFSM template {template_name}.tpl is not defined under {path}'
.format(template_name=template_name, path=template_dir_path))
except textfsm.TextFSMTemplateError as tfte:
raise napalm_base.exceptions.TemplateRenderException(
'Wrong format of TextFSM template {template_name}: {error}'.
format(template_name=template_name, error=py23_compat.text_type
(tfte)))
objects = fsm_handler.ParseText(raw_text)
for obj in objects:
index = 0
entry = {}
for entry_value in obj:
entry[fsm_handler.header[index].lower()] = entry_value
index += 1
textfsm_data.append(entry)
return textfsm_data
|
textfsm_extractor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, template_name, raw_text):\n textfsm_data = list()\n cls.__class__.__name__.replace('Driver', '')\n current_dir = os.path.dirname(os.path.abspath(sys.modules[cls.\n __module__].__file__))\n template_dir_path = '{current_dir}/utils/textfsm_templates'.format(\n current_dir=current_dir)\n template_path = '{template_dir_path}/{template_name}.tpl'.format(\n template_dir_path=template_dir_path, template_name=template_name)\n try:\n fsm_handler = textfsm.TextFSM(open(template_path))\n except IOError:\n raise napalm_base.exceptions.TemplateNotImplemented(\n 'TextFSM template {template_name}.tpl is not defined under {path}'\n .format(template_name=template_name, path=template_dir_path))\n except textfsm.TextFSMTemplateError as tfte:\n raise napalm_base.exceptions.TemplateRenderException(\n 'Wrong format of TextFSM template {template_name}: {error}'.\n format(template_name=template_name, error=py23_compat.text_type\n (tfte)))\n objects = fsm_handler.ParseText(raw_text)\n for obj in objects:\n index = 0\n entry = {}\n for entry_value in obj:\n entry[fsm_handler.header[index].lower()] = entry_value\n index += 1\n textfsm_data.append(entry)\n return textfsm_data\n",
"role": "user"
},
{
"content": "textfsm_extractor",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.