source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(provider, request, **kwargs):
params = urlparse.parse_qs(request)
if params['rel'][0] == OIC_ISSUER:
wf = WebFinger()
return Response(wf.response(params['resource'][0], provider.baseurl
), headers=[('Content-Type', 'application/jrd+json')])
else:
return BadRequest('Incorrect webfinger.')
| webfinger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(provider, request, **kwargs):\n params = urlparse.parse_qs(request)\n if params['rel'][0] == OIC_ISSUER:\n wf = WebFinger()\n return Respon... |
def x(self, **kwargs):
sql = ''
sql_rows = 'SELECT * FROM FEATURE WHERE id > 1 '
sql_args = ()
if 'name' in kwargs and kwargs['name']:
sql += 'AND name = ? '
sql_args += kwargs.get('name'),
if 'geneSymbol' in kwargs and kwargs['geneSymbol']:
sql += 'AND gene_name = ? '
sql_args += kwargs.get('geneSymbol'),
if 'start' in kwargs and kwargs['start'] is not None:
sql += 'AND end > ? '
sql_args += kwargs.get('start'),
if 'end' in kwargs and kwargs['end'] is not None:
sql += 'AND start < ? '
sql_args += kwargs.get('end'),
if 'referenceName' in kwargs and kwargs['referenceName']:
sql += 'AND reference_name = ?'
sql_args += kwargs.get('referenceName'),
if 'parentId' in kwargs and kwargs['parentId']:
sql += 'AND parent_id = ? '
sql_args += kwargs['parentId'],
if kwargs.get('featureTypes') is not None and len(kwargs['featureTypes']
) > 0:
sql += 'AND type IN ('
sql += ', '.join(['?'] * len(kwargs.get('featureTypes')))
sql += ') '
sql_args += tuple(kwargs.get('featureTypes'))
sql_rows += sql
sql_rows += ' ORDER BY reference_name, start, end ASC '
return sql_rows, sql_args
| featuresQuery | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n sql = ''\n sql_rows = 'SELECT * FROM FEATURE WHERE id > 1 '\n sql_args = ()\n if 'name' in kwargs and kwargs['name']:\n s... |
def x(self, startIndex=0, maxResults=None, referenceName=None, start=None,
end=None, parentId=None, featureTypes=None, name=None, geneSymbol=None):
sql, sql_args = self.featuresQuery(startIndex=startIndex, maxResults=
maxResults, referenceName=referenceName, start=start, end=end,
parentId=parentId, featureTypes=featureTypes, name=name, geneSymbol
=geneSymbol)
sql += sqlite_backend.limitsSql(startIndex, maxResults)
query = self._dbconn.execute(sql, sql_args)
return sqlite_backend.sqliteRowsToDicts(query.fetchall())
| searchFeaturesInDb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, startIndex=0, maxResults=None, referenceName=None, start=None,\n end=None, parentId=None, featureTypes=None, name=None, geneSymbol=None):\n sql, sq... |
def x(self, featureId):
sql = 'SELECT * FROM FEATURE WHERE id = ?'
query = self._dbconn.execute(sql, (featureId,))
ret = query.fetchone()
if ret is None:
return None
return sqlite_backend.sqliteRowToDict(ret)
| getFeatureById | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureId):\n sql = 'SELECT * FROM FEATURE WHERE id = ?'\n query = self._dbconn.execute(sql, (featureId,))\n ret = query.fetchone()\n if ret ... |
def x(self):
gaFeatureSet = protocol.FeatureSet()
gaFeatureSet.id = self.getId()
gaFeatureSet.dataset_id = self.getParentContainer().getId()
gaFeatureSet.reference_set_id = pb.string(self._referenceSet.getId())
gaFeatureSet.name = self._name
gaFeatureSet.source_uri = self._sourceUri
attributes = self.getAttributes()
for key in attributes:
gaFeatureSet.attributes.attr[key].values.extend(protocol.
encodeValue(attributes[key]))
return gaFeatureSet
| toProtocolElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n gaFeatureSet = protocol.FeatureSet()\n gaFeatureSet.id = self.getId()\n gaFeatureSet.dataset_id = self.getParentContainer().getId()\n gaFe... |
def x(self, featureId):
if featureId is not None and featureId != '':
compoundId = datamodel.FeatureCompoundId(self.getCompoundId(), str(
featureId))
else:
compoundId = ''
return str(compoundId)
| getCompoundIdForFeatureId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureId):\n if featureId is not None and featureId != '':\n compoundId = datamodel.FeatureCompoundId(self.getCompoundId(), str(\n ... |
def x(self, compoundId):
if compoundId is None:
raise exceptions.ObjectWithIdNotFoundException(compoundId)
randomNumberGenerator = random.Random()
randomNumberGenerator.seed(self._randomSeed)
feature = self._generateSimulatedFeature(randomNumberGenerator)
feature.id = str(compoundId)
feature.parent_id = ''
return feature
| getFeature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, compoundId):\n if compoundId is None:\n raise exceptions.ObjectWithIdNotFoundException(compoundId)\n randomNumberGenerator = random.Random()... |
def x(self, referenceName=None, start=None, end=None, startIndex=None,
maxResults=None, featureTypes=None, parentId=None, name=None,
geneSymbol=None, numFeatures=10):
randomNumberGenerator = random.Random()
randomNumberGenerator.seed(self._randomSeed)
for featureId in range(numFeatures):
gaFeature = self._generateSimulatedFeature(randomNumberGenerator)
gaFeature.id = self.getCompoundIdForFeatureId(featureId)
match = (gaFeature.start < end and gaFeature.end > start and
gaFeature.reference_name == referenceName and (featureTypes is
None or len(featureTypes) == 0 or gaFeature.feature_type in
featureTypes))
if match:
gaFeature.parent_id = ''
yield gaFeature
| getFeatures | [
{
"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, startIndex=None,\n maxResults=None, featureTypes=None, parentId=None, name=None,\n geneSymbol=None, numFe... |
def x(self, dataUrl):
self._dbFilePath = dataUrl
self._db = Gff3DbBackend(self._dbFilePath)
| populateFromFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataUrl):\n self._dbFilePath = dataUrl\n self._db = Gff3DbBackend(self._dbFilePath)\n",
"role": "user"
},
{
"content": "populateFromFil... |
def x(self, featureSetRecord):
self._dbFilePath = featureSetRecord.dataurl
self.setAttributesJson(featureSetRecord.attributes)
self._db = Gff3DbBackend(self._dbFilePath)
| populateFromRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, featureSetRecord):\n self._dbFilePath = featureSetRecord.dataurl\n self.setAttributesJson(featureSetRecord.attributes)\n self._db = Gff3DbBacken... |
def x(self, compoundId):
featureId = long(compoundId.featureId)
with self._db as dataSource:
featureReturned = dataSource.getFeatureById(featureId)
if featureReturned is None:
raise exceptions.ObjectWithIdNotFoundException(compoundId)
else:
gaFeature = self._gaFeatureForFeatureDbRecord(featureReturned)
return gaFeature
| getFeature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, compoundId):\n featureId = long(compoundId.featureId)\n with self._db as dataSource:\n featureReturned = dataSource.getFeatureById(featureId... |
def x(self, feature):
gaFeature = protocol.Feature()
gaFeature.id = self.getCompoundIdForFeatureId(feature['id'])
if feature.get('parent_id'):
gaFeature.parent_id = self.getCompoundIdForFeatureId(feature[
'parent_id'])
else:
gaFeature.parent_id = ''
gaFeature.feature_set_id = self.getId()
gaFeature.reference_name = pb.string(feature.get('reference_name'))
gaFeature.start = pb.int(feature.get('start'))
gaFeature.end = pb.int(feature.get('end'))
gaFeature.name = pb.string(feature.get('name'))
if feature.get('strand', '') == '-':
gaFeature.strand = protocol.NEG_STRAND
else:
gaFeature.strand = protocol.POS_STRAND
gaFeature.child_ids.extend(map(self.getCompoundIdForFeatureId, json.
loads(feature['child_ids'])))
gaFeature.feature_type.CopyFrom(self._ontology.getGaTermByName(feature[
'type']))
attributes = json.loads(feature['attributes'])
for key in attributes:
for v in attributes[key]:
gaFeature.attributes.attr[key].values.add().string_value = v
if 'gene_name' in attributes and len(attributes['gene_name']) > 0:
gaFeature.gene_symbol = pb.string(attributes['gene_name'][0])
return gaFeature
| gaFeatureForFeatureDbRecord | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature):\n gaFeature = protocol.Feature()\n gaFeature.id = self.getCompoundIdForFeatureId(feature['id'])\n if feature.get('parent_id'):\n ... |
def x(self, referenceName=None, start=None, end=None, startIndex=None,
maxResults=None, featureTypes=None, parentId=None, name=None,
geneSymbol=None):
with self._db as dataSource:
features = dataSource.searchFeaturesInDb(startIndex, maxResults,
referenceName=referenceName, start=start, end=end, parentId=
parentId, featureTypes=featureTypes, name=name, geneSymbol=
geneSymbol)
for feature in features:
gaFeature = self._gaFeatureForFeatureDbRecord(feature)
yield gaFeature
| getFeatures | [
{
"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, startIndex=None,\n maxResults=None, featureTypes=None, parentId=None, name=None,\n geneSymbol=None):\n ... |
def x(self, rnaQuantification):
id_ = rnaQuantification.getId()
self._rnaQuantificationIdMap[id_] = rnaQuantification
self._rnaQuantificationIds.append(id_)
| addRnaQuantification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantification):\n id_ = rnaQuantification.getId()\n self._rnaQuantificationIdMap[id_] = rnaQuantification\n self._rnaQuantificationIds.appen... |
def x(self):
protocolElement = protocol.RnaQuantificationSet()
protocolElement.id = self.getId()
protocolElement.dataset_id = self._parentContainer.getId()
protocolElement.name = self._name
self.serializeAttributes(protocolElement)
return protocolElement
| toProtocolElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n protocolElement = protocol.RnaQuantificationSet()\n protocolElement.id = self.getId()\n protocolElement.dataset_id = self._parentContainer.ge... |
def x(self, dataUrl):
self._dbFilePath = dataUrl
self._db = SqliteRnaBackend(self._dbFilePath)
self.addRnaQuants()
| populateFromFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataUrl):\n self._dbFilePath = dataUrl\n self._db = SqliteRnaBackend(self._dbFilePath)\n self.addRnaQuants()\n",
"role": "user"
},
{
... |
def x(self, quantificationSetRecord):
self._dbFilePath = quantificationSetRecord.dataurl
self.setAttributesJson(quantificationSetRecord.attributes)
self._db = SqliteRnaBackend(self._dbFilePath)
self.addRnaQuants()
| populateFromRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quantificationSetRecord):\n self._dbFilePath = quantificationSetRecord.dataurl\n self.setAttributesJson(quantificationSetRecord.attributes)\n se... |
def x(self):
protocolElement = protocol.RnaQuantification()
protocolElement.id = self.getId()
protocolElement.name = self._name
protocolElement.description = self._description
protocolElement.read_group_ids.extend(self._readGroupIds)
protocolElement.programs.extend(self._programs)
protocolElement.biosample_id = self._biosampleId
protocolElement.feature_set_ids.extend(self._featureSetIds)
protocolElement.rna_quantification_set_id = self._parentContainer.getId()
self.serializeAttributes(protocolElement)
return protocolElement
| toProtocolElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n protocolElement = protocol.RnaQuantification()\n protocolElement.id = self.getId()\n protocolElement.name = self._name\n protocolElement.d... |
def x(self, fields):
self._featureSetIds = fields['feature_set_ids'].split(',')
self._description = fields['description']
self._name = fields['name']
self._biosampleId = fields.get('biosample_id', '')
if fields['read_group_ids'] == '':
self._readGroupIds = []
else:
self._readGroupIds = fields['read_group_ids'].split(',')
if fields['programs'] == '':
self._programs = []
else:
self._programs = []
| addRnaQuantMetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fields):\n self._featureSetIds = fields['feature_set_ids'].split(',')\n self._description = fields['description']\n self._name = fields['name']\... |
def x(self):
rnaQuantId = self.getLocalId()
with self._db as dataSource:
rnaQuantReturned = dataSource.getRnaQuantificationById(rnaQuantId)
self.addRnaQuantMetadata(rnaQuantReturned)
| getRnaQuantMetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rnaQuantId = self.getLocalId()\n with self._db as dataSource:\n rnaQuantReturned = dataSource.getRnaQuantificationById(rnaQuantId)\n s... |
def x(self, dataUrl):
self._dbFilePath = dataUrl
self._db = SqliteRnaBackend(self._dbFilePath)
self.getRnaQuantMetadata()
| populateFromFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataUrl):\n self._dbFilePath = dataUrl\n self._db = SqliteRnaBackend(self._dbFilePath)\n self.getRnaQuantMetadata()\n",
"role": "user"
},
... |
def x(self, row):
self._dbFilePath = row[b'dataUrl']
self._db = SqliteRnaBackend(self._dbFilePath)
self.getRnaQuantMetadata()
| populateFromRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n self._dbFilePath = row[b'dataUrl']\n self._db = SqliteRnaBackend(self._dbFilePath)\n self.getRnaQuantMetadata()\n",
"role": "user"
... |
def x(self, threshold=0.0, names=[], startIndex=0, maxResults=0):
rnaQuantificationId = self.getLocalId()
with self._db as dataSource:
expressionsReturned = dataSource.searchExpressionLevelsInDb(
rnaQuantificationId, names=names, threshold=threshold,
startIndex=startIndex, maxResults=maxResults)
expressionLevels = [SqliteExpressionLevel(self, expressionEntry) for
expressionEntry in expressionsReturned]
return expressionLevels
| getExpressionLevels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, threshold=0.0, names=[], startIndex=0, maxResults=0):\n rnaQuantificationId = self.getLocalId()\n with self._db as dataSource:\n expressions... |
def x(self, rnaQuantificationId=''):
sql = 'SELECT * FROM RnaQuantification'
sql_args = ()
if len(rnaQuantificationId) > 0:
sql += ' WHERE id = ? '
sql_args += rnaQuantificationId,
query = self._dbconn.execute(sql, sql_args)
try:
return sqlite_backend.iterativeFetch(query)
except AttributeError:
raise exceptions.RnaQuantificationNotFoundException(rnaQuantificationId
)
| searchRnaQuantificationsInDb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantificationId=''):\n sql = 'SELECT * FROM RnaQuantification'\n sql_args = ()\n if len(rnaQuantificationId) > 0:\n sql += ' WHERE id... |
def x(self, rnaQuantificationId):
sql = 'SELECT * FROM RnaQuantification WHERE id = ?'
query = self._dbconn.execute(sql, (rnaQuantificationId,))
try:
return sqlite_backend.fetchOne(query)
except AttributeError:
raise exceptions.RnaQuantificationNotFoundException(rnaQuantificationId
)
| getRnaQuantificationById | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantificationId):\n sql = 'SELECT * FROM RnaQuantification WHERE id = ?'\n query = self._dbconn.execute(sql, (rnaQuantificationId,))\n try:\... |
def x(self, rnaQuantId, names=[], threshold=0.0, startIndex=0, maxResults=0):
sql = (
'SELECT * FROM Expression WHERE rna_quantification_id = ? AND expression > ? '
)
sql_args = rnaQuantId, threshold
if len(names) > 0:
sql += 'AND name in ('
sql += ','.join(['?' for name in names])
sql += ') '
for name in names:
sql_args += name,
sql += sqlite_backend.limitsSql(startIndex=startIndex, maxResults=
maxResults)
query = self._dbconn.execute(sql, sql_args)
return sqlite_backend.iterativeFetch(query)
| searchExpressionLevelsInDb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rnaQuantId, names=[], threshold=0.0, startIndex=0, maxResults=0):\n sql = (\n 'SELECT * FROM Expression WHERE rna_quantification_id = ? AND exp... |
def x(self, expressionId):
sql = 'SELECT * FROM Expression WHERE id = ?'
query = self._dbconn.execute(sql, (expressionId,))
try:
return sqlite_backend.fetchOne(query)
except AttributeError:
raise exceptions.ExpressionLevelNotFoundException(expressionId)
| getExpressionLevelById | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expressionId):\n sql = 'SELECT * FROM Expression WHERE id = ?'\n query = self._dbconn.execute(sql, (expressionId,))\n try:\n return sqlit... |
def x(self, callSetRecord):
self._biosampleId = callSetRecord.biosampleid
self.setAttributesJson(callSetRecord.attributes)
| populateFromRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callSetRecord):\n self._biosampleId = callSetRecord.biosampleid\n self.setAttributesJson(callSetRecord.attributes)\n",
"role": "user"
},
{
... |
def x(self):
variantSet = self.getParentContainer()
gaCallSet = protocol.CallSet(biosample_id=self.getBiosampleId())
if variantSet.getCreationTime():
gaCallSet.created = variantSet.getCreationTime()
if variantSet.getUpdatedTime():
gaCallSet.updated = variantSet.getUpdatedTime()
gaCallSet.id = self.getId()
gaCallSet.name = self.getLocalId()
gaCallSet.variant_set_ids.append(variantSet.getId())
self.serializeAttributes(gaCallSet)
return gaCallSet
| toProtocolElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n variantSet = self.getParentContainer()\n gaCallSet = protocol.CallSet(biosample_id=self.getBiosampleId())\n if variantSet.getCreationTime():\... |
def x(self, variantAnnotationSet):
id_ = variantAnnotationSet.getId()
self._variantAnnotationSetIdMap[id_] = variantAnnotationSet
self._variantAnnotationSetIds.append(id_)
| addVariantAnnotationSet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantAnnotationSet):\n id_ = variantAnnotationSet.getId()\n self._variantAnnotationSetIdMap[id_] = variantAnnotationSet\n self._variantAnnotat... |
def x(self, id_):
if id_ not in self._variantAnnotationSetIdMap:
raise exceptions.AnnotationSetNotFoundException(id_)
return self._variantAnnotationSetIdMap[id_]
| getVariantAnnotationSet | [
{
"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._variantAnnotationSetIdMap:\n raise exceptions.AnnotationSetNotFoundException(id_)\n return self._variantAnnotati... |
def x(self, callSet):
callSetId = callSet.getId()
self._callSetIdMap[callSetId] = callSet
self._callSetNameMap[callSet.getLocalId()] = callSet
self._callSetIds.append(callSetId)
self._callSetIdToIndex[callSet.getId()] = len(self._callSetIds) - 1
| addCallSet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callSet):\n callSetId = callSet.getId()\n self._callSetIdMap[callSetId] = callSet\n self._callSetNameMap[callSet.getLocalId()] = callSet\n se... |
def x(self, sampleName):
callSet = CallSet(self, sampleName)
self.addCallSet(callSet)
| addCallSetFromName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sampleName):\n callSet = CallSet(self, sampleName)\n self.addCallSet(callSet)\n",
"role": "user"
},
{
"content": "addCallSetFromName",
... |
def x(self, name):
if name not in self._callSetNameMap:
raise exceptions.CallSetNameNotFoundException(name)
return self._callSetNameMap[name]
| getCallSetByName | [
{
"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._callSetNameMap:\n raise exceptions.CallSetNameNotFoundException(name)\n return self._callSetNameMap[name]\n",
... |
def x(self, id_):
if id_ not in self._callSetIdMap:
raise exceptions.CallSetNotFoundException(id_)
return self._callSetIdMap[id_]
| getCallSet | [
{
"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._callSetIdMap:\n raise exceptions.CallSetNotFoundException(id_)\n return self._callSetIdMap[id_]\n",
"role": ... |
def x(self):
protocolElement = protocol.VariantSet()
protocolElement.id = self.getId()
protocolElement.dataset_id = self.getParentContainer().getId()
protocolElement.reference_set_id = self._referenceSet.getId()
protocolElement.metadata.extend(self.getMetadata())
protocolElement.dataset_id = self.getParentContainer().getId()
protocolElement.reference_set_id = self._referenceSet.getId()
protocolElement.name = self.getLocalId()
self.serializeAttributes(protocolElement)
return protocolElement
| toProtocolElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n protocolElement = protocol.VariantSet()\n protocolElement.id = self.getId()\n protocolElement.dataset_id = self.getParentContainer().getId()\... |
def x(self):
ret = protocol.Variant()
if self._creationTime:
ret.created = self._creationTime
if self._updatedTime:
ret.updated = self._updatedTime
ret.variant_set_id = self.getId()
return ret
| createGaVariant | [
{
"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.Variant()\n if self._creationTime:\n ret.created = self._creationTime\n if self._updatedTime:\n ret.updated = se... |
def x(self, gaVariant):
md5 = self.hashVariant(gaVariant)
compoundId = datamodel.VariantCompoundId(self.getCompoundId(),
gaVariant.reference_name, str(gaVariant.start), md5)
return str(compoundId)
| getVariantId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gaVariant):\n md5 = self.hashVariant(gaVariant)\n compoundId = datamodel.VariantCompoundId(self.getCompoundId(),\n gaVariant.reference_name,... |
def x(self, sampleName):
compoundId = datamodel.CallSetCompoundId(self.getCompoundId(), sampleName)
return str(compoundId)
| getCallSetId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sampleName):\n compoundId = datamodel.CallSetCompoundId(self.getCompoundId(), sampleName)\n return str(compoundId)\n",
"role": "user"
},
{
... |
def x(cls, gaVariant):
hash_str = gaVariant.reference_bases + str(tuple(gaVariant.alternate_bases)
)
return hashlib.md5(hash_str).hexdigest()
| hashVariant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, gaVariant):\n hash_str = gaVariant.reference_bases + str(tuple(gaVariant.alternate_bases)\n )\n return hashlib.md5(hash_str).hexdigest()\n",
... |
def x(self, referenceName, position, randomNumberGenerator):
variant = self._createGaVariant()
variant.reference_name = referenceName
variant.start = position
variant.end = position + 1
bases = ['A', 'C', 'G', 'T']
ref = randomNumberGenerator.choice(bases)
variant.reference_bases = ref
alt = randomNumberGenerator.choice([base for base in bases if base != ref])
variant.alternate_bases.append(alt)
randChoice = randomNumberGenerator.randint(0, 2)
if randChoice == 0:
variant.filters_applied = False
elif randChoice == 1:
variant.filters_applied = True
variant.filters_passed = True
else:
variant.filters_applied = True
variant.filters_passed = False
variant.filters_failed.append('q10')
for callSet in self.getCallSets():
call = variant.calls.add()
call.call_set_id = callSet.getId()
randomChoice = randomNumberGenerator.choice([[0, 1], [1, 0], [1, 1]])
call.genotype.extend(randomChoice)
call.genotype_likelihood.extend([-100, -100, -100])
variant.id = self.getVariantId(variant)
return variant
| generateVariant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceName, position, randomNumberGenerator):\n variant = self._createGaVariant()\n variant.reference_name = referenceName\n variant.start = ... |
def x(self, variantSetRecord):
self._created = variantSetRecord.created
self._updated = variantSetRecord.updated
self.setAttributesJson(variantSetRecord.attributes)
self._chromFileMap = {}
for key, value in json.loads(variantSetRecord.dataurlindexmap).items():
self._chromFileMap[key] = tuple(value)
self._metadata = []
for jsonDict in json.loads(variantSetRecord.metadata):
metadata = protocol.fromJson(json.dumps(jsonDict), protocol.
VariantSetMetadata)
self._metadata.append(metadata)
| populateFromRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantSetRecord):\n self._created = variantSetRecord.created\n self._updated = variantSetRecord.updated\n self.setAttributesJson(variantSetReco... |
def x(self, dataUrls, indexFiles):
assert len(dataUrls) == len(indexFiles)
for dataUrl, indexFile in zip(dataUrls, indexFiles):
varFile = pysam.VariantFile(dataUrl, index_filename=indexFile)
try:
self._populateFromVariantFile(varFile, dataUrl, indexFile)
finally:
varFile.close()
| populateFromFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataUrls, indexFiles):\n assert len(dataUrls) == len(indexFiles)\n for dataUrl, indexFile in zip(dataUrls, indexFiles):\n varFile = pysam.Va... |
def x(self, vcfDirectory):
pattern = os.path.join(vcfDirectory, '*.vcf.gz')
dataFiles = []
indexFiles = []
for vcfFile in glob.glob(pattern):
dataFiles.append(vcfFile)
indexFiles.append(vcfFile + '.tbi')
self.populateFromFile(dataFiles, indexFiles)
| populateFromDirectory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vcfDirectory):\n pattern = os.path.join(vcfDirectory, '*.vcf.gz')\n dataFiles = []\n indexFiles = []\n for vcfFile in glob.glob(pattern):\n ... |
def x(self):
for referenceName, (dataUrl, indexFile) in self._chromFileMap.items():
varFile = pysam.VariantFile(dataUrl, index_filename=indexFile)
try:
for chrom in varFile.index:
chrom, _, _ = self.sanitizeVariantFileFetch(chrom)
if not isEmptyIter(varFile.fetch(chrom)):
self._checkMetadata(varFile)
self._checkCallSetIds(varFile)
finally:
varFile.close()
| checkConsistency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for referenceName, (dataUrl, indexFile) in self._chromFileMap.items():\n varFile = pysam.VariantFile(dataUrl, index_filename=indexFile)\n ... |
def x(self, varFile, dataUrl, indexFile):
if varFile.index is None:
raise exceptions.NotIndexedException(dataUrl)
for chrom in varFile.index:
chrom, _, _ = self.sanitizeVariantFileFetch(chrom)
if not isEmptyIter(varFile.fetch(chrom)):
if chrom in self._chromFileMap:
raise exceptions.OverlappingVcfException(dataUrl, chrom)
self._chromFileMap[chrom] = dataUrl, indexFile
self._updateMetadata(varFile)
self._updateCallSetIds(varFile)
self._updateVariantAnnotationSets(varFile, dataUrl)
| populateFromVariantFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, varFile, dataUrl, indexFile):\n if varFile.index is None:\n raise exceptions.NotIndexedException(dataUrl)\n for chrom in varFile.index:\n ... |
def x(self, variantFile, dataUrl):
if not self.isAnnotated():
annotationType = None
for record in variantFile.header.records:
if record.type == 'GENERIC':
if record.key == 'SnpEffVersion':
annotationType = ANNOTATIONS_SNPEFF
elif record.key == 'VEP':
version = record.value.split()[0]
if version == 'v82':
annotationType = ANNOTATIONS_VEP_V82
elif version == 'v77':
annotationType = ANNOTATIONS_VEP_V77
else:
raise ValueError("Unsupported VEP version {} in '{}'"
.format(version, dataUrl))
if annotationType is None:
infoKeys = variantFile.header.info.keys()
if 'CSQ' in infoKeys or 'ANN' in infoKeys:
raise ValueError("Unsupported annotations in '{}'".format(
dataUrl))
if annotationType is not None:
vas = HtslibVariantAnnotationSet(self, self.getLocalId())
vas.populateFromFile(variantFile, annotationType)
self.addVariantAnnotationSet(vas)
| updateVariantAnnotationSets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantFile, dataUrl):\n if not self.isAnnotated():\n annotationType = None\n for record in variantFile.header.records:\n if ... |
def x(self, variantFile):
metadata = self._getMetadataFromVcf(variantFile)
if self._metadata is None:
self._metadata = metadata
| updateMetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantFile):\n metadata = self._getMetadataFromVcf(variantFile)\n if self._metadata is None:\n self._metadata = metadata\n",
"role": "u... |
def x(self, variantFile):
metadata = self._getMetadataFromVcf(variantFile)
if self._metadata is not None and self._metadata != metadata:
raise exceptions.InconsistentMetaDataException(variantFile.filename)
| checkMetadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantFile):\n metadata = self._getMetadataFromVcf(variantFile)\n if self._metadata is not None and self._metadata != metadata:\n raise exc... |
def x(self, variantFile):
if len(self._callSetIdMap) > 0:
callSetIds = set([self.getCallSetId(sample) for sample in
variantFile.header.samples])
if callSetIds != set(self._callSetIdMap.keys()):
raise exceptions.InconsistentCallSetIdException(variantFile.
filename)
| checkCallSetIds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantFile):\n if len(self._callSetIdMap) > 0:\n callSetIds = set([self.getCallSetId(sample) for sample in\n variantFile.header.sam... |
def x(self, variantFile):
if len(self._callSetIdMap) == 0:
for sample in variantFile.header.samples:
self.addCallSetFromName(sample)
| updateCallSetIds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variantFile):\n if len(self._callSetIdMap) == 0:\n for sample in variantFile.header.samples:\n self.addCallSetFromName(sample)\n",
... |
def x(self, record, callSetIds):
variant = self._createGaVariant()
variant.reference_name = record.contig
if record.id is not None:
variant.names.extend(record.id.split(';'))
variant.start = record.start
variant.end = record.stop
variant.reference_bases = record.ref
if record.alts is not None:
variant.alternate_bases.extend(list(record.alts))
filterKeys = record.filter.keys()
if len(filterKeys) == 0:
variant.filters_applied = False
else:
variant.filters_applied = True
if len(filterKeys) == 1 and filterKeys[0] == 'PASS':
variant.filters_passed = True
else:
variant.filters_passed = False
variant.filters_failed.extend(filterKeys)
for key, value in record.info.iteritems():
if value is None:
continue
if key == 'SVTYPE':
variant.variant_type = value
elif key == 'SVLEN':
variant.svlen = int(value[0])
elif key == 'CIPOS':
variant.cipos.extend(value)
elif key == 'CIEND':
variant.ciend.extend(value)
elif isinstance(value, str):
value = value.split(',')
protocol.setAttribute(variant.attributes.attr[key].values, value)
for callSetId in callSetIds:
callSet = self.getCallSet(callSetId)
pysamCall = record.samples[str(callSet.getSampleName())]
variant.calls.add().CopyFrom(self._convertGaCall(callSet, pysamCall))
variant.id = self.getVariantId(variant)
return variant
| convertVariant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, callSetIds):\n variant = self._createGaVariant()\n variant.reference_name = record.contig\n if record.id is not None:\n variant.n... |
def x(self, referenceName, startPosition, endPosition):
if referenceName in self._chromFileMap:
varFileName = self._chromFileMap[referenceName]
referenceName, startPosition, endPosition = (self.
sanitizeVariantFileFetch(referenceName, startPosition, endPosition)
)
cursor = self.getFileHandle(varFileName).fetch(referenceName,
startPosition, endPosition)
for record in cursor:
yield record
| getPysamVariants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceName, startPosition, endPosition):\n if referenceName in self._chromFileMap:\n varFileName = self._chromFileMap[referenceName]\n ... |
def x(self, referenceName, startPosition, endPosition, callSetIds=[]):
if callSetIds is None:
callSetIds = self._callSetIds
else:
for callSetId in callSetIds:
if callSetId not in self._callSetIds:
raise exceptions.CallSetNotInVariantSetException(callSetId,
self.getId())
for record in self.getPysamVariants(referenceName, startPosition,
endPosition):
yield self.convertVariant(record, callSetIds)
| getVariants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceName, startPosition, endPosition, callSetIds=[]):\n if callSetIds is None:\n callSetIds = self._callSetIds\n else:\n for cal... |
def x(self, metadata):
return str(datamodel.VariantSetMetadataCompoundId(self.getCompoundId(),
'metadata:' + metadata.key))
| getMetadataId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata):\n return str(datamodel.VariantSetMetadataCompoundId(self.getCompoundId(),\n 'metadata:' + metadata.key))\n",
"role": "user"
},... |
def x(self):
ret = protocol.VariantAnnotation()
ret.created = self._creationTime
ret.variant_annotation_set_id = self.getId()
return ret
| createGaVariantAnnotation | [
{
"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.VariantAnnotation()\n ret.created = self._creationTime\n ret.variant_annotation_set_id = self.getId()\n return ret\n",
... |
def x(self):
protocolElement = protocol.VariantAnnotationSet()
protocolElement.id = self.getId()
protocolElement.variant_set_id = self._variantSet.getId()
protocolElement.name = self.getLocalId()
protocolElement.analysis.CopyFrom(self.getAnalysis())
self.serializeAttributes(protocolElement)
return protocolElement
| toProtocolElement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n protocolElement = protocol.VariantAnnotationSet()\n protocolElement.id = self.getId()\n protocolElement.variant_set_id = self._variantSet.get... |
def x(cls, gaVariant, gaVariantAnnotation):
treffs = [treff.id for treff in gaVariantAnnotation.transcript_effects]
return hashlib.md5('{}\t{}\t{}\t'.format(gaVariant.reference_bases,
tuple(gaVariant.alternate_bases), treffs)).hexdigest()
| hashVariantAnnotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, gaVariant, gaVariantAnnotation):\n treffs = [treff.id for treff in gaVariantAnnotation.transcript_effects]\n return hashlib.md5('{}\\t{}\\t{}\\t'.fo... |
def x(self, gaVariant, gaAnnotation):
md5 = self.hashVariantAnnotation(gaVariant, gaAnnotation)
compoundId = datamodel.VariantAnnotationCompoundId(self.getCompoundId(),
gaVariant.reference_name, str(gaVariant.start), md5)
return str(compoundId)
| getVariantAnnotationId | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gaVariant, gaAnnotation):\n md5 = self.hashVariantAnnotation(gaVariant, gaAnnotation)\n compoundId = datamodel.VariantAnnotationCompoundId(self.get... |
def x(self, variant):
seed = self._randomSeed + variant.start + variant.end
randomNumberGenerator = random.Random()
randomNumberGenerator.seed(seed)
ann = protocol.VariantAnnotation()
ann.variant_annotation_set_id = str(self.getCompoundId())
ann.variant_id = variant.id
ann.created = datetime.datetime.now().isoformat() + 'Z'
for base in variant.alternate_bases:
ann.transcript_effects.add().CopyFrom(self.generateTranscriptEffect
(variant, ann, base, randomNumberGenerator))
ann.id = self.getVariantAnnotationId(variant, ann)
return ann
| generateVariantAnnotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, variant):\n seed = self._randomSeed + variant.start + variant.end\n randomNumberGenerator = random.Random()\n randomNumberGenerator.seed(seed)\n... |
def x(self, annotationSetRecord):
self._annotationType = annotationSetRecord.annotationtype
self._analysis = protocol.fromJson(annotationSetRecord.analysis,
protocol.Analysis)
self._creationTime = annotationSetRecord.created
self._updatedTime = annotationSetRecord.updated
self.setAttributesJson(annotationSetRecord.attributes)
| populateFromRow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annotationSetRecord):\n self._annotationType = annotationSetRecord.annotationtype\n self._analysis = protocol.fromJson(annotationSetRecord.analysis... |
def x(self, varFile):
header = varFile.header
analysis = protocol.Analysis()
formats = header.formats.items()
infos = header.info.items()
filters = header.filters.items()
for prefix, content in [('FORMAT', formats), ('INFO', infos), ('FILTER',
filters)]:
for contentKey, value in content:
key = '{0}.{1}'.format(prefix, value.name)
if key not in analysis.attributes.attr:
analysis.attributes.attr[key].Clear()
if value.description is not None:
analysis.attributes.attr[key].values.add(
).string_value = value.description
analysis.created = self._creationTime
analysis.updated = self._updatedTime
for r in header.records:
if r.value is not None:
if r.key not in analysis.attributes.attr:
analysis.attributes.attr[r.key].Clear()
analysis.attributes.attr[r.key].values.add().string_value = str(r
.value)
if r.key == 'created' or r.key == 'fileDate':
try:
if '-' in r.value:
fmtStr = '%Y-%m-%d'
else:
fmtStr = '%Y%m%d'
analysis.created = datetime.datetime.strptime(r.value, fmtStr
).isoformat() + 'Z'
except ValueError:
pass
if r.key == 'software':
analysis.software.append(r.value)
if r.key == 'name':
analysis.name = r.value
if r.key == 'description':
analysis.description = r.value
analysis.id = str(datamodel.VariantAnnotationSetAnalysisCompoundId(self
._compoundId, 'analysis'))
return analysis
| getAnnotationAnalysis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, varFile):\n header = varFile.header\n analysis = protocol.Analysis()\n formats = header.formats.items()\n infos = header.info.items()\n fi... |
def x(self, referenceName, startPosition, endPosition):
variantIter = self._variantSet.getPysamVariants(referenceName,
startPosition, endPosition)
for record in variantIter:
yield self.convertVariantAnnotation(record)
| getVariantAnnotations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceName, startPosition, endPosition):\n variantIter = self._variantSet.getPysamVariants(referenceName,\n startPosition, endPosition)\n ... |
def x(self, pos):
if isUnspecified(pos):
return None
coordLen = pos.split('/')
if len(coordLen) > 1:
allLoc = self._createGaAlleleLocation()
allLoc.start = int(coordLen[0]) - 1
return allLoc
return None
| convertLocation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos):\n if isUnspecified(pos):\n return None\n coordLen = pos.split('/')\n if len(coordLen) > 1:\n allLoc = self._createGaAlleleLo... |
def x(self, hgvsc):
if isUnspecified(hgvsc):
return None
match = re.match('.*c.(\\d+)(\\D+)>(\\D+)', hgvsc)
if match:
pos = int(match.group(1))
if pos > 0:
allLoc = self._createGaAlleleLocation()
allLoc.start = pos - 1
allLoc.reference_sequence = match.group(2)
allLoc.alternate_sequence = match.group(3)
return allLoc
return None
| convertLocationHgvsC | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hgvsc):\n if isUnspecified(hgvsc):\n return None\n match = re.match('.*c.(\\\\d+)(\\\\D+)>(\\\\D+)', hgvsc)\n if match:\n pos = in... |
def x(self, hgvsp):
if isUnspecified(hgvsp):
return None
match = re.match('.*p.(\\D+)(\\d+)(\\D+)', hgvsp, flags=re.UNICODE)
if match is not None:
allLoc = self._createGaAlleleLocation()
allLoc.reference_sequence = match.group(1)
allLoc.start = int(match.group(2)) - 1
allLoc.alternate_sequence = match.group(3)
return allLoc
return None
| convertLocationHgvsP | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hgvsp):\n if isUnspecified(hgvsp):\n return None\n match = re.match('.*p.(\\\\D+)(\\\\d+)(\\\\D+)', hgvsp, flags=re.UNICODE)\n if match i... |
def x(self, effect, protPos, cdnaPos):
self.addCDSLocation(effect, cdnaPos)
self.addCDNALocation(effect, cdnaPos)
self.addProteinLocation(effect, protPos)
return effect
| addLocations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, effect, protPos, cdnaPos):\n self.addCDSLocation(effect, cdnaPos)\n self.addCDNALocation(effect, cdnaPos)\n self.addProteinLocation(effect, prot... |
def x(self, annStr, hgvsG):
effect = self._createGaTranscriptEffect()
effect.hgvs_annotation.CopyFrom(protocol.HGVSAnnotation())
annDict = dict()
if self._annotationType == ANNOTATIONS_SNPEFF:
annDict = dict(zip(self.SNPEFF_FIELDS, annStr.split('|')))
elif self._annotationType == ANNOTATIONS_VEP_V82:
annDict = dict(zip(self.VEP_FIELDS, annStr.split('|')))
else:
annDict = dict(zip(self.CSQ_FIELDS, annStr.split('|')))
annDict['hgvs_annotation.genomic'] = hgvsG if hgvsG else u''
for key, val in annDict.items():
try:
protocol.deepSetAttr(effect, key, val)
except AttributeError:
if val and key not in self.EXCLUDED_FIELDS:
protocol.setAttribute(effect.attributes.attr[key].values, val)
effect.effects.extend(self.convertSeqOntology(annDict.get('effects')))
self.addLocations(effect, annDict.get('protPos'), annDict.get('cdnaPos'))
effect.id = self.getTranscriptEffectId(effect)
return effect
| convertTranscriptEffect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, annStr, hgvsG):\n effect = self._createGaTranscriptEffect()\n effect.hgvs_annotation.CopyFrom(protocol.HGVSAnnotation())\n annDict = dict()\n ... |
def x(self, seqOntStr):
return [self._ontology.getGaTermByName(soName) for soName in seqOntStr.
split('&')]
| convertSeqOntology | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seqOntStr):\n return [self._ontology.getGaTermByName(soName) for soName in seqOntStr.\n split('&')]\n",
"role": "user"
},
{
"conten... |
def x(self, record):
variant = self._variantSet.convertVariant(record, [])
annotation = self._createGaVariantAnnotation()
annotation.variant_id = variant.id
gDots = record.info.get(b'HGVS.g')
transcriptEffects = []
annotations = record.info.get(b'ANN') or record.info.get(b'CSQ')
for i, ann in enumerate(annotations):
hgvsG = gDots[i % len(variant.alternate_bases)] if gDots else None
transcriptEffects.append(self.convertTranscriptEffect(ann, hgvsG))
annotation.transcript_effects.extend(transcriptEffects)
annotation.id = self.getVariantAnnotationId(variant, annotation)
return variant, annotation
| convertVariantAnnotation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record):\n variant = self._variantSet.convertVariant(record, [])\n annotation = self._createGaVariantAnnotation()\n annotation.variant_id = vari... |
def x(self, name):
return '{}={}'.format(_encodeAttr(name), ','.join([_encodeAttr(v) for v in
self.attributes[name]]))
| attributeStr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n return '{}={}'.format(_encodeAttr(name), ','.join([_encodeAttr(v) for v in\n self.attributes[name]]))\n",
"role": "user"
},
{
... |
def x(self):
return ';'.join([self._attributeStr(name) for name in self.attributes.
iterkeys()])
| attributeStrs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return ';'.join([self._attributeStr(name) for name in self.attributes.\n iterkeys()])\n",
"role": "user"
},
{
"content": "attrib... |
def x(self):
featId = self.attributes.get('ID')
if featId is not None:
featId = featId[0]
return featId
| featureName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n featId = self.attributes.get('ID')\n if featId is not None:\n featId = featId[0]\n return featId\n",
"role": "user"
},
{
"... |
def x(self, feature):
parentNames = feature.attributes.get('Parent')
if parentNames is None:
self.roots.add(feature)
else:
for parentName in parentNames:
self._linkToParent(feature, parentName)
| linkFeature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature):\n parentNames = feature.attributes.get('Parent')\n if parentNames is None:\n self.roots.add(feature)\n else:\n for paren... |
def x(self, feature, parentName):
parentParts = self.byFeatureName.get(parentName)
if parentParts is None:
raise GFF3Exception('Parent feature does not exist: {}'.format(
parentName), self.fileName)
for parentPart in parentParts:
feature.parents.add(parentPart)
parentPart.children.add(feature)
| linkToParent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature, parentName):\n parentParts = self.byFeatureName.get(parentName)\n if parentParts is None:\n raise GFF3Exception('Parent feature doe... |
def x(self):
for featureParts in self.byFeatureName.itervalues():
for feature in featureParts:
self._linkFeature(feature)
| linkChildFeaturesToParents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for featureParts in self.byFeatureName.itervalues():\n for feature in featureParts:\n self._linkFeature(feature)\n",
"role": ... |
def x(r):
return r.seqname, r.start, -r.end, r.type
| recSortKey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r):\n return r.seqname, r.start, -r.end, r.type\n",
"role": "user"
},
{
"content": "recSortKey",
"role": "assistant"
}
] |
def x(self, fh, rec):
fh.write(str(rec) + '\n')
for child in sorted(rec.children, key=self._recSortKey):
self._writeRec(fh, child)
| writeRec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fh, rec):\n fh.write(str(rec) + '\\n')\n for child in sorted(rec.children, key=self._recSortKey):\n self._writeRec(fh, child)\n",
"role"... |
def x(self, fh):
fh.write(GFF3_HEADER + '\n')
for root in sorted(self.roots, key=self._recSortKey):
self._writeRec(fh, root)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fh):\n fh.write(GFF3_HEADER + '\\n')\n for root in sorted(self.roots, key=self._recSortKey):\n self._writeRec(fh, root)\n",
"role": "use... |
def x(self):
if self.fileName.endswith('.gz'):
return gzip.open(self.fileName)
elif self.fileName.endswith('.bz2'):
return bz2.BZ2File(self.fileName)
else:
return open(self.fileName)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.fileName.endswith('.gz'):\n return gzip.open(self.fileName)\n elif self.fileName.endswith('.bz2'):\n return bz2.BZ2File(se... |
def x(self, attrStr):
m = self.SPLIT_ATTR_RE.match(attrStr)
if m is None:
raise GFF3Exception("can't parse attribute/value: '" + attrStr +
"'", self.fileName, self.lineNumber)
name = urllib.unquote(m.group(1))
val = m.group(2)
return name, [urllib.unquote(v) for v in val.split(',')]
| parseAttrVal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attrStr):\n m = self.SPLIT_ATTR_RE.match(attrStr)\n if m is None:\n raise GFF3Exception(\"can't parse attribute/value: '\" + attrStr +\n ... |
def x(self, attrsStr):
attributes = dict()
for attrStr in self.SPLIT_ATTR_COL_RE.split(attrsStr):
name, vals = self._parseAttrVal(attrStr)
if name in attributes:
raise GFF3Exception('duplicated attribute name: {}'.format(name
), self.fileName, self.lineNumber)
attributes[name] = vals
return attributes
| parseAttrs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attrsStr):\n attributes = dict()\n for attrStr in self.SPLIT_ATTR_COL_RE.split(attrsStr):\n name, vals = self._parseAttrVal(attrStr)\n ... |
def x(self, gff3Set, line):
row = line.split('\t')
if len(row) != self.GFF3_NUM_COLS:
raise GFF3Exception('Wrong number of columns, expected {}, got {}'.
format(self.GFF3_NUM_COLS, len(row)), self.fileName, self.
lineNumber)
feature = Feature(urllib.unquote(row[0]), urllib.unquote(row[1]),
urllib.unquote(row[2]), int(row[3]), int(row[4]), row[5], row[6],
row[7], self._parseAttrs(row[8]))
gff3Set.add(feature)
| parseRecord | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gff3Set, line):\n row = line.split('\\t')\n if len(row) != self.GFF3_NUM_COLS:\n raise GFF3Exception('Wrong number of columns, expected {}, ... |
def x(self):
fh = self._open()
try:
gff3Set = Gff3Set(self.fileName)
for line in fh:
self.lineNumber += 1
self._parseLine(gff3Set, line[0:-1])
finally:
fh.close()
gff3Set.linkChildFeaturesToParents()
return gff3Set
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fh = self._open()\n try:\n gff3Set = Gff3Set(self.fileName)\n for line in fh:\n self.lineNumber += 1\n self.... |
def x(self, dataset):
id_ = dataset.getId()
self._datasetIdMap[id_] = dataset
self._datasetNameMap[dataset.getLocalId()] = dataset
self._datasetIds.append(id_)
| addDataset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n id_ = dataset.getId()\n self._datasetIdMap[id_] = dataset\n self._datasetNameMap[dataset.getLocalId()] = dataset\n self._datasetI... |
def x(self, referenceSet):
id_ = referenceSet.getId()
self._referenceSetIdMap[id_] = referenceSet
self._referenceSetNameMap[referenceSet.getLocalId()] = referenceSet
self._referenceSetIds.append(id_)
| addReferenceSet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenceSet):\n id_ = referenceSet.getId()\n self._referenceSetIdMap[id_] = referenceSet\n self._referenceSetNameMap[referenceSet.getLocalId()]... |
def x(self, ontology):
self._ontologyNameMap[ontology.getName()] = ontology
self._ontologyIdMap[ontology.getId()] = ontology
self._ontologyIds.append(ontology.getId())
| addOntology | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ontology):\n self._ontologyNameMap[ontology.getName()] = ontology\n self._ontologyIdMap[ontology.getId()] = ontology\n self._ontologyIds.append(... |
def x(self, url):
peers = filter(lambda x: x.getUrl() == url, self.getPeers())
if len(peers) == 0:
raise exceptions.PeerNotFoundException(url)
return peers[0]
| getPeer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n peers = filter(lambda x: x.getUrl() == url, self.getPeers())\n if len(peers) == 0:\n raise exceptions.PeerNotFoundException(url)\n ... |
def x(self, id_):
if id_ not in self._datasetIdMap:
raise exceptions.DatasetNotFoundException(id_)
return self._datasetIdMap[id_]
| getDataset | [
{
"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._datasetIdMap:\n raise exceptions.DatasetNotFoundException(id_)\n return self._datasetIdMap[id_]\n",
"role": ... |
def x(self, name):
if name not in self._datasetNameMap:
raise exceptions.DatasetNameNotFoundException(name)
return self._datasetNameMap[name]
| getDatasetByName | [
{
"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._datasetNameMap:\n raise exceptions.DatasetNameNotFoundException(name)\n return self._datasetNameMap[name]\n",
... |
def x(self, id_):
if id_ not in self._ontologyIdMap:
raise exceptions.OntologyNotFoundException(id_)
return self._ontologyIdMap[id_]
| getOntology | [
{
"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._ontologyIdMap:\n raise exceptions.OntologyNotFoundException(id_)\n return self._ontologyIdMap[id_]\n",
"role... |
def x(self, name):
if name not in self._ontologyNameMap:
raise exceptions.OntologyNameNotFoundException(name)
return self._ontologyNameMap[name]
| getOntologyByName | [
{
"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._ontologyNameMap:\n raise exceptions.OntologyNameNotFoundException(name)\n return self._ontologyNameMap[name]\n... |
def x(self, id_):
if id_ not in self._referenceSetIdMap:
raise exceptions.ReferenceSetNotFoundException(id_)
return self._referenceSetIdMap[id_]
| getReferenceSet | [
{
"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._referenceSetIdMap:\n raise exceptions.ReferenceSetNotFoundException(id_)\n return self._referenceSetIdMap[id_]\n... |
def x(self, name):
if name not in self._referenceSetNameMap:
raise exceptions.ReferenceSetNameNotFoundException(name)
return self._referenceSetNameMap[name]
| getReferenceSetByName | [
{
"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._referenceSetNameMap:\n raise exceptions.ReferenceSetNameNotFoundException(name)\n return self._referenceSetNam... |
def x(self, id_):
compoundId = datamodel.ReadGroupSetCompoundId.parse(id_)
dataset = self.getDataset(compoundId.dataset_id)
return dataset.getReadGroupSet(id_)
| getReadGroupSet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_):\n compoundId = datamodel.ReadGroupSetCompoundId.parse(id_)\n dataset = self.getDataset(compoundId.dataset_id)\n return dataset.getReadGrou... |
def x(self, id_):
compoundId = datamodel.VariantSetCompoundId.parse(id_)
dataset = self.getDataset(compoundId.dataset_id)
return dataset.getVariantSet(id_)
| getVariantSet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id_):\n compoundId = datamodel.VariantSetCompoundId.parse(id_)\n dataset = self.getDataset(compoundId.dataset_id)\n return dataset.getVariantSet... |
def x(self):
print('Ontologies:')
for ontology in self.getOntologys():
print('', ontology.getOntologyPrefix(), ontology.getName(),
ontology.getDataUrl(), sep='\t')
print('ReferenceSets:')
for referenceSet in self.getReferenceSets():
print('', referenceSet.getLocalId(), referenceSet.getId(),
referenceSet.getDescription(), referenceSet.getDataUrl(), sep='\t')
for reference in referenceSet.getReferences():
print('\t', reference.getLocalId(), reference.getId(), sep='\t')
print('Datasets:')
for dataset in self.getDatasets():
print('', dataset.getLocalId(), dataset.getId(), dataset.
getDescription(), sep='\t')
print('\tReadGroupSets:')
for readGroupSet in dataset.getReadGroupSets():
print('\t', readGroupSet.getLocalId(), readGroupSet.
getReferenceSet().getLocalId(), readGroupSet.getId(),
readGroupSet.getDataUrl(), sep='\t')
for readGroup in readGroupSet.getReadGroups():
print('\t\t', readGroup.getId(), readGroup.getLocalId(),
sep='\t')
print('\tVariantSets:')
for variantSet in dataset.getVariantSets():
print('\t', variantSet.getLocalId(), variantSet.getReferenceSet
().getLocalId(), variantSet.getId(), sep='\t')
if variantSet.getNumVariantAnnotationSets() > 0:
print('\t\tVariantAnnotationSets:')
for vas in variantSet.getVariantAnnotationSets():
print('\t\t', vas.getLocalId(), vas.getAnnotationType(),
vas.getOntology().getName(), sep='\t')
print('\tFeatureSets:')
for featureSet in dataset.getFeatureSets():
print('\t', featureSet.getLocalId(), featureSet.getReferenceSet
().getLocalId(), featureSet.getOntology().getName(),
featureSet.getId(), sep='\t')
print('\tContinuousSets:')
for continuousSet in dataset.getContinuousSets():
print('\t', continuousSet.getLocalId(), continuousSet.
getReferenceSet().getLocalId(), continuousSet.getId(), sep='\t'
)
print('\tPhenotypeAssociationSets:')
for phenotypeAssociationSet in dataset.getPhenotypeAssociationSets():
print('\t', phenotypeAssociationSet.getLocalId(),
phenotypeAssociationSet.getParentContainer().getId(), sep='\t')
print('\tRnaQuantificationSets:')
for rna_quantification_set in dataset.getRnaQuantificationSets():
print('\t', rna_quantification_set.getLocalId(),
rna_quantification_set.getId(), sep='\t')
for quant in rna_quantification_set.getRnaQuantifications():
print('\t\t', quant.getLocalId(), quant._description, ','.
join(quant._readGroupIds), ','.join(quant.
_featureSetIds), sep='\t')
| printSummary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print('Ontologies:')\n for ontology in self.getOntologys():\n print('', ontology.getOntologyPrefix(), ontology.getName(),\n on... |
def x(self):
for dataset in self.getDatasets():
for readGroupSet in dataset.getReadGroupSets():
for readGroup in readGroupSet.getReadGroups():
yield readGroup
| allReadGroups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dataset in self.getDatasets():\n for readGroupSet in dataset.getReadGroupSets():\n for readGroup in readGroupSet.getReadGroup... |
def x(self):
for dataset in self.getDatasets():
for featureSet in dataset.getFeatureSets():
for feature in featureSet.getFeatures():
yield feature
| allFeatures | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dataset in self.getDatasets():\n for featureSet in dataset.getFeatureSets():\n for feature in featureSet.getFeatures():\n ... |
def x(self):
for dataset in self.getDatasets():
for variantSet in dataset.getVariantSets():
for callSet in variantSet.getCallSets():
yield callSet
| allCallSets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for dataset in self.getDatasets():\n for variantSet in dataset.getVariantSets():\n for callSet in variantSet.getCallSets():\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.