source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, row):
if self.raw:
return row[0]
return self.attribute.outfilter(row[0], _FakeItemForFilter(self.store))
| massageData | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row):\n if self.raw:\n return row[0]\n return self.attribute.outfilter(row[0], _FakeItemForFilter(self.store))\n",
"role": "user"
},
{
"content": "massageData",
"role": "assistant"
}
] |
def x(self):
res = self._runQuery('SELECT', 'SUM(%s)' % (self._queryTarget,)) or [(0,)]
assert len(res) == 1, 'more than one result: %r' % (res,)
dbval = res[0][0] or 0
return self.attribute.outfilter(dbval, _FakeItemForFilter(self.store))
| sum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n res = self._runQuery('SELECT', 'SUM(%s)' % (self._queryTarget,)) or [(0,)]\n assert len(res) == 1, 'more than one result: %r' % (res,)\n dbval = res[0][0] or 0\n return self.attribute.outfilter(dbval, _FakeItemForFilter(self.store))\n",
"role": "user"
},
{
"content": "sum",
"role": "assistant"
}
] |
def x(self):
rslt = self._runQuery('SELECT', 'AVG(%s)' % (self._queryTarget,)) or [(0,)]
assert len(rslt) == 1, 'more than one result: %r' % (rslt,)
return rslt[0][0]
| average | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rslt = self._runQuery('SELECT', 'AVG(%s)' % (self._queryTarget,)) or [(0,)]\n assert len(rslt) == 1, 'more than one result: %r' % (rslt,)\n return rslt[0][0]\n",
"role": "user"
},
{
"content": "average",
"role": "assistant"
}
] |
def x(self, child):
self._childCounter += 1
databaseName = 'child_db_%d' % (self._childCounter,)
self._attachedChildren[databaseName] = child
self.executeSQL("ATTACH DATABASE '%s' AS %s" % (child.dbdir.child(
'db.sqlite').path, databaseName))
return databaseName
| attachChild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, child):\n self._childCounter += 1\n databaseName = 'child_db_%d' % (self._childCounter,)\n self._attachedChildren[databaseName] = child\n self.executeSQL(\"ATTACH DATABASE '%s' AS %s\" % (child.dbdir.child(\n 'db.sqlite').path, databaseName))\n return databaseName\n",
"role": "user"
},
{
"content": "attachChild",
"role": "assistant"
}
] |
def x(self, userItemClass, __ifnew=None, **attrs):
andargs = []
for k, v in attrs.iteritems():
col = getattr(userItemClass, k)
andargs.append(col == v)
if len(andargs) == 0:
cond = []
elif len(andargs) == 1:
cond = [andargs[0]]
else:
cond = [attributes.AND(*andargs)]
for result in self.query(userItemClass, *cond):
return result
newItem = userItemClass(store=self, **attrs)
if __ifnew is not None:
__ifnew(newItem)
return newItem
| findOrCreate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, userItemClass, __ifnew=None, **attrs):\n andargs = []\n for k, v in attrs.iteritems():\n col = getattr(userItemClass, k)\n andargs.append(col == v)\n if len(andargs) == 0:\n cond = []\n elif len(andargs) == 1:\n cond = [andargs[0]]\n else:\n cond = [attributes.AND(*andargs)]\n for result in self.query(userItemClass, *cond):\n return result\n newItem = userItemClass(store=self, **attrs)\n if __ifnew is not None:\n __ifnew(newItem)\n return newItem\n",
"role": "user"
},
{
"content": "findOrCreate",
"role": "assistant"
}
] |
def x(self, *path):
assert len(path) > 0, 'newFile requires a nonzero number of segments'
if self.dbdir is None:
if self.filesdir is None:
raise RuntimeError('This in-memory store has no file directory')
else:
tmpbase = self.filesdir
else:
tmpbase = self.dbdir
tmpname = tmpbase.child('temp').child(str(tempCounter.next()) + '.tmp')
return AtomicFile(tmpname.path, self.newFilePath(*path))
| newFile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *path):\n assert len(path) > 0, 'newFile requires a nonzero number of segments'\n if self.dbdir is None:\n if self.filesdir is None:\n raise RuntimeError('This in-memory store has no file directory')\n else:\n tmpbase = self.filesdir\n else:\n tmpbase = self.dbdir\n tmpname = tmpbase.child('temp').child(str(tempCounter.next()) + '.tmp')\n return AtomicFile(tmpname.path, self.newFilePath(*path))\n",
"role": "user"
},
{
"content": "newFile",
"role": "assistant"
}
] |
def x(self):
typeIDToNameAndVersion = {}
for key, value in self.typenameAndVersionToID.iteritems():
typeIDToNameAndVersion[value] = key
persistedSchema = sorted(self.querySchemaSQL(
'SELECT attribute, type_id, sqltype, indexed, pythontype, docstring FROM *DATABASE*.axiom_attributes '
))
getAttribute = attributes.__dict__.__getitem__
result = {}
for attribute, typeID, sqltype, indexed, pythontype, docstring in persistedSchema:
key = typeIDToNameAndVersion[typeID]
if key not in result:
result[key] = []
result[key].append((attribute, sqltype, indexed, getAttribute(
pythontype), docstring))
return result
| loadTypeSchema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n typeIDToNameAndVersion = {}\n for key, value in self.typenameAndVersionToID.iteritems():\n typeIDToNameAndVersion[value] = key\n persistedSchema = sorted(self.querySchemaSQL(\n 'SELECT attribute, type_id, sqltype, indexed, pythontype, docstring FROM *DATABASE*.axiom_attributes '\n ))\n getAttribute = attributes.__dict__.__getitem__\n result = {}\n for attribute, typeID, sqltype, indexed, pythontype, docstring in persistedSchema:\n key = typeIDToNameAndVersion[typeID]\n if key not in result:\n result[key] = []\n result[key].append((attribute, sqltype, indexed, getAttribute(\n pythontype), docstring))\n return result\n",
"role": "user"
},
{
"content": "loadTypeSchema",
"role": "assistant"
}
] |
def x(self, actualType, onDiskSchema):
try:
inMemorySchema = _inMemorySchemaCache[actualType]
except KeyError:
inMemorySchema = _inMemorySchemaCache[actualType] = [(
storedAttribute.attrname, storedAttribute.sqltype) for name,
storedAttribute in actualType.getSchema()]
key = actualType.typeName, actualType.schemaVersion
persistedSchema = [(storedAttribute[0], storedAttribute[1]) for
storedAttribute in onDiskSchema[key]]
if inMemorySchema != persistedSchema:
raise RuntimeError(
'Schema mismatch on already-loaded %r <%r> object version %d:\n%s'
% (actualType, actualType.typeName, actualType.schemaVersion,
_diffSchema(persistedSchema, inMemorySchema)))
if actualType.__legacy__:
return
if (key[0], key[1] + 1) in onDiskSchema:
raise RuntimeError('Memory version of %r is %d; database has newer' %
(actualType.typeName, key[1]))
| checkTypeSchemaConsistency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actualType, onDiskSchema):\n try:\n inMemorySchema = _inMemorySchemaCache[actualType]\n except KeyError:\n inMemorySchema = _inMemorySchemaCache[actualType] = [(\n storedAttribute.attrname, storedAttribute.sqltype) for name,\n storedAttribute in actualType.getSchema()]\n key = actualType.typeName, actualType.schemaVersion\n persistedSchema = [(storedAttribute[0], storedAttribute[1]) for\n storedAttribute in onDiskSchema[key]]\n if inMemorySchema != persistedSchema:\n raise RuntimeError(\n 'Schema mismatch on already-loaded %r <%r> object version %d:\\n%s'\n % (actualType, actualType.typeName, actualType.schemaVersion,\n _diffSchema(persistedSchema, inMemorySchema)))\n if actualType.__legacy__:\n return\n if (key[0], key[1] + 1) in onDiskSchema:\n raise RuntimeError('Memory version of %r is %d; database has newer' %\n (actualType.typeName, key[1]))\n",
"role": "user"
},
{
"content": "checkTypeSchemaConsistency",
"role": "assistant"
}
] |
def x(self, typename, version, persistedSchema):
appropriateSchema = persistedSchema[typename, version]
dummyAttributes = {}
for attribute, sqlType, indexed, pythontype, docstring in appropriateSchema:
atr = pythontype(indexed=indexed, doc=docstring)
dummyAttributes[attribute] = atr
dummyBases = []
oldType = declareLegacyItem(typename, version, dummyAttributes, dummyBases)
self._upgradeManager.queueTypeUpgrade(oldType)
return oldType
| prepareOldVersionOf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, typename, version, persistedSchema):\n appropriateSchema = persistedSchema[typename, version]\n dummyAttributes = {}\n for attribute, sqlType, indexed, pythontype, docstring in appropriateSchema:\n atr = pythontype(indexed=indexed, doc=docstring)\n dummyAttributes[attribute] = atr\n dummyBases = []\n oldType = declareLegacyItem(typename, version, dummyAttributes, dummyBases)\n self._upgradeManager.queueTypeUpgrade(oldType)\n return oldType\n",
"role": "user"
},
{
"content": "prepareOldVersionOf",
"role": "assistant"
}
] |
def x(self, tableClass, comparison=None, default=_noItem):
results = list(self.query(tableClass, comparison, limit=2))
lr = len(results)
if lr == 0:
if default is _noItem:
raise errors.ItemNotFound(comparison)
else:
return default
elif lr == 2:
raise errors.DuplicateUniqueItem(comparison, results)
elif lr == 1:
return results[0]
else:
raise AssertionError('limit=2 database query returned 3+ results: ',
comparison, results)
| findUnique | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass, comparison=None, default=_noItem):\n results = list(self.query(tableClass, comparison, limit=2))\n lr = len(results)\n if lr == 0:\n if default is _noItem:\n raise errors.ItemNotFound(comparison)\n else:\n return default\n elif lr == 2:\n raise errors.DuplicateUniqueItem(comparison, results)\n elif lr == 1:\n return results[0]\n else:\n raise AssertionError('limit=2 database query returned 3+ results: ',\n comparison, results)\n",
"role": "user"
},
{
"content": "findUnique",
"role": "assistant"
}
] |
def x(self, tableClass, comparison=None, offset=None, sort=None, default=None):
limit = 1
for item in self.query(tableClass, comparison, limit, offset, sort):
return item
return default
| findFirst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass, comparison=None, offset=None, sort=None, default=None):\n limit = 1\n for item in self.query(tableClass, comparison, limit, offset, sort):\n return item\n return default\n",
"role": "user"
},
{
"content": "findFirst",
"role": "assistant"
}
] |
def x(self, tableClass, comparison=None, limit=None, offset=None, sort=None):
if isinstance(tableClass, tuple):
queryClass = MultipleItemQuery
else:
queryClass = ItemQuery
return queryClass(self, tableClass, comparison, limit, offset, sort)
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass, comparison=None, limit=None, offset=None, sort=None):\n if isinstance(tableClass, tuple):\n queryClass = MultipleItemQuery\n else:\n queryClass = ItemQuery\n return queryClass(self, tableClass, comparison, limit, offset, sort)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(self, itemType, itemAttributes, dataRows):
class FakeItem:
pass
_NEEDS_DEFAULT = object()
fakeOSelf = FakeItem()
fakeOSelf.store = self
sql = itemType._baseInsertSQL(self)
indices = {}
schema = [attr for name, attr in itemType.getSchema()]
for i, attr in enumerate(itemAttributes):
indices[attr] = i
for row in dataRows:
oid = self.store.executeSchemaSQL(_schema.CREATE_OBJECT, [self.
store.getTypeID(itemType)])
insertArgs = [oid]
for attr in schema:
i = indices.get(attr, _NEEDS_DEFAULT)
if i is _NEEDS_DEFAULT:
pyval = attr.default
else:
pyval = row[i]
dbval = attr._convertPyval(fakeOSelf, pyval)
insertArgs.append(dbval)
self.executeSQL(sql, insertArgs)
| batchInsert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, itemType, itemAttributes, dataRows):\n\n\n class FakeItem:\n pass\n _NEEDS_DEFAULT = object()\n fakeOSelf = FakeItem()\n fakeOSelf.store = self\n sql = itemType._baseInsertSQL(self)\n indices = {}\n schema = [attr for name, attr in itemType.getSchema()]\n for i, attr in enumerate(itemAttributes):\n indices[attr] = i\n for row in dataRows:\n oid = self.store.executeSchemaSQL(_schema.CREATE_OBJECT, [self.\n store.getTypeID(itemType)])\n insertArgs = [oid]\n for attr in schema:\n i = indices.get(attr, _NEEDS_DEFAULT)\n if i is _NEEDS_DEFAULT:\n pyval = attr.default\n else:\n pyval = row[i]\n dbval = attr._convertPyval(fakeOSelf, pyval)\n insertArgs.append(dbval)\n self.executeSQL(sql, insertArgs)\n",
"role": "user"
},
{
"content": "batchInsert",
"role": "assistant"
}
] |
def x(self, item):
if self._rejectChanges:
raise errors.ChangeRejected()
if self.transaction is not None:
self.transaction.add(item)
self.touched.add(item)
| changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n if self._rejectChanges:\n raise errors.ChangeRejected()\n if self.transaction is not None:\n self.transaction.add(item)\n self.touched.add(item)\n",
"role": "user"
},
{
"content": "changed",
"role": "assistant"
}
] |
def x(self, f, *a, **k):
if self.transaction is not None:
return f(*a, **k)
if self.attachedToParent:
return self.parent.transact(f, *a, **k)
try:
self._begin()
try:
result = f(*a, **k)
self.checkpoint()
except:
exc = Failure()
try:
self.revert()
except:
log.err(exc)
raise
raise
else:
self._commit()
return result
finally:
self._cleanupTxnState()
| transact | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, f, *a, **k):\n if self.transaction is not None:\n return f(*a, **k)\n if self.attachedToParent:\n return self.parent.transact(f, *a, **k)\n try:\n self._begin()\n try:\n result = f(*a, **k)\n self.checkpoint()\n except:\n exc = Failure()\n try:\n self.revert()\n except:\n log.err(exc)\n raise\n raise\n else:\n self._commit()\n return result\n finally:\n self._cleanupTxnState()\n",
"role": "user"
},
{
"content": "transact",
"role": "assistant"
}
] |
def x(self, tableClass, attrname):
return 'axiomidx_%s_v%d_%s' % (tableClass.typeName, tableClass.
schemaVersion, '_'.join(attrname))
| indexNameOf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass, attrname):\n return 'axiomidx_%s_v%d_%s' % (tableClass.typeName, tableClass.\n schemaVersion, '_'.join(attrname))\n",
"role": "user"
},
{
"content": "indexNameOf",
"role": "assistant"
}
] |
def x(self, tableClass):
if not (isinstance(tableClass, type) and issubclass(tableClass, item.Item)
):
raise errors.ItemClassesOnly(
'Only subclasses of Item have table names.')
if tableClass not in self.typeToTableNameCache:
self.typeToTableNameCache[tableClass] = self._tableNameFor(tableClass
.typeName, tableClass.schemaVersion)
self.getTypeID(tableClass)
return self.typeToTableNameCache[tableClass]
| getTableName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass):\n if not (isinstance(tableClass, type) and issubclass(tableClass, item.Item)\n ):\n raise errors.ItemClassesOnly(\n 'Only subclasses of Item have table names.')\n if tableClass not in self.typeToTableNameCache:\n self.typeToTableNameCache[tableClass] = self._tableNameFor(tableClass\n .typeName, tableClass.schemaVersion)\n self.getTypeID(tableClass)\n return self.typeToTableNameCache[tableClass]\n",
"role": "user"
},
{
"content": "getTableName",
"role": "assistant"
}
] |
def x(self, attribute):
if attribute not in self.attrToColumnNameCache:
self.attrToColumnNameCache[attribute] = '.'.join((self.getTableName
(attribute.type), self.getShortColumnName(attribute)))
return self.attrToColumnNameCache[attribute]
| getColumnName | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute):\n if attribute not in self.attrToColumnNameCache:\n self.attrToColumnNameCache[attribute] = '.'.join((self.getTableName\n (attribute.type), self.getShortColumnName(attribute)))\n return self.attrToColumnNameCache[attribute]\n",
"role": "user"
},
{
"content": "getColumnName",
"role": "assistant"
}
] |
def x(self, tableClass):
key = tableClass.typeName, tableClass.schemaVersion
if key in self.typenameAndVersionToID:
return self.typenameAndVersionToID[key]
return self.transact(self._maybeCreateTable, tableClass, key)
| getTypeID | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass):\n key = tableClass.typeName, tableClass.schemaVersion\n if key in self.typenameAndVersionToID:\n return self.typenameAndVersionToID[key]\n return self.transact(self._maybeCreateTable, tableClass, key)\n",
"role": "user"
},
{
"content": "getTypeID",
"role": "assistant"
}
] |
def x(self, tableClass):
sqlstr = []
sqlarg = []
tableName = self._tableNameFor(tableClass.typeName, tableClass.
schemaVersion)
sqlstr.append('CREATE TABLE %s (' % tableName)
sqlarg.append('oid INTEGER PRIMARY KEY')
for nam, atr in tableClass.getSchema():
sqlarg.append('\n%s %s' % (atr.getShortColumnName(self), atr.sqltype))
sqlstr.append(', '.join(sqlarg))
sqlstr.append(')')
self.createSQL(''.join(sqlstr))
| justCreateTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass):\n sqlstr = []\n sqlarg = []\n tableName = self._tableNameFor(tableClass.typeName, tableClass.\n schemaVersion)\n sqlstr.append('CREATE TABLE %s (' % tableName)\n sqlarg.append('oid INTEGER PRIMARY KEY')\n for nam, atr in tableClass.getSchema():\n sqlarg.append('\\n%s %s' % (atr.getShortColumnName(self), atr.sqltype))\n sqlstr.append(', '.join(sqlarg))\n sqlstr.append(')')\n self.createSQL(''.join(sqlstr))\n",
"role": "user"
},
{
"content": "justCreateTable",
"role": "assistant"
}
] |
def x(self, tableClass, key):
try:
self._justCreateTable(tableClass)
except errors.TableAlreadyExists:
self._startup()
return self.typenameAndVersionToID[key]
typeID = self.executeSchemaSQL(_schema.CREATE_TYPE, [tableClass.
typeName, tableClass.__module__, tableClass.schemaVersion])
self.typenameAndVersionToID[key] = typeID
if self.tablesCreatedThisTransaction is not None:
self.tablesCreatedThisTransaction.append(tableClass)
cls = _typeNameToMostRecentClass.get(tableClass.typeName)
if cls is not None and tableClass.schemaVersion != cls.schemaVersion:
self._upgradeManager.queueTypeUpgrade(tableClass)
self._createIndexesFor(tableClass, ())
for n, (name, storedAttribute) in enumerate(tableClass.getSchema()):
self.executeSchemaSQL(_schema.ADD_SCHEMA_ATTRIBUTE, [typeID, n,
storedAttribute.indexed, storedAttribute.sqltype,
storedAttribute.allowNone, storedAttribute.attrname,
storedAttribute.doc, storedAttribute.__class__.__name__])
return typeID
| maybeCreateTable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass, key):\n try:\n self._justCreateTable(tableClass)\n except errors.TableAlreadyExists:\n self._startup()\n return self.typenameAndVersionToID[key]\n typeID = self.executeSchemaSQL(_schema.CREATE_TYPE, [tableClass.\n typeName, tableClass.__module__, tableClass.schemaVersion])\n self.typenameAndVersionToID[key] = typeID\n if self.tablesCreatedThisTransaction is not None:\n self.tablesCreatedThisTransaction.append(tableClass)\n cls = _typeNameToMostRecentClass.get(tableClass.typeName)\n if cls is not None and tableClass.schemaVersion != cls.schemaVersion:\n self._upgradeManager.queueTypeUpgrade(tableClass)\n self._createIndexesFor(tableClass, ())\n for n, (name, storedAttribute) in enumerate(tableClass.getSchema()):\n self.executeSchemaSQL(_schema.ADD_SCHEMA_ATTRIBUTE, [typeID, n,\n storedAttribute.indexed, storedAttribute.sqltype,\n storedAttribute.allowNone, storedAttribute.attrname,\n storedAttribute.doc, storedAttribute.__class__.__name__])\n return typeID\n",
"role": "user"
},
{
"content": "maybeCreateTable",
"role": "assistant"
}
] |
def x(self, tableClass, extantIndexes):
try:
indexes = _requiredTableIndexes[tableClass]
except KeyError:
indexes = set()
for nam, atr in tableClass.getSchema():
if atr.indexed:
indexes.add(((atr.getShortColumnName(self),), (atr.attrname,)))
for compound in atr.compoundIndexes:
indexes.add((tuple(inatr.getShortColumnName(self) for inatr in
compound), tuple(inatr.attrname for inatr in compound)))
_requiredTableIndexes[tableClass] = indexes
indexColumnPrefix = '.'.join(self.getTableName(tableClass).split('.')[1:])
for indexColumns, indexAttrs in indexes:
nameOfIndex = self._indexNameOf(tableClass, indexAttrs)
if nameOfIndex in extantIndexes:
continue
csql = 'CREATE INDEX %s.%s ON %s(%s)' % (self.databaseName,
nameOfIndex, indexColumnPrefix, ', '.join(indexColumns))
self.createSQL(csql)
| createIndexesFor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tableClass, extantIndexes):\n try:\n indexes = _requiredTableIndexes[tableClass]\n except KeyError:\n indexes = set()\n for nam, atr in tableClass.getSchema():\n if atr.indexed:\n indexes.add(((atr.getShortColumnName(self),), (atr.attrname,)))\n for compound in atr.compoundIndexes:\n indexes.add((tuple(inatr.getShortColumnName(self) for inatr in\n compound), tuple(inatr.attrname for inatr in compound)))\n _requiredTableIndexes[tableClass] = indexes\n indexColumnPrefix = '.'.join(self.getTableName(tableClass).split('.')[1:])\n for indexColumns, indexAttrs in indexes:\n nameOfIndex = self._indexNameOf(tableClass, indexAttrs)\n if nameOfIndex in extantIndexes:\n continue\n csql = 'CREATE INDEX %s.%s ON %s(%s)' % (self.databaseName,\n nameOfIndex, indexColumnPrefix, ', '.join(indexColumns))\n self.createSQL(csql)\n",
"role": "user"
},
{
"content": "createIndexesFor",
"role": "assistant"
}
] |
def x(self, storeID, default=_noItem, autoUpgrade=True):
if not isinstance(storeID, (int, long)):
raise TypeError('storeID *must* be an int or long, not %r' % (type(
storeID).__name__,))
if storeID == STORE_SELF_ID:
return self
try:
return self.objectCache.get(storeID)
except KeyError:
pass
log.msg(interface=iaxiom.IStatEvent, stat_cache_misses=1, key=storeID)
results = self.querySchemaSQL(_schema.TYPEOF_QUERY, [storeID])
assert len(results) in [1, 0
], 'Database panic: more than one result for TYPEOF!'
if results:
typename, module, version = results[0]
useMostRecent = False
moreRecentAvailable = False
if _typeIsTotallyUnknown(typename, version):
self._startup()
if _typeIsTotallyUnknown(typename, version):
raise errors.UnknownItemType(
'cannot load unknown schema/version pair: %r %r - id: %r' %
(typename, version, storeID))
if typename in _typeNameToMostRecentClass:
moreRecentAvailable = True
mostRecent = _typeNameToMostRecentClass[typename]
if mostRecent.schemaVersion < version:
raise RuntimeError(
'%s:%d - was found in the database and most recent %s is %d'
% (typename, version, typename, mostRecent.schemaVersion))
if mostRecent.schemaVersion == version:
useMostRecent = True
if useMostRecent:
T = mostRecent
else:
T = self.getOldVersionOf(typename, version)
attrs = self.querySQL(T._baseSelectSQL(self), [storeID])
if len(attrs) == 0:
if default is _noItem:
raise errors.ItemNotFound(
'No results for known-to-be-good object')
return default
elif len(attrs) > 1:
raise errors.DataIntegrityError('Too many results for {:d}'.
format(storeID))
attrs = attrs[0]
x = T.existingInStore(self, storeID, attrs)
if moreRecentAvailable and not useMostRecent and autoUpgrade:
x = self.transact(self._upgradeManager.upgradeItem, x)
elif not x.__legacy__:
self.objectCache.cache(storeID, x)
return x
if default is _noItem:
raise errors.ItemNotFound(storeID)
return default
| getItemByID | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, storeID, default=_noItem, autoUpgrade=True):\n if not isinstance(storeID, (int, long)):\n raise TypeError('storeID *must* be an int or long, not %r' % (type(\n storeID).__name__,))\n if storeID == STORE_SELF_ID:\n return self\n try:\n return self.objectCache.get(storeID)\n except KeyError:\n pass\n log.msg(interface=iaxiom.IStatEvent, stat_cache_misses=1, key=storeID)\n results = self.querySchemaSQL(_schema.TYPEOF_QUERY, [storeID])\n assert len(results) in [1, 0\n ], 'Database panic: more than one result for TYPEOF!'\n if results:\n typename, module, version = results[0]\n useMostRecent = False\n moreRecentAvailable = False\n if _typeIsTotallyUnknown(typename, version):\n self._startup()\n if _typeIsTotallyUnknown(typename, version):\n raise errors.UnknownItemType(\n 'cannot load unknown schema/version pair: %r %r - id: %r' %\n (typename, version, storeID))\n if typename in _typeNameToMostRecentClass:\n moreRecentAvailable = True\n mostRecent = _typeNameToMostRecentClass[typename]\n if mostRecent.schemaVersion < version:\n raise RuntimeError(\n '%s:%d - was found in the database and most recent %s is %d'\n % (typename, version, typename, mostRecent.schemaVersion))\n if mostRecent.schemaVersion == version:\n useMostRecent = True\n if useMostRecent:\n T = mostRecent\n else:\n T = self.getOldVersionOf(typename, version)\n attrs = self.querySQL(T._baseSelectSQL(self), [storeID])\n if len(attrs) == 0:\n if default is _noItem:\n raise errors.ItemNotFound(\n 'No results for known-to-be-good object')\n return default\n elif len(attrs) > 1:\n raise errors.DataIntegrityError('Too many results for {:d}'.\n format(storeID))\n attrs = attrs[0]\n x = T.existingInStore(self, storeID, attrs)\n if moreRecentAvailable and not useMostRecent and autoUpgrade:\n x = self.transact(self._upgradeManager.upgradeItem, x)\n elif not x.__legacy__:\n self.objectCache.cache(storeID, x)\n return x\n if default is _noItem:\n raise errors.ItemNotFound(storeID)\n return default\n",
"role": "user"
},
{
"content": "getItemByID",
"role": "assistant"
}
] |
def x(self, sql, args=()):
if self.debug:
result = timeinto(self.queryTimes, self._queryandfetch, sql, args)
else:
result = self._queryandfetch(sql, args)
return result
| querySQL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, args=()):\n if self.debug:\n result = timeinto(self.queryTimes, self._queryandfetch, sql, args)\n else:\n result = self._queryandfetch(sql, args)\n return result\n",
"role": "user"
},
{
"content": "querySQL",
"role": "assistant"
}
] |
def x(self, sql, args=()):
before = time.time()
self._execSQL(sql, args)
after = time.time()
if after - before > 2.0:
log.msg('Extremely long CREATE: %s' % (after - before,))
log.msg(sql)
| createSQL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, args=()):\n before = time.time()\n self._execSQL(sql, args)\n after = time.time()\n if after - before > 2.0:\n log.msg('Extremely long CREATE: %s' % (after - before,))\n log.msg(sql)\n",
"role": "user"
},
{
"content": "createSQL",
"role": "assistant"
}
] |
def x(self, sql, args=()):
sql = self._execSQL(sql, args)
result = self.cursor.lastRowID()
if self.executedThisTransaction is not None:
self.executedThisTransaction.append((result, sql, args))
return result
| executeSQL | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, args=()):\n sql = self._execSQL(sql, args)\n result = self.cursor.lastRowID()\n if self.executedThisTransaction is not None:\n self.executedThisTransaction.append((result, sql, args))\n return result\n",
"role": "user"
},
{
"content": "executeSQL",
"role": "assistant"
}
] |
def x(fname):
fname = os.path.abspath(fname)
if not os.path.exists(fname):
print("can not update version! file doesn't exist:\n", fname)
return
with open(fname) as f:
raw = f.read().split('\n')
for i, line in enumerate(raw):
if line.startswith('__counter__='):
version = int(line.split('=')[1])
raw[i] = '__counter__=%d' % (version + 1)
with open(fname, 'w') as f:
f.write('\n'.join(raw))
print('upgraded version %d -> %d' % (version, version + 1))
sys.path.insert(0, os.path.dirname(fname))
import version
print('New version:', version.__version__)
with open('version.txt', 'w') as f:
f.write(str(version.__version__))
| updateVersion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n fname = os.path.abspath(fname)\n if not os.path.exists(fname):\n print(\"can not update version! file doesn't exist:\\n\", fname)\n return\n with open(fname) as f:\n raw = f.read().split('\\n')\n for i, line in enumerate(raw):\n if line.startswith('__counter__='):\n version = int(line.split('=')[1])\n raw[i] = '__counter__=%d' % (version + 1)\n with open(fname, 'w') as f:\n f.write('\\n'.join(raw))\n print('upgraded version %d -> %d' % (version, version + 1))\n sys.path.insert(0, os.path.dirname(fname))\n import version\n print('New version:', version.__version__)\n with open('version.txt', 'w') as f:\n f.write(str(version.__version__))\n",
"role": "user"
},
{
"content": "updateVersion",
"role": "assistant"
}
] |
def x(oldHook):
newHook = oldHook.upgradeVersion(oldHook.typeName, 1, 2, loginAccount=
oldHook.loginAccount, scheduledAt=oldHook.scheduledAt, scheduler=
oldHook.store.findFirst(Scheduler))
return newHook
| upgradeParentHook1to2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(oldHook):\n newHook = oldHook.upgradeVersion(oldHook.typeName, 1, 2, loginAccount=\n oldHook.loginAccount, scheduledAt=oldHook.scheduledAt, scheduler=\n oldHook.store.findFirst(Scheduler))\n return newHook\n",
"role": "user"
},
{
"content": "upgradeParentHook1to2",
"role": "assistant"
}
] |
def x(old):
new = old.upgradeVersion(old.typeName, 3, 4, subStore=old.loginAccount)
uninstallFrom(new, new.store)
return new
| upgradeParentHook3to4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(old):\n new = old.upgradeVersion(old.typeName, 3, 4, subStore=old.loginAccount)\n uninstallFrom(new, new.store)\n return new\n",
"role": "user"
},
{
"content": "upgradeParentHook3to4",
"role": "assistant"
}
] |
def x(self):
runnable = self.runnable
if runnable is None:
self.deleteFromStore()
else:
try:
self.running = True
newTime = runnable.run()
finally:
self.running = False
self._rescheduleFromRun(newTime)
| invokeRunnable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n runnable = self.runnable\n if runnable is None:\n self.deleteFromStore()\n else:\n try:\n self.running = True\n newTime = runnable.run()\n finally:\n self.running = False\n self._rescheduleFromRun(newTime)\n",
"role": "user"
},
{
"content": "invokeRunnable",
"role": "assistant"
}
] |
def x(self, now, failureObj):
errorHandler = getattr(self.runnable, 'timedEventErrorHandler', None)
if errorHandler is not None:
self._rescheduleFromRun(errorHandler(self, failureObj))
else:
self._defaultErrorHandler(now, failureObj)
| handleError | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, now, failureObj):\n errorHandler = getattr(self.runnable, 'timedEventErrorHandler', None)\n if errorHandler is not None:\n self._rescheduleFromRun(errorHandler(self, failureObj))\n else:\n self._defaultErrorHandler(now, failureObj)\n",
"role": "user"
},
{
"content": "handleError",
"role": "assistant"
}
] |
def x(self, runnable):
for evt in self.store.query(TimedEvent, TimedEvent.runnable == runnable,
sort=TimedEvent.time.ascending):
evt.deleteFromStore()
break
| unscheduleFirst | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, runnable):\n for evt in self.store.query(TimedEvent, TimedEvent.runnable == runnable,\n sort=TimedEvent.time.ascending):\n evt.deleteFromStore()\n break\n",
"role": "user"
},
{
"content": "unscheduleFirst",
"role": "assistant"
}
] |
def x(self, runnable):
events = self.store.query(TimedEvent, TimedEvent.runnable == runnable)
return (event.time for event in events if not event.running)
| scheduledTimes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, runnable):\n events = self.store.query(TimedEvent, TimedEvent.runnable == runnable)\n return (event.time for event in events if not event.running)\n",
"role": "user"
},
{
"content": "scheduledTimes",
"role": "assistant"
}
] |
def x(self):
super(_SiteScheduler, self).startService()
self._transientSchedule(self.now(), self.now())
| startService | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(_SiteScheduler, self).startService()\n self._transientSchedule(self.now(), self.now())\n",
"role": "user"
},
{
"content": "startService",
"role": "assistant"
}
] |
def x(self):
super(_SiteScheduler, self).stopService()
if self.timer is not None:
self.timer.cancel()
self.timer = None
| stopService | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super(_SiteScheduler, self).stopService()\n if self.timer is not None:\n self.timer.cancel()\n self.timer = None\n",
"role": "user"
},
{
"content": "stopService",
"role": "assistant"
}
] |
def x(self, when, now):
if not self.running:
return
if self.timer is not None:
if self.timer.getTime() < when.asPOSIXTimestamp():
return
self.timer.cancel()
delay = when.asPOSIXTimestamp() - now.asPOSIXTimestamp()
delay = max(_EPSILON, delay)
self.timer = self.callLater(delay, self.tick)
self.nextEventAt = when
| transientSchedule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, when, now):\n if not self.running:\n return\n if self.timer is not None:\n if self.timer.getTime() < when.asPOSIXTimestamp():\n return\n self.timer.cancel()\n delay = when.asPOSIXTimestamp() - now.asPOSIXTimestamp()\n delay = max(_EPSILON, delay)\n self.timer = self.callLater(delay, self.tick)\n self.nextEventAt = when\n",
"role": "user"
},
{
"content": "transientSchedule",
"role": "assistant"
}
] |
def x(self, when, now):
if self.store.parent is not None:
subStore = self.store.parent.getItemByID(self.store.idInParent)
hook = self.store.parent.findOrCreate(_SubSchedulerParentHook,
subStore=subStore)
hook._schedule(when)
| transientSchedule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, when, now):\n if self.store.parent is not None:\n subStore = self.store.parent.getItemByID(self.store.idInParent)\n hook = self.store.parent.findOrCreate(_SubSchedulerParentHook,\n subStore=subStore)\n hook._schedule(when)\n",
"role": "user"
},
{
"content": "transientSchedule",
"role": "assistant"
}
] |
def x(self):
subStore = self.store.parent.getItemByID(self.store.idInParent)
ssph = self.store.parent.findUnique(_SubSchedulerParentHook,
_SubSchedulerParentHook.subStore == subStore, default=None)
if ssph is not None:
te = self.store.parent.findUnique(TimedEvent, TimedEvent.runnable ==
ssph, default=None)
if te is not None:
te.deleteFromStore()
ssph.deleteFromStore()
| migrateDown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n subStore = self.store.parent.getItemByID(self.store.idInParent)\n ssph = self.store.parent.findUnique(_SubSchedulerParentHook, \n _SubSchedulerParentHook.subStore == subStore, default=None)\n if ssph is not None:\n te = self.store.parent.findUnique(TimedEvent, TimedEvent.runnable ==\n ssph, default=None)\n if te is not None:\n te.deleteFromStore()\n ssph.deleteFromStore()\n",
"role": "user"
},
{
"content": "migrateDown",
"role": "assistant"
}
] |
def x(self):
te = self.store.findFirst(TimedEvent, sort=TimedEvent.time.descending)
if te is not None:
self._transientSchedule(te.time, None)
| migrateUp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n te = self.store.findFirst(TimedEvent, sort=TimedEvent.time.descending)\n if te is not None:\n self._transientSchedule(te.time, None)\n",
"role": "user"
},
{
"content": "migrateUp",
"role": "assistant"
}
] |
def x(self):
if '_axiom_memory_dummy' in vars(self):
stacklevel = 7
else:
stacklevel = 5
warnings.warn(self.__class__.__name__ +
' is deprecated since Axiom 0.5.32. Just adapt stores to IScheduler.',
category=PendingDeprecationWarning, stacklevel=stacklevel)
| activate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if '_axiom_memory_dummy' in vars(self):\n stacklevel = 7\n else:\n stacklevel = 5\n warnings.warn(self.__class__.__name__ +\n ' is deprecated since Axiom 0.5.32. Just adapt stores to IScheduler.',\n category=PendingDeprecationWarning, stacklevel=stacklevel)\n",
"role": "user"
},
{
"content": "activate",
"role": "assistant"
}
] |
def x(self, when):
sched = IScheduler(self.store)
for scheduledAt in sched.scheduledTimes(self):
if when < scheduledAt:
sched.reschedule(self, scheduledAt, when)
break
else:
sched.schedule(self, when)
| schedule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, when):\n sched = IScheduler(self.store)\n for scheduledAt in sched.scheduledTimes(self):\n if when < scheduledAt:\n sched.reschedule(self, scheduledAt, when)\n break\n else:\n sched.schedule(self, when)\n",
"role": "user"
},
{
"content": "schedule",
"role": "assistant"
}
] |
def x(path, term_depth=1000, skim_depth=10, d_weights=False, **kwargs):
click.echo('\nTokenizing text...')
t = Text.from_file(path)
click.echo('Extracted %d tokens' % len(t.tokens))
m = Matrix()
click.echo('\nIndexing terms:')
m.index(t, t.most_frequent_terms(term_depth), **kwargs)
g = Skimmer()
click.echo('\nGenerating graph:')
g.build(t, m, skim_depth, d_weights)
return g
| build_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, term_depth=1000, skim_depth=10, d_weights=False, **kwargs):\n click.echo('\\nTokenizing text...')\n t = Text.from_file(path)\n click.echo('Extracted %d tokens' % len(t.tokens))\n m = Matrix()\n click.echo('\\nIndexing terms:')\n m.index(t, t.most_frequent_terms(term_depth), **kwargs)\n g = Skimmer()\n click.echo('\\nGenerating graph:')\n g.build(t, m, skim_depth, d_weights)\n return g\n",
"role": "user"
},
{
"content": "build_graph",
"role": "assistant"
}
] |
def x(self, **kwargs):
nx.draw_spring(self.graph, with_labels=True, font_size=10, edge_color=
'#dddddd', node_size=0, **kwargs)
plt.show()
| draw_spring | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n nx.draw_spring(self.graph, with_labels=True, font_size=10, edge_color=\n '#dddddd', node_size=0, **kwargs)\n plt.show()\n",
"role": "user"
},
{
"content": "draw_spring",
"role": "assistant"
}
] |
def x(self, text, matrix, skim_depth=10, d_weights=False):
for anchor in bar(matrix.keys):
n1 = text.unstem(anchor)
pairs = matrix.anchored_pairs(anchor).items()
for term, weight in list(pairs)[:skim_depth]:
if d_weights:
weight = 1 - weight
n2 = text.unstem(term)
self.graph.add_edge(n1, n2, weight=float(weight))
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, matrix, skim_depth=10, d_weights=False):\n for anchor in bar(matrix.keys):\n n1 = text.unstem(anchor)\n pairs = matrix.anchored_pairs(anchor).items()\n for term, weight in list(pairs)[:skim_depth]:\n if d_weights:\n weight = 1 - weight\n n2 = text.unstem(term)\n self.graph.add_edge(n1, n2, weight=float(weight))\n",
"role": "user"
},
{
"content": "build",
"role": "assistant"
}
] |
def x(self, section=None, defaults=None):
section = self._maybe_get_default_name(section)
if self.filepath is None:
return {}
parser = self._get_parser(defaults)
defaults = parser.defaults()
try:
raw_items = parser.items(section)
except NoSectionError:
return {}
local_conf = OrderedDict()
get_from_globals = {}
for option, value in raw_items:
if option.startswith('set '):
name = option[4:].strip()
defaults[name] = value
elif option.startswith('get '):
name = option[4:].strip()
get_from_globals[name] = value
local_conf[name] = None
else:
if option in defaults:
continue
local_conf[option] = value
for option, global_option in get_from_globals.items():
local_conf[option] = defaults[global_option]
return ConfigDict(local_conf, defaults, self)
| get_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, section=None, defaults=None):\n section = self._maybe_get_default_name(section)\n if self.filepath is None:\n return {}\n parser = self._get_parser(defaults)\n defaults = parser.defaults()\n try:\n raw_items = parser.items(section)\n except NoSectionError:\n return {}\n local_conf = OrderedDict()\n get_from_globals = {}\n for option, value in raw_items:\n if option.startswith('set '):\n name = option[4:].strip()\n defaults[name] = value\n elif option.startswith('get '):\n name = option[4:].strip()\n get_from_globals[name] = value\n local_conf[name] = None\n else:\n if option in defaults:\n continue\n local_conf[option] = value\n for option, global_option in get_from_globals.items():\n local_conf[option] = defaults[global_option]\n return ConfigDict(local_conf, defaults, self)\n",
"role": "user"
},
{
"content": "get_settings",
"role": "assistant"
}
] |
def x(self, name=None, defaults=None):
name = self._maybe_get_default_name(name)
defaults = self._get_defaults(defaults)
return loadapp(self.pastedeploy_spec, name=name, relative_to=self.
relative_to, global_conf=defaults)
| get_wsgi_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, defaults=None):\n name = self._maybe_get_default_name(name)\n defaults = self._get_defaults(defaults)\n return loadapp(self.pastedeploy_spec, name=name, relative_to=self.\n relative_to, global_conf=defaults)\n",
"role": "user"
},
{
"content": "get_wsgi_app",
"role": "assistant"
}
] |
def x(self, name=None, defaults=None):
name = self._maybe_get_default_name(name)
defaults = self._get_defaults(defaults)
return loadserver(self.pastedeploy_spec, name=name, relative_to=self.
relative_to, global_conf=defaults)
| get_wsgi_server | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, defaults=None):\n name = self._maybe_get_default_name(name)\n defaults = self._get_defaults(defaults)\n return loadserver(self.pastedeploy_spec, name=name, relative_to=self.\n relative_to, global_conf=defaults)\n",
"role": "user"
},
{
"content": "get_wsgi_server",
"role": "assistant"
}
] |
def x(self, name=None, defaults=None):
name = self._maybe_get_default_name(name)
defaults = self._get_defaults(defaults)
return loadfilter(self.pastedeploy_spec, name=name, relative_to=self.
relative_to, global_conf=defaults)
| get_wsgi_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, defaults=None):\n name = self._maybe_get_default_name(name)\n defaults = self._get_defaults(defaults)\n return loadfilter(self.pastedeploy_spec, name=name, relative_to=self.\n relative_to, global_conf=defaults)\n",
"role": "user"
},
{
"content": "get_wsgi_filter",
"role": "assistant"
}
] |
def x(self, name=None, defaults=None):
name = self._maybe_get_default_name(name)
defaults = self._get_defaults(defaults)
conf = appconfig(self.pastedeploy_spec, name=name, relative_to=self.
relative_to, global_conf=defaults)
return ConfigDict(conf.local_conf, conf.global_conf, self)
| get_wsgi_app_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, defaults=None):\n name = self._maybe_get_default_name(name)\n defaults = self._get_defaults(defaults)\n conf = appconfig(self.pastedeploy_spec, name=name, relative_to=self.\n relative_to, global_conf=defaults)\n return ConfigDict(conf.local_conf, conf.global_conf, self)\n",
"role": "user"
},
{
"content": "get_wsgi_app_settings",
"role": "assistant"
}
] |
def x(self, defaults=None):
if 'loggers' in self.get_sections():
defaults = self._get_defaults(defaults)
fileConfig(self.uri.path, defaults, disable_existing_loggers=False)
else:
logging.basicConfig()
| setup_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, defaults=None):\n if 'loggers' in self.get_sections():\n defaults = self._get_defaults(defaults)\n fileConfig(self.uri.path, defaults, disable_existing_loggers=False)\n else:\n logging.basicConfig()\n",
"role": "user"
},
{
"content": "setup_logging",
"role": "assistant"
}
] |
def x(self, name):
if name is None and self.uri.fragment:
name = self.uri.fragment
return name
| maybe_get_default_name | [
{
"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 is None and self.uri.fragment:\n name = self.uri.fragment\n return name\n",
"role": "user"
},
{
"content": "maybe_get_default_name",
"role": "assistant"
}
] |
def x(self, hue):
x = hue / 360.0 * self.winfo_width()
self.coords('cursor', x, 0, x, self.winfo_height())
self._variable.set(hue)
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hue):\n x = hue / 360.0 * self.winfo_width()\n self.coords('cursor', x, 0, x, self.winfo_height())\n self._variable.set(hue)\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(cls, options):
from axiom.store import Store
jm = options['journal-mode']
if jm is not None:
jm = jm.decode('ascii')
store = Store(options['dbdir'], debug=options['debug'], journalMode=jm)
service = IService(store)
_CheckSystemVersion(store).setServiceParent(service)
return service
| makeService | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options):\n from axiom.store import Store\n jm = options['journal-mode']\n if jm is not None:\n jm = jm.decode('ascii')\n store = Store(options['dbdir'], debug=options['debug'], journalMode=jm)\n service = IService(store)\n _CheckSystemVersion(store).setServiceParent(service)\n return service\n",
"role": "user"
},
{
"content": "makeService",
"role": "assistant"
}
] |
def x(matching=False, workbooks=True, graphs=True):
pages = []
if workbooks:
pages.extend(PyOrigin.WorksheetPages())
if graphs:
pages.extend(PyOrigin.GraphPages())
pages = [x.GetName() for x in pages]
if matching:
pages = [x for x in pages if matching in x]
return pages
| pageNames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matching=False, workbooks=True, graphs=True):\n pages = []\n if workbooks:\n pages.extend(PyOrigin.WorksheetPages())\n if graphs:\n pages.extend(PyOrigin.GraphPages())\n pages = [x.GetName() for x in pages]\n if matching:\n pages = [x for x in pages if matching in x]\n return pages\n",
"role": "user"
},
{
"content": "pageNames",
"role": "assistant"
}
] |
def x(name, number=False):
if not name in pageNames():
return None
pageType = PyOrigin.Pages(name).GetType()
if number:
return str(pageType)
if pageType == 1:
return 'matrix'
if pageType == 2:
return 'book'
if pageType == 3:
return 'graph'
if pageType == 4:
return 'layout'
if pageType == 5:
return 'notes'
| getPageType | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, number=False):\n if not name in pageNames():\n return None\n pageType = PyOrigin.Pages(name).GetType()\n if number:\n return str(pageType)\n if pageType == 1:\n return 'matrix'\n if pageType == 2:\n return 'book'\n if pageType == 3:\n return 'graph'\n if pageType == 4:\n return 'layout'\n if pageType == 5:\n return 'notes'\n",
"role": "user"
},
{
"content": "getPageType",
"role": "assistant"
}
] |
def x(matching=False):
pages = pageNames()
if matching:
pages = [x for x in pages if matching in x]
for i, page in enumerate(pages):
pages[i] = '%s%s (%s)' % (pageFolder(page), page, getPageType(page))
print('\n'.join(sorted(pages)))
| listEverything | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matching=False):\n pages = pageNames()\n if matching:\n pages = [x for x in pages if matching in x]\n for i, page in enumerate(pages):\n pages[i] = '%s%s (%s)' % (pageFolder(page), page, getPageType(page))\n print('\\n'.join(sorted(pages)))\n",
"role": "user"
},
{
"content": "listEverything",
"role": "assistant"
}
] |
def x(book=None):
if book:
if not book.lower() in [x.lower() for x in bookNames()]:
return False
else:
book = activeBook()
if not book:
return False
poBook = PyOrigin.WorksheetPages(book)
if not len(poBook):
return None
return [x.GetName() for x in poBook.Layers()]
| sheetNames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(book=None):\n if book:\n if not book.lower() in [x.lower() for x in bookNames()]:\n return False\n else:\n book = activeBook()\n if not book:\n return False\n poBook = PyOrigin.WorksheetPages(book)\n if not len(poBook):\n return None\n return [x.GetName() for x in poBook.Layers()]\n",
"role": "user"
},
{
"content": "sheetNames",
"role": "assistant"
}
] |
def x(book=None, sheet=None):
if book and not book.lower() in [x.lower() for x in bookNames()]:
print("book %s doesn't exist" % book)
return
if book is None:
book = activeBook().lower()
if book is None:
print('no book given or selected')
return
if sheet and not sheet.lower() in [x.lower() for x in sheetNames(book)]:
print("sheet %s doesn't exist" % sheet)
return
if sheet is None:
sheet = activeSheet().lower()
if sheet is None:
return 'no sheet given or selected'
print
for poSheet in PyOrigin.WorksheetPages(book).Layers():
if poSheet.GetName().lower() == sheet.lower():
return poSheet
return False
| getSheet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(book=None, sheet=None):\n if book and not book.lower() in [x.lower() for x in bookNames()]:\n print(\"book %s doesn't exist\" % book)\n return\n if book is None:\n book = activeBook().lower()\n if book is None:\n print('no book given or selected')\n return\n if sheet and not sheet.lower() in [x.lower() for x in sheetNames(book)]:\n print(\"sheet %s doesn't exist\" % sheet)\n return\n if sheet is None:\n sheet = activeSheet().lower()\n if sheet is None:\n return 'no sheet given or selected'\n print\n for poSheet in PyOrigin.WorksheetPages(book).Layers():\n if poSheet.GetName().lower() == sheet.lower():\n return poSheet\n return False\n",
"role": "user"
},
{
"content": "getSheet",
"role": "assistant"
}
] |
def x(book=None, sheet=None):
if book is None:
book = activeBook()
if sheet in sheetNames():
PyOrigin.WorksheetPages(book).Layers(sheetNames().index(sheet)
).Destroy()
| sheetDelete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(book=None, sheet=None):\n if book is None:\n book = activeBook()\n if sheet in sheetNames():\n PyOrigin.WorksheetPages(book).Layers(sheetNames().index(sheet)\n ).Destroy()\n",
"role": "user"
},
{
"content": "sheetDelete",
"role": "assistant"
}
] |
def x(bookName=None):
if bookName is None:
bookName = activeBook()
if not bookName.lower() in [x.lower() for x in bookNames()]:
print("can't clean up a book that doesn't exist:", bookName)
return
poBook = PyOrigin.WorksheetPages(bookName)
namesToKill = []
for i, poSheet in enumerate([poSheet for poSheet in poBook.Layers()]):
poFirstCol = poSheet.Columns(0)
if poFirstCol.GetLongName() == '' and poFirstCol.GetData() == []:
namesToKill.append(poSheet.GetName())
for sheetName in namesToKill:
print('deleting empty sheet', sheetName)
sheetDelete(bookName, sheetName)
| sheetDeleteEmpty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bookName=None):\n if bookName is None:\n bookName = activeBook()\n if not bookName.lower() in [x.lower() for x in bookNames()]:\n print(\"can't clean up a book that doesn't exist:\", bookName)\n return\n poBook = PyOrigin.WorksheetPages(bookName)\n namesToKill = []\n for i, poSheet in enumerate([poSheet for poSheet in poBook.Layers()]):\n poFirstCol = poSheet.Columns(0)\n if poFirstCol.GetLongName() == '' and poFirstCol.GetData() == []:\n namesToKill.append(poSheet.GetName())\n for sheetName in namesToKill:\n print('deleting empty sheet', sheetName)\n sheetDelete(bookName, sheetName)\n",
"role": "user"
},
{
"content": "sheetDeleteEmpty",
"role": "assistant"
}
] |
def x(fname):
assert type(fname) is str and os.path.exists(fname)
print('loaded', fname)
return pickle.load(open(fname, 'rb'))
| pickle_load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n assert type(fname) is str and os.path.exists(fname)\n print('loaded', fname)\n return pickle.load(open(fname, 'rb'))\n",
"role": "user"
},
{
"content": "pickle_load",
"role": "assistant"
}
] |
def x(thing, fname=None):
if fname is None:
fname = os.path.expanduser('~') + '/%d.pkl' % time.time()
assert type(fname) is str and os.path.isdir(os.path.dirname(fname))
pickle.dump(thing, open(fname, 'wb'), pickle.HIGHEST_PROTOCOL)
print('saved', fname)
| pickle_save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thing, fname=None):\n if fname is None:\n fname = os.path.expanduser('~') + '/%d.pkl' % time.time()\n assert type(fname) is str and os.path.isdir(os.path.dirname(fname))\n pickle.dump(thing, open(fname, 'wb'), pickle.HIGHEST_PROTOCOL)\n print('saved', fname)\n",
"role": "user"
},
{
"content": "pickle_save",
"role": "assistant"
}
] |
def x(sheet):
assert 'SHEET' in str(type(sheet))
data = sheet.data
names = sheet.colDesc
units = sheet.colUnits
bookName = sheet.bookName
sheetName = sheet.sheetName
def x(l, trClass=None, tdClass=None, td1Class=None):
html = '<tr>'
for item in l:
html += '<td>%s</td>' % item
html += '</tr>'
if trClass:
html = html.replace('<tr>', '<tr class="%s">' % trClass)
if td1Class:
html = html.replace('<td>', '<td class="%s">' % td1Class, 1)
if tdClass:
html = html.replace('<td>', '<td class="%s">' % tdClass)
return html
htmlFname = os.path.expanduser('~') + '/WKS-%s.%s.html' % (bookName,
sheetName)
html = """<body>
<style>
body {
background-color: #ababab;
padding:20px;
}
table {
font-size:12px;
border-spacing: 0;
border-collapse: collapse;
}
.name {background-color:#fafac8;text-align:center;}
.units {background-color:#fafac8;text-align:center;}
.data0 {background-color:#FFFFFF;font-family: monospace;text-align:center;}
.data1 {background-color:#FAFAFA;font-family: monospace;text-align:center;}
.labelRow {background-color:#e0dfe4; text-align:right;border:1px solid #000000;}
.labelCol {background-color:#e0dfe4; text-align:center;border:1px solid #000000; padding-left: 20px; padding-right: 20px;}
td {
border:1px solid #c0c0c0; padding:5px;
font-family: Arial, Helvetica, sans-serif;
}
</style>
<html>"""
html += '<h1>FauxRigin</h1>'
if bookName or sheetName:
html += '<code><b>%s / %s</b></code><br><br>' % (bookName, sheetName)
html += '<table>'
colNames = ['']
for i in range(len(units)):
shortName = chr(i % 26 + ord('A'))
if i >= 26:
shortName = chr(int(i / 26 - 1) + ord('A')) + shortName
label = '%s(%s)' % (shortName, 'X' if sheet.colTypes[i] == 3 else 'Y')
colNames.append(label)
html += htmlListToTR(colNames, 'labelCol', 'labelCol')
html += htmlListToTR(['Long Name'] + list(names), 'name', td1Class=
'labelRow')
html += htmlListToTR(['Units'] + list(units), 'units', td1Class='labelRow')
cutOff = False
for y in range(len(data)):
html += htmlListToTR([y + 1] + list(data[y]), trClass='data%d' % (y %
2), td1Class='labelRow')
if y >= 200:
cutOff = True
break
html += '</table>'
html = html.replace('>nan<', '>--<')
html = html.replace('>None<', '><')
if cutOff:
html += '<h3>... showing only %d of %d rows ...</h3>' % (y, len(data))
html += '</body></html>'
with open(htmlFname, 'w') as f:
f.write(html)
import webbrowser
webbrowser.open(htmlFname)
return
| sheetToHTML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sheet):\n assert 'SHEET' in str(type(sheet))\n data = sheet.data\n names = sheet.colDesc\n units = sheet.colUnits\n bookName = sheet.bookName\n sheetName = sheet.sheetName\n\n def x(l, trClass=None, tdClass=None, td1Class=None):\n html = '<tr>'\n for item in l:\n html += '<td>%s</td>' % item\n html += '</tr>'\n if trClass:\n html = html.replace('<tr>', '<tr class=\"%s\">' % trClass)\n if td1Class:\n html = html.replace('<td>', '<td class=\"%s\">' % td1Class, 1)\n if tdClass:\n html = html.replace('<td>', '<td class=\"%s\">' % tdClass)\n return html\n htmlFname = os.path.expanduser('~') + '/WKS-%s.%s.html' % (bookName,\n sheetName)\n html = \"\"\"<body>\n <style>\n body {\n background-color: #ababab;\n padding:20px;\n }\n table {\n font-size:12px;\n border-spacing: 0;\n border-collapse: collapse;\n }\n .name {background-color:#fafac8;text-align:center;}\n .units {background-color:#fafac8;text-align:center;}\n .data0 {background-color:#FFFFFF;font-family: monospace;text-align:center;}\n .data1 {background-color:#FAFAFA;font-family: monospace;text-align:center;}\n .labelRow {background-color:#e0dfe4; text-align:right;border:1px solid #000000;}\n .labelCol {background-color:#e0dfe4; text-align:center;border:1px solid #000000; padding-left: 20px; padding-right: 20px;}\n td {\n border:1px solid #c0c0c0; padding:5px;\n font-family: Arial, Helvetica, sans-serif;\n }\n </style>\n <html>\"\"\"\n html += '<h1>FauxRigin</h1>'\n if bookName or sheetName:\n html += '<code><b>%s / %s</b></code><br><br>' % (bookName, sheetName)\n html += '<table>'\n colNames = ['']\n for i in range(len(units)):\n shortName = chr(i % 26 + ord('A'))\n if i >= 26:\n shortName = chr(int(i / 26 - 1) + ord('A')) + shortName\n label = '%s(%s)' % (shortName, 'X' if sheet.colTypes[i] == 3 else 'Y')\n colNames.append(label)\n html += htmlListToTR(colNames, 'labelCol', 'labelCol')\n html += htmlListToTR(['Long Name'] + list(names), 'name', td1Class=\n 'labelRow')\n html += htmlListToTR(['Units'] + list(units), 'units', td1Class='labelRow')\n cutOff = False\n for y in range(len(data)):\n html += htmlListToTR([y + 1] + list(data[y]), trClass='data%d' % (y %\n 2), td1Class='labelRow')\n if y >= 200:\n cutOff = True\n break\n html += '</table>'\n html = html.replace('>nan<', '>--<')\n html = html.replace('>None<', '><')\n if cutOff:\n html += '<h3>... showing only %d of %d rows ...</h3>' % (y, len(data))\n html += '</body></html>'\n with open(htmlFname, 'w') as f:\n f.write(html)\n import webbrowser\n webbrowser.open(htmlFname)\n return\n",
"role": "user"
},
{
"content": "sheetToHTML",
"role": "assistant"
}
] |
def x():
raw = open('examples.py').read()
d = {}
for block in raw.split('if __name__')[0].split('\ndef '):
title = block.split('\n')[0].split('(')[0]
if not title.startswith('demo_'):
continue
code = [x[4:] for x in block.split('\n')[1:] if x.startswith(' ')]
d[title] = '\n'.join(code).strip()
return d
| getCodeBlocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n raw = open('examples.py').read()\n d = {}\n for block in raw.split('if __name__')[0].split('\\ndef '):\n title = block.split('\\n')[0].split('(')[0]\n if not title.startswith('demo_'):\n continue\n code = [x[4:] for x in block.split('\\n')[1:] if x.startswith(' ')]\n d[title] = '\\n'.join(code).strip()\n return d\n",
"role": "user"
},
{
"content": "getCodeBlocks",
"role": "assistant"
}
] |
def x():
raw = open('output.txt').read()
d = {}
for block in raw.split('\n####### ')[1:]:
title = block.split('\n')[0].split('(')[0]
block = block.split('\n', 1)[1].strip()
d[title] = block.split('\nfinished in ')[0]
return d
| getOutputBlocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n raw = open('output.txt').read()\n d = {}\n for block in raw.split('\\n####### ')[1:]:\n title = block.split('\\n')[0].split('(')[0]\n block = block.split('\\n', 1)[1].strip()\n d[title] = block.split('\\nfinished in ')[0]\n return d\n",
"role": "user"
},
{
"content": "getOutputBlocks",
"role": "assistant"
}
] |
def x(self, cmdline):
codec = getattr(sys.stdin, 'encoding', None) or sys.getdefaultencoding()
return unicode(cmdline, codec)
| decodeCommandLine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmdline):\n codec = getattr(sys.stdin, 'encoding', None) or sys.getdefaultencoding()\n return unicode(cmdline, codec)\n",
"role": "user"
},
{
"content": "decodeCommandLine",
"role": "assistant"
}
] |
def x(text):
stem = PorterStemmer().stem
tokens = re.finditer('[a-z]+', text.lower())
for offset, match in enumerate(tokens):
unstemmed = match.group(0)
yield {'stemmed': stem(unstemmed), 'unstemmed': unstemmed, 'offset':
offset}
| tokenize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n stem = PorterStemmer().stem\n tokens = re.finditer('[a-z]+', text.lower())\n for offset, match in enumerate(tokens):\n unstemmed = match.group(0)\n yield {'stemmed': stem(unstemmed), 'unstemmed': unstemmed, 'offset':\n offset}\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(d, desc=True):
sort = sorted(d.items(), key=lambda x: x[1], reverse=desc)
return OrderedDict(sort)
| sort_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, desc=True):\n sort = sorted(d.items(), key=lambda x: x[1], reverse=desc)\n return OrderedDict(sort)\n",
"role": "user"
},
{
"content": "sort_dict",
"role": "assistant"
}
] |
def x(seq, n=2):
it = iter(seq)
result = tuple(islice(it, n))
if len(result) == n:
yield result
for token in it:
result = result[1:] + (token,)
yield result
| window | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq, n=2):\n it = iter(seq)\n result = tuple(islice(it, n))\n if len(result) == n:\n yield result\n for token in it:\n result = result[1:] + (token,)\n yield result\n",
"role": "user"
},
{
"content": "window",
"role": "assistant"
}
] |
def x(siteStore, userStorePath):
ls = siteStore.findUnique(LoginSystem)
unattachedSubStore = Store(userStorePath)
for lm in unattachedSubStore.query(LoginMethod, LoginMethod.account ==
unattachedSubStore.findUnique(LoginAccount), sort=LoginMethod.
internal.descending):
if ls.accountByAddress(lm.localpart, lm.domain) is None:
localpart, domain = lm.localpart, lm.domain
break
else:
raise AllNamesConflict()
unattachedSubStore.close()
insertLocation = siteStore.newFilePath('account', domain, localpart +
'.axiom')
insertParentLoc = insertLocation.parent()
if not insertParentLoc.exists():
insertParentLoc.makedirs()
if insertLocation.exists():
raise DatabaseDirectoryConflict()
userStorePath.moveTo(insertLocation)
ss = SubStore(store=siteStore, storepath=insertLocation)
attachedStore = ss.open()
attachedStore.findUnique(LoginAccount).migrateUp()
| insertUserStore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(siteStore, userStorePath):\n ls = siteStore.findUnique(LoginSystem)\n unattachedSubStore = Store(userStorePath)\n for lm in unattachedSubStore.query(LoginMethod, LoginMethod.account ==\n unattachedSubStore.findUnique(LoginAccount), sort=LoginMethod.\n internal.descending):\n if ls.accountByAddress(lm.localpart, lm.domain) is None:\n localpart, domain = lm.localpart, lm.domain\n break\n else:\n raise AllNamesConflict()\n unattachedSubStore.close()\n insertLocation = siteStore.newFilePath('account', domain, localpart +\n '.axiom')\n insertParentLoc = insertLocation.parent()\n if not insertParentLoc.exists():\n insertParentLoc.makedirs()\n if insertLocation.exists():\n raise DatabaseDirectoryConflict()\n userStorePath.moveTo(insertLocation)\n ss = SubStore(store=siteStore, storepath=insertLocation)\n attachedStore = ss.open()\n attachedStore.findUnique(LoginAccount).migrateUp()\n",
"role": "user"
},
{
"content": "insertUserStore",
"role": "assistant"
}
] |
def x(userAccount, extractionDestination, legacySiteAuthoritative=True):
if legacySiteAuthoritative:
userAccount.migrateDown()
av = userAccount.avatars
av.open().close()
def x():
av.deleteFromStore()
userAccount.deleteLoginMethods()
userAccount.deleteFromStore()
av.storepath.moveTo(extractionDestination)
userAccount.store.transact(_)
| extractUserStore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(userAccount, extractionDestination, legacySiteAuthoritative=True):\n if legacySiteAuthoritative:\n userAccount.migrateDown()\n av = userAccount.avatars\n av.open().close()\n\n def x():\n av.deleteFromStore()\n userAccount.deleteLoginMethods()\n userAccount.deleteFromStore()\n av.storepath.moveTo(extractionDestination)\n userAccount.store.transact(_)\n",
"role": "user"
},
{
"content": "extractUserStore",
"role": "assistant"
}
] |
def x(store, protocol=None):
if protocol is not None:
comp = OR(LoginMethod.protocol == u'*', LoginMethod.protocol ==
protocol)
else:
comp = None
return store.query(LoginMethod, comp)
| getLoginMethods | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store, protocol=None):\n if protocol is not None:\n comp = OR(LoginMethod.protocol == u'*', LoginMethod.protocol ==\n protocol)\n else:\n comp = None\n return store.query(LoginMethod, comp)\n",
"role": "user"
},
{
"content": "getLoginMethods",
"role": "assistant"
}
] |
def x(store, protocol=None):
return ((meth.localpart, meth.domain) for meth in getLoginMethods(store,
protocol))
| getAccountNames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store, protocol=None):\n return ((meth.localpart, meth.domain) for meth in getLoginMethods(store,\n protocol))\n",
"role": "user"
},
{
"content": "getAccountNames",
"role": "assistant"
}
] |
def x(store):
domains = set()
domains.update(store.query(LoginMethod, AND(LoginMethod.internal ==
True, LoginMethod.domain != None)).getColumn('domain').distinct())
return sorted(domains)
| getDomainNames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(store):\n domains = set()\n domains.update(store.query(LoginMethod, AND(LoginMethod.internal == \n True, LoginMethod.domain != None)).getColumn('domain').distinct())\n return sorted(domains)\n",
"role": "user"
},
{
"content": "getDomainNames",
"role": "assistant"
}
] |
def x(self):
ss = self.avatars.open()
def x():
oldAccounts = ss.query(LoginAccount)
oldMethods = ss.query(LoginMethod)
for x in (list(oldAccounts) + list(oldMethods)):
x.deleteFromStore()
self.cloneInto(ss, ss)
IScheduler(ss).migrateDown()
ss.transact(_)
| migrateDown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ss = self.avatars.open()\n\n def x():\n oldAccounts = ss.query(LoginAccount)\n oldMethods = ss.query(LoginMethod)\n for x in (list(oldAccounts) + list(oldMethods)):\n x.deleteFromStore()\n self.cloneInto(ss, ss)\n IScheduler(ss).migrateDown()\n ss.transact(_)\n",
"role": "user"
},
{
"content": "migrateDown",
"role": "assistant"
}
] |
def x(self):
siteStore = self.store.parent
def x():
siteStoreSubRef = siteStore.getItemByID(self.store.idInParent)
self.cloneInto(siteStore, siteStoreSubRef)
IScheduler(self.store).migrateUp()
siteStore.transact(_)
| migrateUp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n siteStore = self.store.parent\n\n def x():\n siteStoreSubRef = siteStore.getItemByID(self.store.idInParent)\n self.cloneInto(siteStore, siteStoreSubRef)\n IScheduler(self.store).migrateUp()\n siteStore.transact(_)\n",
"role": "user"
},
{
"content": "migrateUp",
"role": "assistant"
}
] |
def x(self, newStore, avatars):
la = LoginAccount(store=newStore, password=self.password, avatars=
avatars, disabled=self.disabled)
for siteMethod in self.store.query(LoginMethod, LoginMethod.account == self
):
LoginMethod(store=newStore, localpart=siteMethod.localpart, domain=
siteMethod.domain, internal=siteMethod.internal, protocol=
siteMethod.protocol, verified=siteMethod.verified, account=la)
return la
| cloneInto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, newStore, avatars):\n la = LoginAccount(store=newStore, password=self.password, avatars=\n avatars, disabled=self.disabled)\n for siteMethod in self.store.query(LoginMethod, LoginMethod.account == self\n ):\n LoginMethod(store=newStore, localpart=siteMethod.localpart, domain=\n siteMethod.domain, internal=siteMethod.internal, protocol=\n siteMethod.protocol, verified=siteMethod.verified, account=la)\n return la\n",
"role": "user"
},
{
"content": "cloneInto",
"role": "assistant"
}
] |
def x(self, localpart, domain, protocol=ANY_PROTOCOL, verified=False,
internal=False):
if self.store.parent is None:
otherStore = self.avatars.open()
peer = otherStore.findUnique(LoginAccount)
else:
otherStore = self.store.parent
subStoreItem = self.store.parent.getItemByID(self.store.idInParent)
peer = otherStore.findUnique(LoginAccount, LoginAccount.avatars ==
subStoreItem)
for store, account in [(otherStore, peer), (self.store, self)]:
store.findOrCreate(LoginMethod, account=account, localpart=
localpart, domain=domain, protocol=protocol, verified=verified,
internal=internal)
| addLoginMethod | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, localpart, domain, protocol=ANY_PROTOCOL, verified=False,\n internal=False):\n if self.store.parent is None:\n otherStore = self.avatars.open()\n peer = otherStore.findUnique(LoginAccount)\n else:\n otherStore = self.store.parent\n subStoreItem = self.store.parent.getItemByID(self.store.idInParent)\n peer = otherStore.findUnique(LoginAccount, LoginAccount.avatars ==\n subStoreItem)\n for store, account in [(otherStore, peer), (self.store, self)]:\n store.findOrCreate(LoginMethod, account=account, localpart=\n localpart, domain=domain, protocol=protocol, verified=verified,\n internal=internal)\n",
"role": "user"
},
{
"content": "addLoginMethod",
"role": "assistant"
}
] |
def x(self, currentPassword, newPassword):
if unicode(currentPassword) != self.password:
return fail(BadCredentials())
return self.setPassword(newPassword)
| replacePassword | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, currentPassword, newPassword):\n if unicode(currentPassword) != self.password:\n return fail(BadCredentials())\n return self.setPassword(newPassword)\n",
"role": "user"
},
{
"content": "replacePassword",
"role": "assistant"
}
] |
def x(self, username, domain, password, avatars=None, protocol=u'email',
disabled=0, internal=False, verified=True):
if username is not None:
username = unicode(username)
if domain is not None:
domain = unicode(domain)
if password is not None:
password = unicode(password)
if self.accountByAddress(username, domain) is not None:
raise DuplicateUser(username, domain)
if avatars is None:
avatars = self.makeAvatars(domain, username)
subStore = avatars.open()
la = LoginAccount(store=self.store, password=password, avatars=avatars,
disabled=disabled)
def x():
LoginAccount(store=subStore, password=password, disabled=disabled,
avatars=subStore)
la.addLoginMethod(localpart=username, domain=domain, protocol=
protocol, internal=internal, verified=verified)
subStore.transact(createSubStoreAccountObjects)
return la
| addAccount | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, domain, password, avatars=None, protocol=u'email',\n disabled=0, internal=False, verified=True):\n if username is not None:\n username = unicode(username)\n if domain is not None:\n domain = unicode(domain)\n if password is not None:\n password = unicode(password)\n if self.accountByAddress(username, domain) is not None:\n raise DuplicateUser(username, domain)\n if avatars is None:\n avatars = self.makeAvatars(domain, username)\n subStore = avatars.open()\n la = LoginAccount(store=self.store, password=password, avatars=avatars,\n disabled=disabled)\n\n def x():\n LoginAccount(store=subStore, password=password, disabled=disabled,\n avatars=subStore)\n la.addLoginMethod(localpart=username, domain=domain, protocol=\n protocol, internal=internal, verified=verified)\n subStore.transact(createSubStoreAccountObjects)\n return la\n",
"role": "user"
},
{
"content": "addAccount",
"role": "assistant"
}
] |
def x(self, sql, args, e):
message = e.args[0]
if message.startswith('table') and message.endswith('already exists'):
return errors.TableAlreadyExists(sql, args, e)
return errors.SQLError(sql, args, e)
| identifySQLError | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sql, args, e):\n message = e.args[0]\n if message.startswith('table') and message.endswith('already exists'):\n return errors.TableAlreadyExists(sql, args, e)\n return errors.SQLError(sql, args, e)\n",
"role": "user"
},
{
"content": "identifySQLError",
"role": "assistant"
}
] |
def x(cacheRef, key, finalizer):
def x(reference):
try:
finalizer()
except:
logErrorNoMatterWhat()
try:
cache = cacheRef()
if cache is not None:
if key in cache.data:
if cache.data[key] is reference:
del cache.data[key]
except:
logErrorNoMatterWhat()
return remove
| createCacheRemoveCallback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cacheRef, key, finalizer):\n\n def x(reference):\n try:\n finalizer()\n except:\n logErrorNoMatterWhat()\n try:\n cache = cacheRef()\n if cache is not None:\n if key in cache.data:\n if cache.data[key] is reference:\n del cache.data[key]\n except:\n logErrorNoMatterWhat()\n return remove\n",
"role": "user"
},
{
"content": "createCacheRemoveCallback",
"role": "assistant"
}
] |
def x(self, key, value):
fin = value.__finalizer__()
try:
if self.data[key]() is not None:
raise CacheInconsistency('Duplicate cache key: %r %r %r' % (key,
value, self.data[key]))
except KeyError:
pass
callback = createCacheRemoveCallback(self._ref(self), key, fin)
self.data[key] = self._ref(value, callback)
return value
| cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n fin = value.__finalizer__()\n try:\n if self.data[key]() is not None:\n raise CacheInconsistency('Duplicate cache key: %r %r %r' % (key,\n value, self.data[key]))\n except KeyError:\n pass\n callback = createCacheRemoveCallback(self._ref(self), key, fin)\n self.data[key] = self._ref(value, callback)\n return value\n",
"role": "user"
},
{
"content": "cache",
"role": "assistant"
}
] |
def x(self, key, value):
try:
assert self.get(key) is value
del self.data[key]
except KeyError:
pass
| uncache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, value):\n try:\n assert self.get(key) is value\n del self.data[key]\n except KeyError:\n pass\n",
"role": "user"
},
{
"content": "uncache",
"role": "assistant"
}
] |
def x(self, key):
o = self.data[key]()
if o is None:
del self.data[key]
raise CacheFault('FinalizingCache has %r but its value is no more.' %
(key,))
log.msg(interface=iaxiom.IStatEvent, stat_cache_hits=1, key=key)
return o
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n o = self.data[key]()\n if o is None:\n del self.data[key]\n raise CacheFault('FinalizingCache has %r but its value is no more.' %\n (key,))\n log.msg(interface=iaxiom.IStatEvent, stat_cache_hits=1, key=key)\n return o\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(root):
question_dict = dict()
question_prompt_el = root.find('text')
if question_prompt_el is not None:
question_dict['text'] = _safe_get_text(question_prompt_el)
else:
raise ValidationError(_('Question must have text element.'))
question_dict.update(parse_image_xml(root))
return question_dict
| parse_question_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n question_dict = dict()\n question_prompt_el = root.find('text')\n if question_prompt_el is not None:\n question_dict['text'] = _safe_get_text(question_prompt_el)\n else:\n raise ValidationError(_('Question must have text element.'))\n question_dict.update(parse_image_xml(root))\n return question_dict\n",
"role": "user"
},
{
"content": "parse_question_xml",
"role": "assistant"
}
] |
def x(root):
options = []
correct_option = None
rationale = None
for option_el in root.findall('option'):
option_dict = dict()
option_prompt_el = option_el.find('text')
if option_prompt_el is not None:
option_dict['text'] = _safe_get_text(option_prompt_el)
else:
raise ValidationError(_('Option must have text element.'))
option_dict.update(parse_image_xml(option_el))
if 'correct' in option_el.attrib and _parse_boolean(option_el.
attrib['correct']):
if correct_option is None:
correct_option = len(options)
rationale_el = option_el.find('rationale')
if rationale_el is not None:
rationale = {'text': _safe_get_text(rationale_el)}
else:
raise ValidationError(_(
'Missing rationale for correct answer.'))
else:
raise ValidationError(_(
'Only one correct answer can be defined in options.'))
options.append(option_dict)
if correct_option is None or rationale is None:
raise ValidationError(_(
'Correct answer and rationale are required and have to be defined in one of the option.'
))
return options, correct_option, rationale
| parse_options_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n options = []\n correct_option = None\n rationale = None\n for option_el in root.findall('option'):\n option_dict = dict()\n option_prompt_el = option_el.find('text')\n if option_prompt_el is not None:\n option_dict['text'] = _safe_get_text(option_prompt_el)\n else:\n raise ValidationError(_('Option must have text element.'))\n option_dict.update(parse_image_xml(option_el))\n if 'correct' in option_el.attrib and _parse_boolean(option_el.\n attrib['correct']):\n if correct_option is None:\n correct_option = len(options)\n rationale_el = option_el.find('rationale')\n if rationale_el is not None:\n rationale = {'text': _safe_get_text(rationale_el)}\n else:\n raise ValidationError(_(\n 'Missing rationale for correct answer.'))\n else:\n raise ValidationError(_(\n 'Only one correct answer can be defined in options.'))\n options.append(option_dict)\n if correct_option is None or rationale is None:\n raise ValidationError(_(\n 'Correct answer and rationale are required and have to be defined in one of the option.'\n ))\n return options, correct_option, rationale\n",
"role": "user"
},
{
"content": "parse_options_xml",
"role": "assistant"
}
] |
def x(root):
seeds = []
for seed_el in root.findall('seed'):
seed_dict = dict()
seed_dict['rationale'] = _safe_get_text(seed_el)
if 'option' in seed_el.attrib:
seed_dict['answer'] = int(seed_el.attrib['option']) - 1
else:
raise ValidationError(_(
'Seed element must have an option attribute.'))
seeds.append(seed_dict)
return seeds
| parse_seeds_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n seeds = []\n for seed_el in root.findall('seed'):\n seed_dict = dict()\n seed_dict['rationale'] = _safe_get_text(seed_el)\n if 'option' in seed_el.attrib:\n seed_dict['answer'] = int(seed_el.attrib['option']) - 1\n else:\n raise ValidationError(_(\n 'Seed element must have an option attribute.'))\n seeds.append(seed_dict)\n return seeds\n",
"role": "user"
},
{
"content": "parse_seeds_xml",
"role": "assistant"
}
] |
def x(root):
if root.tag != 'ubcpi':
raise UpdateFromXmlError(_(
'Every peer instruction tool must contain an "ubcpi" element.'))
display_name_el = root.find('display_name')
if display_name_el is None:
raise UpdateFromXmlError(_(
'Every peer instruction tool must contain a "display_name" element.'
))
else:
display_name = _safe_get_text(display_name_el)
rationale_size_min = int(root.attrib['rationale_size_min']
) if 'rationale_size_min' in root.attrib else None
rationale_size_max = int(root.attrib['rationale_size_max']
) if 'rationale_size_max' in root.attrib else None
question_el = root.find('question')
if question_el is None:
raise UpdateFromXmlError(_(
'Every peer instruction must tool contain a "question" element.'))
else:
question = parse_question_xml(question_el)
options_el = root.find('options')
if options_el is None:
raise UpdateFromXmlError(_(
'Every peer instruction must tool contain a "options" element.'))
else:
options, correct_answer, correct_rationale = parse_options_xml(
options_el)
seeds_el = root.find('seeds')
if seeds_el is None:
raise UpdateFromXmlError(_(
'Every peer instruction must tool contain a "seeds" element.'))
else:
seeds = parse_seeds_xml(seeds_el)
algo = unicode(root.attrib['algorithm']
) if 'algorithm' in root.attrib else None
num_responses = unicode(root.attrib['num_responses']
) if 'num_responses' in root.attrib else None
return {'display_name': display_name, 'question_text': question,
'options': options, 'rationale_size': {'min': rationale_size_min,
'max': rationale_size_max}, 'correct_answer': correct_answer,
'correct_rationale': correct_rationale, 'seeds': seeds, 'algo': {
'name': algo, 'num_responses': num_responses}}
| parse_from_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n if root.tag != 'ubcpi':\n raise UpdateFromXmlError(_(\n 'Every peer instruction tool must contain an \"ubcpi\" element.'))\n display_name_el = root.find('display_name')\n if display_name_el is None:\n raise UpdateFromXmlError(_(\n 'Every peer instruction tool must contain a \"display_name\" element.'\n ))\n else:\n display_name = _safe_get_text(display_name_el)\n rationale_size_min = int(root.attrib['rationale_size_min']\n ) if 'rationale_size_min' in root.attrib else None\n rationale_size_max = int(root.attrib['rationale_size_max']\n ) if 'rationale_size_max' in root.attrib else None\n question_el = root.find('question')\n if question_el is None:\n raise UpdateFromXmlError(_(\n 'Every peer instruction must tool contain a \"question\" element.'))\n else:\n question = parse_question_xml(question_el)\n options_el = root.find('options')\n if options_el is None:\n raise UpdateFromXmlError(_(\n 'Every peer instruction must tool contain a \"options\" element.'))\n else:\n options, correct_answer, correct_rationale = parse_options_xml(\n options_el)\n seeds_el = root.find('seeds')\n if seeds_el is None:\n raise UpdateFromXmlError(_(\n 'Every peer instruction must tool contain a \"seeds\" element.'))\n else:\n seeds = parse_seeds_xml(seeds_el)\n algo = unicode(root.attrib['algorithm']\n ) if 'algorithm' in root.attrib else None\n num_responses = unicode(root.attrib['num_responses']\n ) if 'num_responses' in root.attrib else None\n return {'display_name': display_name, 'question_text': question,\n 'options': options, 'rationale_size': {'min': rationale_size_min,\n 'max': rationale_size_max}, 'correct_answer': correct_answer,\n 'correct_rationale': correct_rationale, 'seeds': seeds, 'algo': {\n 'name': algo, 'num_responses': num_responses}}\n",
"role": "user"
},
{
"content": "parse_from_xml",
"role": "assistant"
}
] |
def x(options, block):
for index, option_dict in enumerate(block.options):
option = etree.SubElement(options, 'option')
if index == block.correct_answer:
option.set('correct', u'True')
if hasattr(block, 'correct_rationale'):
rationale = etree.SubElement(option, 'rationale')
rationale.text = block.correct_rationale['text']
text = etree.SubElement(option, 'text')
text.text = option_dict.get('text', '')
serialize_image(option_dict, option)
| serialize_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options, block):\n for index, option_dict in enumerate(block.options):\n option = etree.SubElement(options, 'option')\n if index == block.correct_answer:\n option.set('correct', u'True')\n if hasattr(block, 'correct_rationale'):\n rationale = etree.SubElement(option, 'rationale')\n rationale.text = block.correct_rationale['text']\n text = etree.SubElement(option, 'text')\n text.text = option_dict.get('text', '')\n serialize_image(option_dict, option)\n",
"role": "user"
},
{
"content": "serialize_options",
"role": "assistant"
}
] |
def x(seeds, block):
for seed_dict in block.seeds:
seed = etree.SubElement(seeds, 'seed')
seed.set('option', unicode(seed_dict.get('answer', 0) + 1))
seed.text = seed_dict.get('rationale', '')
| serialize_seeds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seeds, block):\n for seed_dict in block.seeds:\n seed = etree.SubElement(seeds, 'seed')\n seed.set('option', unicode(seed_dict.get('answer', 0) + 1))\n seed.text = seed_dict.get('rationale', '')\n",
"role": "user"
},
{
"content": "serialize_seeds",
"role": "assistant"
}
] |
def x(root, block):
root.tag = 'ubcpi'
if block.rationale_size is not None:
if block.rationale_size.get('min'):
root.set('rationale_size_min', unicode(block.rationale_size.get
('min')))
if block.rationale_size.get('max'):
root.set('rationale_size_max', unicode(block.rationale_size['max'])
)
if block.algo:
if block.algo.get('name'):
root.set('algorithm', block.algo.get('name'))
if block.algo.get('num_responses'):
root.set('num_responses', unicode(block.algo.get('num_responses')))
display_name = etree.SubElement(root, 'display_name')
display_name.text = block.display_name
question = etree.SubElement(root, 'question')
question_text = etree.SubElement(question, 'text')
question_text.text = block.question_text['text']
serialize_image(block.question_text, question)
options = etree.SubElement(root, 'options')
serialize_options(options, block)
seeds = etree.SubElement(root, 'seeds')
serialize_seeds(seeds, block)
| serialize_to_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root, block):\n root.tag = 'ubcpi'\n if block.rationale_size is not None:\n if block.rationale_size.get('min'):\n root.set('rationale_size_min', unicode(block.rationale_size.get\n ('min')))\n if block.rationale_size.get('max'):\n root.set('rationale_size_max', unicode(block.rationale_size['max'])\n )\n if block.algo:\n if block.algo.get('name'):\n root.set('algorithm', block.algo.get('name'))\n if block.algo.get('num_responses'):\n root.set('num_responses', unicode(block.algo.get('num_responses')))\n display_name = etree.SubElement(root, 'display_name')\n display_name.text = block.display_name\n question = etree.SubElement(root, 'question')\n question_text = etree.SubElement(question, 'text')\n question_text.text = block.question_text['text']\n serialize_image(block.question_text, question)\n options = etree.SubElement(root, 'options')\n serialize_options(options, block)\n seeds = etree.SubElement(root, 'seeds')\n serialize_seeds(seeds, block)\n",
"role": "user"
},
{
"content": "serialize_to_xml",
"role": "assistant"
}
] |
def x(self):
if not self.handle:
self.lvm.open()
self.__vgh = lvm_vg_open(self.lvm.handle, self.name, self.mode)
if not bool(self.__vgh):
raise HandleError('Failed to initialize VG Handle.')
| 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 not self.handle:\n self.lvm.open()\n self.__vgh = lvm_vg_open(self.lvm.handle, self.name, self.mode)\n if not bool(self.__vgh):\n raise HandleError('Failed to initialize VG Handle.')\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self):
if self.handle:
cl = lvm_vg_close(self.handle)
if cl != 0:
raise HandleError('Failed to close VG handle after init check.')
self.__vgh = None
self.lvm.close()
| close | [
{
"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.handle:\n cl = lvm_vg_close(self.handle)\n if cl != 0:\n raise HandleError('Failed to close VG handle after init check.')\n self.__vgh = None\n self.lvm.close()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
self.open()
uuid = lvm_vg_get_uuid(self.handle)
self.close()
return uuid
| uuid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.open()\n uuid = lvm_vg_get_uuid(self.handle)\n self.close()\n return uuid\n",
"role": "user"
},
{
"content": "uuid",
"role": "assistant"
}
] |
def x(self):
self.open()
count = lvm_vg_get_extent_count(self.handle)
self.close()
return count
| extent_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.open()\n count = lvm_vg_get_extent_count(self.handle)\n self.close()\n return count\n",
"role": "user"
},
{
"content": "extent_count",
"role": "assistant"
}
] |
def x(self):
self.open()
count = lvm_vg_get_free_extent_count(self.handle)
self.close()
return count
| free_extent_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.open()\n count = lvm_vg_get_free_extent_count(self.handle)\n self.close()\n return count\n",
"role": "user"
},
{
"content": "free_extent_count",
"role": "assistant"
}
] |
def x(self):
self.open()
count = lvm_vg_get_pv_count(self.handle)
self.close()
return count
| pv_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.open()\n count = lvm_vg_get_pv_count(self.handle)\n self.close()\n return count\n",
"role": "user"
},
{
"content": "pv_count",
"role": "assistant"
}
] |
def x(self):
self.open()
count = lvm_vg_get_max_pv(self.handle)
self.close()
return count
| max_pv_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.open()\n count = lvm_vg_get_max_pv(self.handle)\n self.close()\n return count\n",
"role": "user"
},
{
"content": "max_pv_count",
"role": "assistant"
}
] |
def x(self):
self.open()
count = lvm_vg_get_max_lv(self.handle)
self.close()
return count
| max_lv_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.open()\n count = lvm_vg_get_max_lv(self.handle)\n self.close()\n return count\n",
"role": "user"
},
{
"content": "max_lv_count",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.