source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): self.open() clust = lvm_vg_is_clustered(self.handle) self.close() return bool(clust)
is_clustered
[ { "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 clust = lvm_vg_is_clustered(self.handle)\n self.close()\n return bool(clust)\n", "role": "user" }, { "content": "is_clustered", "role": "assistant" } ]
def x(self): self.open() exp = lvm_vg_is_exported(self.handle) self.close() return bool(exp)
is_exported
[ { "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 exp = lvm_vg_is_exported(self.handle)\n self.close()\n return bool(exp)\n", "role": "user" }, { "content": "is_exported", "role": "assistant" } ]
def x(self): self.open() part = lvm_vg_is_partial(self.handle) self.close() return bool(part)
is_partial
[ { "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 part = lvm_vg_is_partial(self.handle)\n self.close()\n return bool(part)\n", "role": "user" }, { "content": "is_partial", "role": "assistant" } ]
def x(self): self.open() seq = lvm_vg_get_seqno(self.handle) self.close() return seq
sequence
[ { "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 seq = lvm_vg_get_seqno(self.handle)\n self.close()\n return seq\n", "role": "user" }, { "content": "sequence", "role": "assistant" } ]
def x(self, units='MiB'): self.open() size = lvm_vg_get_size(self.handle) self.close() return size_convert(size, units)
size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, units='MiB'):\n self.open()\n size = lvm_vg_get_size(self.handle)\n self.close()\n return size_convert(size, units)\n", "role": "user" }, { "content": "size", "role": "assistant" } ]
def x(self, units='MiB'): self.open() size = lvm_vg_get_free_size(self.handle) self.close() return size_convert(size, units)
free_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, units='MiB'):\n self.open()\n size = lvm_vg_get_free_size(self.handle)\n self.close()\n return size_convert(size, units)\n", "role": "user" }, { "content": "free_size", "role": "assistant" } ]
def x(self, units='MiB'): self.open() size = lvm_vg_get_extent_size(self.handle) self.close() return size_convert(size, units)
extent_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, units='MiB'):\n self.open()\n size = lvm_vg_get_extent_size(self.handle)\n self.close()\n return size_convert(size, units)\n", "role": "user" }, { "content": "extent_size", "role": "assistant" } ]
def x(self, device): if not os.path.exists(device): raise ValueError('%s does not exist.' % device) self.open() ext = lvm_vg_extend(self.handle, device) if ext != 0: self.close() raise CommitError('Failed to extend Volume Group.') self._commit() self.close() return PhysicalVolume(self, name=device)
add_pv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device):\n if not os.path.exists(device):\n raise ValueError('%s does not exist.' % device)\n self.open()\n ext = lvm_vg_extend(self.handle, device)\n if ext != 0:\n self.close()\n raise CommitError('Failed to extend Volume Group.')\n self._commit()\n self.close()\n return PhysicalVolume(self, name=device)\n", "role": "user" }, { "content": "add_pv", "role": "assistant" } ]
def x(self, device): if not os.path.exists(device): raise ValueError('%s does not exist.' % device) return PhysicalVolume(self, name=device)
get_pv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device):\n if not os.path.exists(device):\n raise ValueError('%s does not exist.' % device)\n return PhysicalVolume(self, name=device)\n", "role": "user" }, { "content": "get_pv", "role": "assistant" } ]
def x(self, pv): name = pv.name self.open() rm = lvm_vg_reduce(self.handle, name) if rm != 0: self.close() raise CommitError('Failed to remove %s.' % name) self._commit() self.close()
remove_pv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pv):\n name = pv.name\n self.open()\n rm = lvm_vg_reduce(self.handle, name)\n if rm != 0:\n self.close()\n raise CommitError('Failed to remove %s.' % name)\n self._commit()\n self.close()\n", "role": "user" }, { "content": "remove_pv", "role": "assistant" } ]
def x(self): self.open() pv_list = [] pv_handles = lvm_vg_list_pvs(self.handle) if not bool(pv_handles): return pv_list pvh = dm_list_first(pv_handles) while pvh: c = cast(pvh, POINTER(lvm_pv_list)) pv = PhysicalVolume(self, pvh=c.contents.pv) pv_list.append(pv) if dm_list_end(pv_handles, pvh): break pvh = dm_list_next(pv_handles, pvh) self.close() return pv_list
pvscan
[ { "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 pv_list = []\n pv_handles = lvm_vg_list_pvs(self.handle)\n if not bool(pv_handles):\n return pv_list\n pvh = dm_list_first(pv_handles)\n while pvh:\n c = cast(pvh, POINTER(lvm_pv_list))\n pv = PhysicalVolume(self, pvh=c.contents.pv)\n pv_list.append(pv)\n if dm_list_end(pv_handles, pvh):\n break\n pvh = dm_list_next(pv_handles, pvh)\n self.close()\n return pv_list\n", "role": "user" }, { "content": "pvscan", "role": "assistant" } ]
def x(self): self.open() lv_list = [] lv_handles = lvm_vg_list_lvs(self.handle) if not bool(lv_handles): return lv_list lvh = dm_list_first(lv_handles) while lvh: c = cast(lvh, POINTER(lvm_lv_list)) lv = LogicalVolume(self, lvh=c.contents.lv) lv_list.append(lv) if dm_list_end(lv_handles, lvh): break lvh = dm_list_next(lv_handles, lvh) self.close() return lv_list
lvscan
[ { "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 lv_list = []\n lv_handles = lvm_vg_list_lvs(self.handle)\n if not bool(lv_handles):\n return lv_list\n lvh = dm_list_first(lv_handles)\n while lvh:\n c = cast(lvh, POINTER(lvm_lv_list))\n lv = LogicalVolume(self, lvh=c.contents.lv)\n lv_list.append(lv)\n if dm_list_end(lv_handles, lvh):\n break\n lvh = dm_list_next(lv_handles, lvh)\n self.close()\n return lv_list\n", "role": "user" }, { "content": "lvscan", "role": "assistant" } ]
def x(self, name, length, units): if units != '%': size = size_units[units] * length else: if not 0 < length <= 100 or type(length) is float: raise ValueError('Length not supported.') size = self.size('B') / 100 * length self.open() lvh = lvm_vg_create_lv_linear(self.handle, name, c_ulonglong(size)) if not bool(lvh): self.close() raise CommitError('Failed to create LV.') lv = LogicalVolume(self, lvh=lvh) self.close() return lv
create_lv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, length, units):\n if units != '%':\n size = size_units[units] * length\n else:\n if not 0 < length <= 100 or type(length) is float:\n raise ValueError('Length not supported.')\n size = self.size('B') / 100 * length\n self.open()\n lvh = lvm_vg_create_lv_linear(self.handle, name, c_ulonglong(size))\n if not bool(lvh):\n self.close()\n raise CommitError('Failed to create LV.')\n lv = LogicalVolume(self, lvh=lvh)\n self.close()\n return lv\n", "role": "user" }, { "content": "create_lv", "role": "assistant" } ]
def x(self, lv): lv.open() rm = lvm_vg_remove_lv(lv.handle) lv.close() if rm != 0: raise CommitError('Failed to remove LV.')
remove_lv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lv):\n lv.open()\n rm = lvm_vg_remove_lv(lv.handle)\n lv.close()\n if rm != 0:\n raise CommitError('Failed to remove LV.')\n", "role": "user" }, { "content": "remove_lv", "role": "assistant" } ]
def x(self): lvs = self.lvscan() for lv in lvs: self.remove_lv(lv)
remove_all_lvs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lvs = self.lvscan()\n for lv in lvs:\n self.remove_lv(lv)\n", "role": "user" }, { "content": "remove_all_lvs", "role": "assistant" } ]
def x(self, length, units): size = length * size_units[units] self.open() ext = lvm_vg_set_extent_size(self.handle, c_ulong(size)) self._commit() self.close() if ext != 0: raise CommitError('Failed to set extent size.')
set_extent_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, length, units):\n size = length * size_units[units]\n self.open()\n ext = lvm_vg_set_extent_size(self.handle, c_ulong(size))\n self._commit()\n self.close()\n if ext != 0:\n raise CommitError('Failed to set extent size.')\n", "role": "user" }, { "content": "set_extent_size", "role": "assistant" } ]
def x(self, term1, term2, value, **kwargs): key = self.key(term1, term2) self.keys.update([term1, term2]) self.pairs[key] = value
set_pair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term1, term2, value, **kwargs):\n key = self.key(term1, term2)\n self.keys.update([term1, term2])\n self.pairs[key] = value\n", "role": "user" }, { "content": "set_pair", "role": "assistant" } ]
def x(self, term1, term2): key = self.key(term1, term2) return self.pairs.get(key, None)
get_pair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term1, term2):\n key = self.key(term1, term2)\n return self.pairs.get(key, None)\n", "role": "user" }, { "content": "get_pair", "role": "assistant" } ]
def x(self, text, terms=None, **kwargs): self.clear() terms = terms or text.terms.keys() pairs = combinations(terms, 2) count = comb(len(terms), 2) for t1, t2 in bar(pairs, expected_size=count, every=1000): score = text.score_braycurtis(t1, t2, **kwargs) self.set_pair(t1, t2, score)
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, terms=None, **kwargs):\n self.clear()\n terms = terms or text.terms.keys()\n pairs = combinations(terms, 2)\n count = comb(len(terms), 2)\n for t1, t2 in bar(pairs, expected_size=count, every=1000):\n score = text.score_braycurtis(t1, t2, **kwargs)\n self.set_pair(t1, t2, score)\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(self, anchor): pairs = OrderedDict() for term in self.keys: score = self.get_pair(anchor, term) if score: pairs[term] = score return utils.sort_dict(pairs)
anchored_pairs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, anchor):\n pairs = OrderedDict()\n for term in self.keys:\n score = self.get_pair(anchor, term)\n if score:\n pairs[term] = score\n return utils.sort_dict(pairs)\n", "role": "user" }, { "content": "anchored_pairs", "role": "assistant" } ]
def x(r, g=None, b=None): c = r if isinstance(r, list) else [r, g, b] best = {} for index, item in enumerate(colors): d = __distance(item, c) if not best or d <= best['distance']: best = {'distance': d, 'index': index} if 'index' in best: return best['index'] else: return 1
from_rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(r, g=None, b=None):\n c = r if isinstance(r, list) else [r, g, b]\n best = {}\n for index, item in enumerate(colors):\n d = __distance(item, c)\n if not best or d <= best['distance']:\n best = {'distance': d, 'index': index}\n if 'index' in best:\n return best['index']\n else:\n return 1\n", "role": "user" }, { "content": "from_rgb", "role": "assistant" } ]
def x(): parser = argparse.ArgumentParser() parser.add_argument('action', help='Action to take', choices=[ 'from_hex', 'to_rgb', 'to_hex']) parser.add_argument('value', help='Value for the action') parsed = parser.parse_args() if parsed.action != 'from_hex': try: parsed.value = int(parsed.value) except ValueError: raise argparse.ArgumentError( 'Value for this action should be an integer') print(globals()[parsed.action](parsed.value))
entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser()\n parser.add_argument('action', help='Action to take', choices=[\n 'from_hex', 'to_rgb', 'to_hex'])\n parser.add_argument('value', help='Value for the action')\n parsed = parser.parse_args()\n if parsed.action != 'from_hex':\n try:\n parsed.value = int(parsed.value)\n except ValueError:\n raise argparse.ArgumentError(\n 'Value for this action should be an integer')\n print(globals()[parsed.action](parsed.value))\n", "role": "user" }, { "content": "entry", "role": "assistant" } ]
def x(store, version, systemVersion): return store.findOrCreate(SoftwareVersion, systemVersion=systemVersion, package=unicode(version.package), version=unicode(version.short()), major=version.major, minor=version.minor, micro=version.micro)
makeSoftwareVersion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(store, version, systemVersion):\n return store.findOrCreate(SoftwareVersion, systemVersion=systemVersion,\n package=unicode(version.package), version=unicode(version.short()),\n major=version.major, minor=version.minor, micro=version.micro)\n", "role": "user" }, { "content": "makeSoftwareVersion", "role": "assistant" } ]
def x(store): q = store.query(SystemVersion, sort=SystemVersion.creation.descending) return [sv.longWindedRepr() for sv in q]
listVersionHistory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(store):\n q = store.query(SystemVersion, sort=SystemVersion.creation.descending)\n return [sv.longWindedRepr() for sv in q]\n", "role": "user" }, { "content": "listVersionHistory", "role": "assistant" } ]
def x(s, versions=None): if versions is None: versions = getSystemVersions() currentVersionMap = dict([(v.package, v) for v in versions]) mostRecentSystemVersion = s.findFirst(SystemVersion, sort=SystemVersion .creation.descending) mostRecentVersionMap = dict([(v.package, v.asVersion()) for v in s. query(SoftwareVersion, SoftwareVersion.systemVersion == mostRecentSystemVersion)]) if mostRecentVersionMap != currentVersionMap: currentSystemVersion = SystemVersion(store=s, creation=Time()) for v in currentVersionMap.itervalues(): makeSoftwareVersion(s, v, currentSystemVersion)
checkSystemVersion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, versions=None):\n if versions is None:\n versions = getSystemVersions()\n currentVersionMap = dict([(v.package, v) for v in versions])\n mostRecentSystemVersion = s.findFirst(SystemVersion, sort=SystemVersion\n .creation.descending)\n mostRecentVersionMap = dict([(v.package, v.asVersion()) for v in s.\n query(SoftwareVersion, SoftwareVersion.systemVersion ==\n mostRecentSystemVersion)])\n if mostRecentVersionMap != currentVersionMap:\n currentSystemVersion = SystemVersion(store=s, creation=Time())\n for v in currentVersionMap.itervalues():\n makeSoftwareVersion(s, v, currentSystemVersion)\n", "role": "user" }, { "content": "checkSystemVersion", "role": "assistant" } ]
def x(self): return versions.Version(self.package, self.major, self.minor, self.micro)
asVersion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return versions.Version(self.package, self.major, self.minor, self.micro)\n", "role": "user" }, { "content": "asVersion", "role": "assistant" } ]
def x(self): (self.colNames, self.colDesc, self.colUnits, self.colComments, self. colTypes, self.colData) = [], [], [], [], [], []
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n (self.colNames, self.colDesc, self.colUnits, self.colComments, self.\n colTypes, self.colData) = [], [], [], [], [], []\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(self, name='', desc='', unit='', comment='', coltype=0, data=[], pos=None ): if pos is None: pos = len(self.colNames) self.colNames.insert(pos, name) self.colDesc.insert(pos, desc) self.colUnits.insert(pos, unit) self.colComments.insert(pos, comment) self.colTypes.insert(pos, coltype) self.colData.insert(pos, data) return
colAdd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name='', desc='', unit='', comment='', coltype=0, data=[], pos=None\n ):\n if pos is None:\n pos = len(self.colNames)\n self.colNames.insert(pos, name)\n self.colDesc.insert(pos, desc)\n self.colUnits.insert(pos, unit)\n self.colComments.insert(pos, comment)\n self.colTypes.insert(pos, coltype)\n self.colData.insert(pos, data)\n return\n", "role": "user" }, { "content": "colAdd", "role": "assistant" } ]
def x(self, colI=-1): self.colNames.pop(colI) self.colDesc.pop(colI) self.colUnits.pop(colI) self.colComments.pop(colI) self.colTypes.pop(colI) self.colData.pop(colI) return
colDelete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, colI=-1):\n self.colNames.pop(colI)\n self.colDesc.pop(colI)\n self.colUnits.pop(colI)\n self.colComments.pop(colI)\n self.colTypes.pop(colI)\n self.colData.pop(colI)\n return\n", "role": "user" }, { "content": "colDelete", "role": "assistant" } ]
def x(self): xCols = [i for i in range(self.nCols) if self.colTypes[i] == 3] if len(xCols) > 1: for colI in xCols[1:][::-1]: self.colDelete(colI)
onex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n xCols = [i for i in range(self.nCols) if self.colTypes[i] == 3]\n if len(xCols) > 1:\n for colI in xCols[1:][::-1]:\n self.colDelete(colI)\n", "role": "user" }, { "content": "onex", "role": "assistant" } ]
def x(self): xVals = [] xCols = [x for x in range(self.nCols) if self.colTypes[x] == 3] yCols = [x for x in range(self.nCols) if self.colTypes[x] == 0] xCols, yCols = np.array(xCols), np.array(yCols) for xCol in xCols: xVals.extend(self.colData[xCol]) xVals = list(sorted(list(set(xVals)))) newData = np.empty(len(xVals) * self.nCols) newData[:] = np.nan newData = newData.reshape(len(xVals), self.nCols) oldData = np.round(self.data, 5) for xCol in xCols: columnsToShift = [xCol] for col in range(xCol + 1, self.nCols): if self.colTypes[col] == 0: columnsToShift.append(col) else: break for row in range(len(oldData)): oldXvalue = oldData[row, xCol] if oldXvalue in xVals: newRow = xVals.index(oldXvalue) newData[newRow, columnsToShift] = oldData[row, columnsToShift] newData[:, 0] = xVals self.data = newData self.onex()
alignXY
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n xVals = []\n xCols = [x for x in range(self.nCols) if self.colTypes[x] == 3]\n yCols = [x for x in range(self.nCols) if self.colTypes[x] == 0]\n xCols, yCols = np.array(xCols), np.array(yCols)\n for xCol in xCols:\n xVals.extend(self.colData[xCol])\n xVals = list(sorted(list(set(xVals))))\n newData = np.empty(len(xVals) * self.nCols)\n newData[:] = np.nan\n newData = newData.reshape(len(xVals), self.nCols)\n oldData = np.round(self.data, 5)\n for xCol in xCols:\n columnsToShift = [xCol]\n for col in range(xCol + 1, self.nCols):\n if self.colTypes[col] == 0:\n columnsToShift.append(col)\n else:\n break\n for row in range(len(oldData)):\n oldXvalue = oldData[row, xCol]\n if oldXvalue in xVals:\n newRow = xVals.index(oldXvalue)\n newData[newRow, columnsToShift] = oldData[row, columnsToShift]\n newData[:, 0] = xVals\n self.data = newData\n self.onex()\n", "role": "user" }, { "content": "alignXY", "role": "assistant" } ]
def x(self, noiseLevel=0.1): noise = np.random.rand(*self.data.shape) - 0.5 self.data = self.data + noise * noiseLevel
wiggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, noiseLevel=0.1):\n noise = np.random.rand(*self.data.shape) - 0.5\n self.data = self.data + noise * noiseLevel\n", "role": "user" }, { "content": "wiggle", "role": "assistant" } ]
def x(self, bookName=None, sheetName=None): if bookName is None and self.bookName: bookName = self.bookName if sheetName is None and self.sheetName: sheetName = self.sheetName if bookName is None: bookName = OR.activeBook() if bookName and sheetName is None: sheetName = OR.activeSheet() if not bookName or not sheetName: print("can't figure out where to pull from! [%s]%s" % (bookName, sheetName)) return poSheet = OR.getSheet(bookName, sheetName) self.bookName = bookName self.sheetName = sheetName self.desc = poSheet.GetLongName() self.colNames = [poCol.GetName() for poCol in poSheet.Columns()] self.colDesc = [poCol.GetLongName() for poCol in poSheet.Columns()] self.colUnits = [poCol.GetUnits() for poCol in poSheet.Columns()] self.colComments = [poCol.GetComments() for poCol in poSheet.Columns()] self.colTypes = [poCol.GetType() for poCol in poSheet.Columns()] self.colData = [poCol.GetData() for poCol in poSheet.Columns()]
pull
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bookName=None, sheetName=None):\n if bookName is None and self.bookName:\n bookName = self.bookName\n if sheetName is None and self.sheetName:\n sheetName = self.sheetName\n if bookName is None:\n bookName = OR.activeBook()\n if bookName and sheetName is None:\n sheetName = OR.activeSheet()\n if not bookName or not sheetName:\n print(\"can't figure out where to pull from! [%s]%s\" % (bookName,\n sheetName))\n return\n poSheet = OR.getSheet(bookName, sheetName)\n self.bookName = bookName\n self.sheetName = sheetName\n self.desc = poSheet.GetLongName()\n self.colNames = [poCol.GetName() for poCol in poSheet.Columns()]\n self.colDesc = [poCol.GetLongName() for poCol in poSheet.Columns()]\n self.colUnits = [poCol.GetUnits() for poCol in poSheet.Columns()]\n self.colComments = [poCol.GetComments() for poCol in poSheet.Columns()]\n self.colTypes = [poCol.GetType() for poCol in poSheet.Columns()]\n self.colData = [poCol.GetData() for poCol in poSheet.Columns()]\n", "role": "user" }, { "content": "pull", "role": "assistant" } ]
def x(self, bookName=None, sheetName=None, overwrite=False): if bookName: self.bookName = bookName if sheetName: self.sheetName = sheetName if not self.sheetName in OR.sheetNames(bookName): print("can't find [%s]%s!" % (bookName, sheetName)) return poSheet = OR.getSheet(bookName, sheetName) if not poSheet: print("WARNING: didn't get posheet", poSheet, bookName, sheetName) for poCol in [x for x in poSheet if x.IsValid()]: poCol.Destroy() for i in range(len(self.colNames)): poSheet.InsertCol(i, self.colNames[i]) poSheet.Columns(i).SetName(self.colNames[i]) poSheet.Columns(i).SetLongName(self.colDesc[i]) poSheet.Columns(i).SetUnits(self.colUnits[i]) poSheet.Columns(i).SetComments(self.colComments[i]) poSheet.Columns(i).SetType(self.colTypes[i]) poSheet.Columns(i).SetData(self.colData[i])
push
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bookName=None, sheetName=None, overwrite=False):\n if bookName:\n self.bookName = bookName\n if sheetName:\n self.sheetName = sheetName\n if not self.sheetName in OR.sheetNames(bookName):\n print(\"can't find [%s]%s!\" % (bookName, sheetName))\n return\n poSheet = OR.getSheet(bookName, sheetName)\n if not poSheet:\n print(\"WARNING: didn't get posheet\", poSheet, bookName, sheetName)\n for poCol in [x for x in poSheet if x.IsValid()]:\n poCol.Destroy()\n for i in range(len(self.colNames)):\n poSheet.InsertCol(i, self.colNames[i])\n poSheet.Columns(i).SetName(self.colNames[i])\n poSheet.Columns(i).SetLongName(self.colDesc[i])\n poSheet.Columns(i).SetUnits(self.colUnits[i])\n poSheet.Columns(i).SetComments(self.colComments[i])\n poSheet.Columns(i).SetType(self.colTypes[i])\n poSheet.Columns(i).SetData(self.colData[i])\n", "role": "user" }, { "content": "push", "role": "assistant" } ]
def x(self): if self.nCols: return max([len(x) for x in self.colData]) else: return 0
nRows
[ { "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.nCols:\n return max([len(x) for x in self.colData])\n else:\n return 0\n", "role": "user" }, { "content": "nRows", "role": "assistant" } ]
def x(self): data = np.empty((self.nRows, self.nCols), dtype=np.float) data[:] = np.nan for colNum, colData in enumerate(self.colData): validIs = np.where([np.isreal(v) for v in colData])[0] validData = np.ones(len(colData)) * np.nan validData[validIs] = np.array(colData)[validIs] data[:len(colData), colNum] = validData return data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = np.empty((self.nRows, self.nCols), dtype=np.float)\n data[:] = np.nan\n for colNum, colData in enumerate(self.colData):\n validIs = np.where([np.isreal(v) for v in colData])[0]\n validData = np.ones(len(colData)) * np.nan\n validData[validIs] = np.array(colData)[validIs]\n data[:len(colData), colNum] = validData\n return data\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(self, data): assert type(data) is np.ndarray assert data.shape[1] == self.nCols for i in range(self.nCols): self.colData[i] = data[:, i].tolist()
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n assert type(data) is np.ndarray\n assert data.shape[1] == self.nCols\n for i in range(self.nCols):\n self.colData[i] = data[:, i].tolist()\n", "role": "user" }, { "content": "data", "role": "assistant" } ]
def x(self, event): bc = self.style.lookup('TEntry', 'bordercolor', ('!focus',)) dc = self.style.lookup('TEntry', 'darkcolor', ('!focus',)) lc = self.style.lookup('TEntry', 'lightcolor', ('!focus',)) self.style.configure('%s.spinbox.TFrame' % self.frame, bordercolor=bc, darkcolor=dc, lightcolor=lc)
focusout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n bc = self.style.lookup('TEntry', 'bordercolor', ('!focus',))\n dc = self.style.lookup('TEntry', 'darkcolor', ('!focus',))\n lc = self.style.lookup('TEntry', 'lightcolor', ('!focus',))\n self.style.configure('%s.spinbox.TFrame' % self.frame, bordercolor=bc,\n darkcolor=dc, lightcolor=lc)\n", "role": "user" }, { "content": "focusout", "role": "assistant" } ]
def x(self, event): self.old_value = self.get() bc = self.style.lookup('TEntry', 'bordercolor', ('focus',)) dc = self.style.lookup('TEntry', 'darkcolor', ('focus',)) lc = self.style.lookup('TEntry', 'lightcolor', ('focus',)) self.style.configure('%s.spinbox.TFrame' % self.frame, bordercolor=bc, darkcolor=dc, lightcolor=lc)
focusin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.old_value = self.get()\n bc = self.style.lookup('TEntry', 'bordercolor', ('focus',))\n dc = self.style.lookup('TEntry', 'darkcolor', ('focus',))\n lc = self.style.lookup('TEntry', 'lightcolor', ('focus',))\n self.style.configure('%s.spinbox.TFrame' % self.frame, bordercolor=bc,\n darkcolor=dc, lightcolor=lc)\n", "role": "user" }, { "content": "focusin", "role": "assistant" } ]
def x(self): if not self.handle: try: path = self.system_dir except AttributeError: path = '' self.__handle = lvm_init(path) if not bool(self.__handle): raise HandleError('Failed to initialize LVM 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 try:\n path = self.system_dir\n except AttributeError:\n path = ''\n self.__handle = lvm_init(path)\n if not bool(self.__handle):\n raise HandleError('Failed to initialize LVM handle.')\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self): if self.handle: q = lvm_quit(self.handle) if q != 0: raise HandleError('Failed to close LVM handle.') self.__handle = None
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 q = lvm_quit(self.handle)\n if q != 0:\n raise HandleError('Failed to close LVM handle.')\n self.__handle = None\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, name, mode='r'): vg = VolumeGroup(self, name=name, mode=mode) return vg
get_vg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, mode='r'):\n vg = VolumeGroup(self, name=name, mode=mode)\n return vg\n", "role": "user" }, { "content": "get_vg", "role": "assistant" } ]
def x(self, name, devices): self.open() vgh = lvm_vg_create(self.handle, name) if not bool(vgh): self.close() raise HandleError('Failed to create VG.') for device in devices: if not os.path.exists(device): self._destroy_vg(vgh) raise ValueError('%s does not exist.' % device) ext = lvm_vg_extend(vgh, device) if ext != 0: self._destroy_vg(vgh) raise CommitError('Failed to extend Volume Group.') try: self._commit_vg(vgh) except CommitError: self._destroy_vg(vgh) raise CommitError('Failed to add %s to VolumeGroup.' % device) self._close_vg(vgh) vg = VolumeGroup(self, name) return vg
create_vg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, devices):\n self.open()\n vgh = lvm_vg_create(self.handle, name)\n if not bool(vgh):\n self.close()\n raise HandleError('Failed to create VG.')\n for device in devices:\n if not os.path.exists(device):\n self._destroy_vg(vgh)\n raise ValueError('%s does not exist.' % device)\n ext = lvm_vg_extend(vgh, device)\n if ext != 0:\n self._destroy_vg(vgh)\n raise CommitError('Failed to extend Volume Group.')\n try:\n self._commit_vg(vgh)\n except CommitError:\n self._destroy_vg(vgh)\n raise CommitError('Failed to add %s to VolumeGroup.' % device)\n self._close_vg(vgh)\n vg = VolumeGroup(self, name)\n return vg\n", "role": "user" }, { "content": "create_vg", "role": "assistant" } ]
def x(self, vg): vg.open() rm = lvm_vg_remove(vg.handle) if rm != 0: vg.close() raise CommitError('Failed to remove VG.') com = lvm_vg_write(vg.handle) if com != 0: vg.close() raise CommitError('Failed to commit changes to disk.') vg.close()
remove_vg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vg):\n vg.open()\n rm = lvm_vg_remove(vg.handle)\n if rm != 0:\n vg.close()\n raise CommitError('Failed to remove VG.')\n com = lvm_vg_write(vg.handle)\n if com != 0:\n vg.close()\n raise CommitError('Failed to commit changes to disk.')\n vg.close()\n", "role": "user" }, { "content": "remove_vg", "role": "assistant" } ]
def x(self): vg_list = [] self.open() names = lvm_list_vg_names(self.handle) if not bool(names): return vg_list vgnames = [] vg = dm_list_first(names) while vg: c = cast(vg, POINTER(lvm_str_list)) vgnames.append(c.contents.str) if dm_list_end(names, vg): break vg = dm_list_next(names, vg) self.close() for name in vgnames: vginst = self.get_vg(name) vg_list.append(vginst) return vg_list
vgscan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n vg_list = []\n self.open()\n names = lvm_list_vg_names(self.handle)\n if not bool(names):\n return vg_list\n vgnames = []\n vg = dm_list_first(names)\n while vg:\n c = cast(vg, POINTER(lvm_str_list))\n vgnames.append(c.contents.str)\n if dm_list_end(names, vg):\n break\n vg = dm_list_next(names, vg)\n self.close()\n for name in vgnames:\n vginst = self.get_vg(name)\n vg_list.append(vginst)\n return vg_list\n", "role": "user" }, { "content": "vgscan", "role": "assistant" } ]
def x(cls, path): with open(path, 'r', errors='replace') as f: return cls(f.read())
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n with open(path, 'r', errors='replace') as f:\n return cls(f.read())\n", "role": "user" }, { "content": "from_file", "role": "assistant" } ]
def x(self, path): if path: with open(path) as f: self.stopwords = set(f.read().splitlines()) else: self.stopwords = set(pkgutil.get_data('textplot', 'data/stopwords.txt').decode('utf8').splitlines())
load_stopwords
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n if path:\n with open(path) as f:\n self.stopwords = set(f.read().splitlines())\n else:\n self.stopwords = set(pkgutil.get_data('textplot',\n 'data/stopwords.txt').decode('utf8').splitlines())\n", "role": "user" }, { "content": "load_stopwords", "role": "assistant" } ]
def x(self): self.tokens = [] self.terms = OrderedDict() for token in utils.tokenize(self.text): if token['unstemmed'] in self.stopwords: self.tokens.append(None) else: self.tokens.append(token) offsets = self.terms.setdefault(token['stemmed'], []) offsets.append(token['offset'])
tokenize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.tokens = []\n self.terms = OrderedDict()\n for token in utils.tokenize(self.text):\n if token['unstemmed'] in self.stopwords:\n self.tokens.append(None)\n else:\n self.tokens.append(token)\n offsets = self.terms.setdefault(token['stemmed'], [])\n offsets.append(token['offset'])\n", "role": "user" }, { "content": "tokenize", "role": "assistant" } ]
def x(self): counts = OrderedDict() for term in self.terms: counts[term] = len(self.terms[term]) return utils.sort_dict(counts)
term_counts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n counts = OrderedDict()\n for term in self.terms:\n counts[term] = len(self.terms[term])\n return utils.sort_dict(counts)\n", "role": "user" }, { "content": "term_counts", "role": "assistant" } ]
def x(self): buckets = {} for term, count in self.term_counts().items(): if count in buckets: buckets[count].append(term) else: buckets[count] = [term] return buckets
term_count_buckets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n buckets = {}\n for term, count in self.term_counts().items():\n if count in buckets:\n buckets[count].append(term)\n else:\n buckets[count] = [term]\n return buckets\n", "role": "user" }, { "content": "term_count_buckets", "role": "assistant" } ]
def x(self, depth): counts = self.term_counts() top_terms = set(list(counts.keys())[:depth]) end_count = list(counts.values())[:depth][-1] bucket = self.term_count_buckets()[end_count] return top_terms.union(set(bucket))
most_frequent_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, depth):\n counts = self.term_counts()\n top_terms = set(list(counts.keys())[:depth])\n end_count = list(counts.values())[:depth][-1]\n bucket = self.term_count_buckets()[end_count]\n return top_terms.union(set(bucket))\n", "role": "user" }, { "content": "most_frequent_terms", "role": "assistant" } ]
def x(self, term): originals = [] for i in self.terms[term]: originals.append(self.tokens[i]['unstemmed']) mode = Counter(originals).most_common(1) return mode[0][0]
unstem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term):\n originals = []\n for i in self.terms[term]:\n originals.append(self.tokens[i]['unstemmed'])\n mode = Counter(originals).most_common(1)\n return mode[0][0]\n", "role": "user" }, { "content": "unstem", "role": "assistant" } ]
def x(self, term, bandwidth=2000, samples=1000, kernel='gaussian'): terms = np.array(self.terms[term])[:, np.newaxis] kde = KernelDensity(kernel=kernel, bandwidth=bandwidth).fit(terms) x_axis = np.linspace(0, len(self.tokens), samples)[:, np.newaxis] scores = kde.score_samples(x_axis) return np.exp(scores) * (len(self.tokens) / samples)
kde
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term, bandwidth=2000, samples=1000, kernel='gaussian'):\n terms = np.array(self.terms[term])[:, np.newaxis]\n kde = KernelDensity(kernel=kernel, bandwidth=bandwidth).fit(terms)\n x_axis = np.linspace(0, len(self.tokens), samples)[:, np.newaxis]\n scores = kde.score_samples(x_axis)\n return np.exp(scores) * (len(self.tokens) / samples)\n", "role": "user" }, { "content": "kde", "role": "assistant" } ]
def x(self, term1, term2, **kwargs): t1_kde = self.kde(term1, **kwargs) t2_kde = self.kde(term2, **kwargs) overlap = np.minimum(t1_kde, t2_kde) return np.trapz(overlap)
score_intersect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term1, term2, **kwargs):\n t1_kde = self.kde(term1, **kwargs)\n t2_kde = self.kde(term2, **kwargs)\n overlap = np.minimum(t1_kde, t2_kde)\n return np.trapz(overlap)\n", "role": "user" }, { "content": "score_intersect", "role": "assistant" } ]
def x(self, term1, term2, **kwargs): t1_kde = self.kde(term1, **kwargs) t2_kde = self.kde(term2, **kwargs) return 1 - distance.cosine(t1_kde, t2_kde)
score_cosine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term1, term2, **kwargs):\n t1_kde = self.kde(term1, **kwargs)\n t2_kde = self.kde(term2, **kwargs)\n return 1 - distance.cosine(t1_kde, t2_kde)\n", "role": "user" }, { "content": "score_cosine", "role": "assistant" } ]
def x(self, term1, term2, **kwargs): t1_kde = self.kde(term1, **kwargs) t2_kde = self.kde(term2, **kwargs) return 1 - distance.braycurtis(t1_kde, t2_kde)
score_braycurtis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term1, term2, **kwargs):\n t1_kde = self.kde(term1, **kwargs)\n t2_kde = self.kde(term2, **kwargs)\n return 1 - distance.braycurtis(t1_kde, t2_kde)\n", "role": "user" }, { "content": "score_braycurtis", "role": "assistant" } ]
def x(self, words, **kwargs): stem = PorterStemmer().stem for word in words: kde = self.kde(stem(word), **kwargs) plt.plot(kde) plt.show()
plot_term_kdes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, words, **kwargs):\n stem = PorterStemmer().stem\n for word in words:\n kde = self.kde(stem(word), **kwargs)\n plt.plot(kde)\n plt.show()\n", "role": "user" }, { "content": "plot_term_kdes", "role": "assistant" } ]
def x(self, field_name, field): if hasattr(self, 'generate_%s' % field.__class__.__name__.lower()): generator = getattr(self, 'generate_%s' % field.__class__.__name__. lower()) return generator(field_name, field, (field.verbose_name or field_name).capitalize()) else: raise NotImplementedError('%s is not supported by MongoForm' % field.__class__.__name__)
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field_name, field):\n if hasattr(self, 'generate_%s' % field.__class__.__name__.lower()):\n generator = getattr(self, 'generate_%s' % field.__class__.__name__.\n lower())\n return generator(field_name, field, (field.verbose_name or\n field_name).capitalize())\n else:\n raise NotImplementedError('%s is not supported by MongoForm' %\n field.__class__.__name__)\n", "role": "user" }, { "content": "generate", "role": "assistant" } ]
def x(self, index, truncate=False): assert not isinstance(index, slice), 'slices are not supported (yet)' if index < 0: index += self.length if index < 0: if not truncate: raise IndexError('stored List index out of range') else: index = 0 return index
fixIndex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, truncate=False):\n assert not isinstance(index, slice), 'slices are not supported (yet)'\n if index < 0:\n index += self.length\n if index < 0:\n if not truncate:\n raise IndexError('stored List index out of range')\n else:\n index = 0\n return index\n", "role": "user" }, { "content": "fixIndex", "role": "assistant" } ]
def x(startAttribute, endAttribute, startValue, endValue): assert startValue <= endValue return OR(AND(startAttribute >= startValue, startAttribute <= endValue), AND(endAttribute >= startValue, endAttribute <= endValue), AND( startAttribute <= startValue, endAttribute >= endValue))
overlapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(startAttribute, endAttribute, startValue, endValue):\n assert startValue <= endValue\n return OR(AND(startAttribute >= startValue, startAttribute <= endValue),\n AND(endAttribute >= startValue, endAttribute <= endValue), AND(\n startAttribute <= startValue, endAttribute >= endValue))\n", "role": "user" }, { "content": "overlapping", "role": "assistant" } ]
def x(tuple1, ineq, tuple2, eq=lambda a, b: a == b, ander=AND, orer=OR): orholder = [] for limit in range(len(tuple1)): eqconstraint = [eq(elem1, elem2) for elem1, elem2 in zip(tuple1, tuple2)[:limit]] ineqconstraint = ineq(tuple1[limit], tuple2[limit]) orholder.append(ander(*(eqconstraint + [ineqconstraint]))) return orer(*orholder)
tupleCompare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tuple1, ineq, tuple2, eq=lambda a, b: a == b, ander=AND, orer=OR):\n orholder = []\n for limit in range(len(tuple1)):\n eqconstraint = [eq(elem1, elem2) for elem1, elem2 in zip(tuple1,\n tuple2)[:limit]]\n ineqconstraint = ineq(tuple1[limit], tuple2[limit])\n orholder.append(ander(*(eqconstraint + [ineqconstraint])))\n return orer(*orholder)\n", "role": "user" }, { "content": "tupleCompare", "role": "assistant" } ]
def x(rationale, max_length=MAX_RATIONALE_SIZE_IN_EVENT): if isinstance(rationale, basestring) and max_length is not None and len( rationale) > max_length: return rationale[0:max_length], True else: return rationale, False
truncate_rationale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rationale, max_length=MAX_RATIONALE_SIZE_IN_EVENT):\n if isinstance(rationale, basestring) and max_length is not None and len(\n rationale) > max_length:\n return rationale[0:max_length], True\n else:\n return rationale, False\n", "role": "user" }, { "content": "truncate_rationale", "role": "assistant" } ]
def x(options): errors = [] if int(options['rationale_size']['min']) < 1: errors.append(_('Minimum Characters')) if int(options['rationale_size']['max']) < 0 or int(options[ 'rationale_size']['max']) > MAX_RATIONALE_SIZE: errors.append(_('Maximum Characters')) if not any(error in [_('Minimum Characters'), _('Maximum Characters')] for error in errors) and int(options['rationale_size']['max']) <= int( options['rationale_size']['min']): errors += [_('Minimum Characters'), _('Maximum Characters')] try: if options['algo']['num_responses'] != '#' and int(options['algo'][ 'num_responses']) < 0: errors.append(_('Number of Responses')) except ValueError: errors.append(_('Not an Integer')) if not errors: return None else: return {'options_error': _('Invalid Option(s): ') + ', '.join(errors)}
validate_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n errors = []\n if int(options['rationale_size']['min']) < 1:\n errors.append(_('Minimum Characters'))\n if int(options['rationale_size']['max']) < 0 or int(options[\n 'rationale_size']['max']) > MAX_RATIONALE_SIZE:\n errors.append(_('Maximum Characters'))\n if not any(error in [_('Minimum Characters'), _('Maximum Characters')] for\n error in errors) and int(options['rationale_size']['max']) <= int(\n options['rationale_size']['min']):\n errors += [_('Minimum Characters'), _('Maximum Characters')]\n try:\n if options['algo']['num_responses'] != '#' and int(options['algo'][\n 'num_responses']) < 0:\n errors.append(_('Number of Responses'))\n except ValueError:\n errors.append(_('Not an Integer'))\n if not errors:\n return None\n else:\n return {'options_error': _('Invalid Option(s): ') + ', '.join(errors)}\n", "role": "user" }, { "content": "validate_options", "role": "assistant" } ]
def x(self, anonymous_user_id=None): item_id = self._serialize_opaque_key(self.scope_ids.usage_id) if hasattr(self, 'xmodule_runtime'): course_id = self.get_course_id() if anonymous_user_id: student_id = anonymous_user_id else: student_id = self.xmodule_runtime.anonymous_student_id else: course_id = 'edX/Enchantment_101/April_1' if self.scope_ids.user_id is None: student_id = '' else: student_id = unicode(self.scope_ids.user_id) student_item_dict = dict(student_id=student_id, item_id=item_id, course_id=course_id, item_type='ubcpi') return student_item_dict
get_student_item_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, anonymous_user_id=None):\n item_id = self._serialize_opaque_key(self.scope_ids.usage_id)\n if hasattr(self, 'xmodule_runtime'):\n course_id = self.get_course_id()\n if anonymous_user_id:\n student_id = anonymous_user_id\n else:\n student_id = self.xmodule_runtime.anonymous_student_id\n else:\n course_id = 'edX/Enchantment_101/April_1'\n if self.scope_ids.user_id is None:\n student_id = ''\n else:\n student_id = unicode(self.scope_ids.user_id)\n student_item_dict = dict(student_id=student_id, item_id=item_id,\n course_id=course_id, item_type='ubcpi')\n return student_item_dict\n", "role": "user" }, { "content": "get_student_item_dict", "role": "assistant" } ]
def x(student_item): submissions = sub_api.get_submissions(student_item) if not submissions: return Answers() latest_submission = submissions[0] latest_answer_item = latest_submission.get('answer', {}) return Answers(latest_answer_item.get(ANSWER_LIST_KEY, []))
get_answers_for_student
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(student_item):\n submissions = sub_api.get_submissions(student_item)\n if not submissions:\n return Answers()\n latest_submission = submissions[0]\n latest_answer_item = latest_submission.get('answer', {})\n return Answers(latest_answer_item.get(ANSWER_LIST_KEY, []))\n", "role": "user" }, { "content": "get_answers_for_student", "role": "assistant" } ]
def x(student_item, vote, rationale): answers = get_answers_for_student(student_item) answers.add_answer(vote, rationale) sub_api.create_submission(student_item, {ANSWER_LIST_KEY: answers. get_answers_as_list()})
add_answer_for_student
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(student_item, vote, rationale):\n answers = get_answers_for_student(student_item)\n answers.add_answer(vote, rationale)\n sub_api.create_submission(student_item, {ANSWER_LIST_KEY: answers.\n get_answers_as_list()})\n", "role": "user" }, { "content": "add_answer_for_student", "role": "assistant" } ]
def x(self, revision, key): if self.has_revision(revision): return self.raw_answers[revision].get(key) else: return None
safe_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, revision, key):\n if self.has_revision(revision):\n return self.raw_answers[revision].get(key)\n else:\n return None\n", "role": "user" }, { "content": "safe_get", "role": "assistant" } ]
def x(self, vote, rationale): self.raw_answers.append({VOTE_KEY: vote, RATIONALE_KEY: rationale})
add_answer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vote, rationale):\n self.raw_answers.append({VOTE_KEY: vote, RATIONALE_KEY: rationale})\n", "role": "user" }, { "content": "add_answer", "role": "assistant" } ]
def x(e, silent=False): exc_type, exc_obj, exc_tb = sys.exc_info() s = '\n' + '=' * 50 + '\n' s += 'EXCEPTION THROWN UNEXPECTEDLY\n' s += ' FILE: %s\n' % os.path.split(exc_tb.tb_frame.f_code.co_filename)[1] s += ' LINE: %s\n' % exc_tb.tb_lineno s += ' TYPE: %s\n' % exc_type s += '-' * 50 + '\n' s += traceback.format_exc() s = s.strip() + '\n' + '=' * 50 + '\n' if not silent: print(s) return s
exceptionToString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(e, silent=False):\n exc_type, exc_obj, exc_tb = sys.exc_info()\n s = '\\n' + '=' * 50 + '\\n'\n s += 'EXCEPTION THROWN UNEXPECTEDLY\\n'\n s += ' FILE: %s\\n' % os.path.split(exc_tb.tb_frame.f_code.co_filename)[1]\n s += ' LINE: %s\\n' % exc_tb.tb_lineno\n s += ' TYPE: %s\\n' % exc_type\n s += '-' * 50 + '\\n'\n s += traceback.format_exc()\n s = s.strip() + '\\n' + '=' * 50 + '\\n'\n if not silent:\n print(s)\n return s\n", "role": "user" }, { "content": "exceptionToString", "role": "assistant" } ]
def x(cls, store, pathSegments): if isinstance(pathSegments, basestring): raise ValueError('Received %r instead of a sequence' % (pathSegments,)) if store.dbdir is None: self = cls(store=store, storepath=None) else: storepath = store.newDirectory(*pathSegments) self = cls(store=store, storepath=storepath) self.open() self.close() return self
createNew
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, store, pathSegments):\n if isinstance(pathSegments, basestring):\n raise ValueError('Received %r instead of a sequence' % (pathSegments,))\n if store.dbdir is None:\n self = cls(store=store, storepath=None)\n else:\n storepath = store.newDirectory(*pathSegments)\n self = cls(store=store, storepath=storepath)\n self.open()\n self.close()\n return self\n", "role": "user" }, { "content": "createNew", "role": "assistant" } ]
def x(self, debug, journalMode=None): if self.storepath is None: self.store._memorySubstores.append(self) if self.store.filesdir is None: filesdir = None else: filesdir = self.store.filesdir.child('_substore_files').child(str (self.storeID)).path return Store(parent=self.store, filesdir=filesdir, idInParent=self. storeID, debug=debug, journalMode=journalMode) else: return Store(self.storepath.path, parent=self.store, idInParent= self.storeID, debug=debug, journalMode=journalMode)
createStore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, debug, journalMode=None):\n if self.storepath is None:\n self.store._memorySubstores.append(self)\n if self.store.filesdir is None:\n filesdir = None\n else:\n filesdir = self.store.filesdir.child('_substore_files').child(str\n (self.storeID)).path\n return Store(parent=self.store, filesdir=filesdir, idInParent=self.\n storeID, debug=debug, journalMode=journalMode)\n else:\n return Store(self.storepath.path, parent=self.store, idInParent=\n self.storeID, debug=debug, journalMode=journalMode)\n", "role": "user" }, { "content": "createStore", "role": "assistant" } ]
def x(oldCatalog): newCatalog = oldCatalog.upgradeVersion('tag_catalog', 1, 2, tagCount= oldCatalog.tagCount) tags = newCatalog.store.query(Tag, Tag.catalog == newCatalog) tagNames = tags.getColumn('name').distinct() for t in tagNames: _TagName(store=newCatalog.store, catalog=newCatalog, name=t) return newCatalog
upgradeCatalog1to2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(oldCatalog):\n newCatalog = oldCatalog.upgradeVersion('tag_catalog', 1, 2, tagCount=\n oldCatalog.tagCount)\n tags = newCatalog.store.query(Tag, Tag.catalog == newCatalog)\n tagNames = tags.getColumn('name').distinct()\n for t in tagNames:\n _TagName(store=newCatalog.store, catalog=newCatalog, name=t)\n return newCatalog\n", "role": "user" }, { "content": "upgradeCatalog1to2", "role": "assistant" } ]
def x(self): return self.store.query(_TagName, _TagName.catalog == self).getColumn( 'name')
tagNames
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.store.query(_TagName, _TagName.catalog == self).getColumn(\n 'name')\n", "role": "user" }, { "content": "tagNames", "role": "assistant" } ]
def x(self, obj): return self.store.query(Tag, AND(Tag.catalog == self, Tag.object == obj) ).getColumn('name')
tagsOf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n return self.store.query(Tag, AND(Tag.catalog == self, Tag.object == obj)\n ).getColumn('name')\n", "role": "user" }, { "content": "tagsOf", "role": "assistant" } ]
def x(self, oself, dbval): setattr(oself, self.dbunderlying, dbval) delattr(oself, self.underlying)
loaded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, oself, dbval):\n setattr(oself, self.dbunderlying, dbval)\n delattr(oself, self.underlying)\n", "role": "user" }, { "content": "loaded", "role": "assistant" } ]
def x(self, oself, pyval): if pyval is None and not self.allowNone: raise TypeError('attribute [%s.%s = %s()] must not be None' % (self .classname, self.attrname, self.__class__.__name__)) return self.infilter(pyval, oself, oself.store)
convertPyval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, oself, pyval):\n if pyval is None and not self.allowNone:\n raise TypeError('attribute [%s.%s = %s()] must not be None' % (self\n .classname, self.attrname, self.__class__.__name__))\n return self.infilter(pyval, oself, oself.store)\n", "role": "user" }, { "content": "convertPyval", "role": "assistant" } ]
def x(self, store): if self._subselectSQL is None: sql, args = self.container._sqlAndArgs('SELECT', self.container. _queryTarget) self._subselectSQL, self._subselectArgs = sql, args return self._subselectSQL
queryContainer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, store):\n if self._subselectSQL is None:\n sql, args = self.container._sqlAndArgs('SELECT', self.container.\n _queryTarget)\n self._subselectSQL, self._subselectArgs = sql, args\n return self._subselectSQL\n", "role": "user" }, { "content": "queryContainer", "role": "assistant" } ]
def x(self, store): if self._sequence is None: self._sequence = list(self.container) self._clause = ', '.join(['?'] * len(self._sequence)) return self._clause
sequenceContainer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, store):\n if self._sequence is None:\n self._sequence = list(self.container)\n self._clause = ', '.join(['?'] * len(self._sequence))\n return self._clause\n", "role": "user" }, { "content": "sequenceContainer", "role": "assistant" } ]
def x(self, store): self._sequenceContainer(store) return [self.attribute.infilter(pyval, None, store) for pyval in self. _sequence]
sequenceArgs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, store):\n self._sequenceContainer(store)\n return [self.attribute.infilter(pyval, None, store) for pyval in self.\n _sequence]\n", "role": "user" }, { "content": "sequenceArgs", "role": "assistant" } ]
def x(self, oself, store): if self.relative: fspath = self.__get__(oself) oself.__dirty__[self.attrname] = self, self.infilter(fspath, oself, store)
prepareInsert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, oself, store):\n if self.relative:\n fspath = self.__get__(oself)\n oself.__dirty__[self.attrname] = self, self.infilter(fspath, oself,\n store)\n", "role": "user" }, { "content": "prepareInsert", "role": "assistant" } ]
def x(self, time=None): if self.deleted: time = time if time else self.deleted_at if time == self.deleted_at: self.deleted = False self.save() return True else: return False return False
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time=None):\n if self.deleted:\n time = time if time else self.deleted_at\n if time == self.deleted_at:\n self.deleted = False\n self.save()\n return True\n else:\n return False\n return False\n", "role": "user" }, { "content": "restore", "role": "assistant" } ]
def x(self, using=None): using = using or router.db_for_write(self.__class__, instance=self) restore_counter = Counter() if self.deleted: time = self.deleted_at else: return restore_counter self.collector = models.deletion.Collector(using=using) self.collector.collect([self]) for model, instances in self.collector.data.items(): instances_to_delete = sorted(instances, key=attrgetter('pk')) self.sort() for qs in self.collector.fast_deletes: for qs_instance in qs: restore_counter.update([qs_instance._meta.model_name]) qs_instance.restore(time=time) for model, instances in self.collector.data.items(): for instance in instances: restore_counter.update([instance._meta.model_name]) instance.restore(time=time) return sum(restore_counter.values()), dict(restore_counter) """ Restores itself, as well as objects that might have been deleted along with it if cascade is the deletion strategy """ self.collector = models.deletion.Collector(using=using) self.collector.collect([self], keep_parents=keep_parents)
full_restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, using=None):\n using = using or router.db_for_write(self.__class__, instance=self)\n restore_counter = Counter()\n if self.deleted:\n time = self.deleted_at\n else:\n return restore_counter\n self.collector = models.deletion.Collector(using=using)\n self.collector.collect([self])\n for model, instances in self.collector.data.items():\n instances_to_delete = sorted(instances, key=attrgetter('pk'))\n self.sort()\n for qs in self.collector.fast_deletes:\n for qs_instance in qs:\n restore_counter.update([qs_instance._meta.model_name])\n qs_instance.restore(time=time)\n for model, instances in self.collector.data.items():\n for instance in instances:\n restore_counter.update([instance._meta.model_name])\n instance.restore(time=time)\n return sum(restore_counter.values()), dict(restore_counter)\n \"\"\"\n Restores itself, as well as objects that might have been deleted along with it if cascade is the deletion strategy\n \"\"\"\n self.collector = models.deletion.Collector(using=using)\n self.collector.collect([self], keep_parents=keep_parents)\n", "role": "user" }, { "content": "full_restore", "role": "assistant" } ]
def x(region='us-east-1', access_key=None, secret_key=None): if access_key: logger.info('Connecting to AWS EC2 in {}'.format(region)) connection = ec2.connect_to_region(region, aws_access_key_id= access_key, aws_secret_access_key=secret_key) else: metadata = get_instance_metadata(timeout=1, num_retries=1) if metadata: try: region = metadata['placement']['availability-zone'][:-1] except KeyError: pass logger.info('Connecting to AWS EC2 in {}'.format(region)) connection = ec2.connect_to_region(region) if not connection: logger.error('An error occurred when connecting to EC2') sys.exit(1) return connection
connect_to_ec2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(region='us-east-1', access_key=None, secret_key=None):\n if access_key:\n logger.info('Connecting to AWS EC2 in {}'.format(region))\n connection = ec2.connect_to_region(region, aws_access_key_id=\n access_key, aws_secret_access_key=secret_key)\n else:\n metadata = get_instance_metadata(timeout=1, num_retries=1)\n if metadata:\n try:\n region = metadata['placement']['availability-zone'][:-1]\n except KeyError:\n pass\n logger.info('Connecting to AWS EC2 in {}'.format(region))\n connection = ec2.connect_to_region(region)\n if not connection:\n logger.error('An error occurred when connecting to EC2')\n sys.exit(1)\n return connection\n", "role": "user" }, { "content": "connect_to_ec2", "role": "assistant" } ]
def x(self, output): output = self._get_lines_with_stems(output) words = self._make_unique(output) return self._parse_for_simple_stems(words)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, output):\n output = self._get_lines_with_stems(output)\n words = self._make_unique(output)\n return self._parse_for_simple_stems(words)\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(configuration=None): if Locations._validlocations is None: if configuration is None: configuration = Configuration.read() Locations._validlocations = configuration.call_remoteckan('group_list', {'all_fields': True}) return Locations._validlocations
validlocations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(configuration=None):\n if Locations._validlocations is None:\n if configuration is None:\n configuration = Configuration.read()\n Locations._validlocations = configuration.call_remoteckan('group_list',\n {'all_fields': True})\n return Locations._validlocations\n", "role": "user" }, { "content": "validlocations", "role": "assistant" } ]
def x(code, locations=None, configuration=None): if locations is None: locations = Locations.validlocations(configuration) for locdict in locations: if code.upper() == locdict['name'].upper(): return locdict['title'] return None
get_location_from_HDX_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code, locations=None, configuration=None):\n if locations is None:\n locations = Locations.validlocations(configuration)\n for locdict in locations:\n if code.upper() == locdict['name'].upper():\n return locdict['title']\n return None\n", "role": "user" }, { "content": "get_location_from_HDX_code", "role": "assistant" } ]
def x(location, locations=None, configuration=None): if locations is None: locations = Locations.validlocations(configuration) locationupper = location.upper() for locdict in locations: locationcode = locdict['name'].upper() if locationupper == locationcode: return locationcode for locdict in locations: if locationupper == locdict['title'].upper(): return locdict['name'].upper() return None
get_HDX_code_from_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location, locations=None, configuration=None):\n if locations is None:\n locations = Locations.validlocations(configuration)\n locationupper = location.upper()\n for locdict in locations:\n locationcode = locdict['name'].upper()\n if locationupper == locationcode:\n return locationcode\n for locdict in locations:\n if locationupper == locdict['title'].upper():\n return locdict['name'].upper()\n return None\n", "role": "user" }, { "content": "get_HDX_code_from_location", "role": "assistant" } ]
def x(location, locations=None, configuration=None): hdx_code = Locations.get_HDX_code_from_location(location, locations, configuration) if hdx_code is not None: return hdx_code, True if locations is None: locations = Locations.validlocations(configuration) locationupper = location.upper() for locdict in locations: locationname = locdict['title'].upper() if locationupper in locationname or locationname in locationupper: return locdict['name'].upper(), False return None, False
get_HDX_code_from_location_partial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location, locations=None, configuration=None):\n hdx_code = Locations.get_HDX_code_from_location(location, locations,\n configuration)\n if hdx_code is not None:\n return hdx_code, True\n if locations is None:\n locations = Locations.validlocations(configuration)\n locationupper = location.upper()\n for locdict in locations:\n locationname = locdict['title'].upper()\n if locationupper in locationname or locationname in locationupper:\n return locdict['name'].upper(), False\n return None, False\n", "role": "user" }, { "content": "get_HDX_code_from_location_partial", "role": "assistant" } ]
def x(): argument_parser = argparse.ArgumentParser(description= 'Validates dtFabric format definitions.') argument_parser.add_argument('source', nargs='?', action='store', metavar='PATH', default=None, help= 'path of the file or directory containing the dtFabric format definitions.' ) options = argument_parser.parse_args() if not options.source: print('Source value is missing.') print('') argument_parser.print_help() print('') return False if not os.path.exists(options.source): print('No such file: {0:s}'.format(options.source)) print('') return False logging.basicConfig(level=logging.INFO, format= '[%(levelname)s] %(message)s') source_is_directory = os.path.isdir(options.source) validator = DefinitionsValidator() if source_is_directory: source_description = os.path.join(options.source, '*.yaml') else: source_description = options.source print('Validating dtFabric definitions in: {0:s}'.format( source_description)) if source_is_directory: result = validator.CheckDirectory(options.source) else: result = validator.CheckFile(options.source) if not result: print('FAILURE') else: print('SUCCESS') return result
Main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n argument_parser = argparse.ArgumentParser(description=\n 'Validates dtFabric format definitions.')\n argument_parser.add_argument('source', nargs='?', action='store',\n metavar='PATH', default=None, help=\n 'path of the file or directory containing the dtFabric format definitions.'\n )\n options = argument_parser.parse_args()\n if not options.source:\n print('Source value is missing.')\n print('')\n argument_parser.print_help()\n print('')\n return False\n if not os.path.exists(options.source):\n print('No such file: {0:s}'.format(options.source))\n print('')\n return False\n logging.basicConfig(level=logging.INFO, format=\n '[%(levelname)s] %(message)s')\n source_is_directory = os.path.isdir(options.source)\n validator = DefinitionsValidator()\n if source_is_directory:\n source_description = os.path.join(options.source, '*.yaml')\n else:\n source_description = options.source\n print('Validating dtFabric definitions in: {0:s}'.format(\n source_description))\n if source_is_directory:\n result = validator.CheckDirectory(options.source)\n else:\n result = validator.CheckFile(options.source)\n if not result:\n print('FAILURE')\n else:\n print('SUCCESS')\n return result\n", "role": "user" }, { "content": "Main", "role": "assistant" } ]
def x(self, path, extension='yaml'): result = True if extension: glob_spec = os.path.join(path, '*.{0:s}'.format(extension)) else: glob_spec = os.path.join(path, '*') for definition_file in sorted(glob.glob(glob_spec)): if not self.CheckFile(definition_file): result = False return result
CheckDirectory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, extension='yaml'):\n result = True\n if extension:\n glob_spec = os.path.join(path, '*.{0:s}'.format(extension))\n else:\n glob_spec = os.path.join(path, '*')\n for definition_file in sorted(glob.glob(glob_spec)):\n if not self.CheckFile(definition_file):\n result = False\n return result\n", "role": "user" }, { "content": "CheckDirectory", "role": "assistant" } ]
def x(self, path): print('Checking: {0:s}'.format(path)) definitions_registry = registry.DataTypeDefinitionsRegistry() definitions_reader = reader.YAMLDataTypeDefinitionsFileReader() result = False try: definitions_reader.ReadFile(definitions_registry, path) result = True except KeyError as exception: logging.warning( 'Unable to register data type definition in file: {0:s} with error: {1:s}' .format(path, exception)) except errors.FormatError as exception: logging.warning('Unable to validate file: {0:s} with error: {1:s}'. format(path, exception)) return result
CheckFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n print('Checking: {0:s}'.format(path))\n definitions_registry = registry.DataTypeDefinitionsRegistry()\n definitions_reader = reader.YAMLDataTypeDefinitionsFileReader()\n result = False\n try:\n definitions_reader.ReadFile(definitions_registry, path)\n result = True\n except KeyError as exception:\n logging.warning(\n 'Unable to register data type definition in file: {0:s} with error: {1:s}'\n .format(path, exception))\n except errors.FormatError as exception:\n logging.warning('Unable to validate file: {0:s} with error: {1:s}'.\n format(path, exception))\n return result\n", "role": "user" }, { "content": "CheckFile", "role": "assistant" } ]
def x(self, element): css_text = element.get('style') if css_text: return cssutils.css.CSSStyleDeclaration(cssText=css_text) else: return None
styleattribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element):\n css_text = element.get('style')\n if css_text:\n return cssutils.css.CSSStyleDeclaration(cssText=css_text)\n else:\n return None\n", "role": "user" }, { "content": "styleattribute", "role": "assistant" } ]
def x(filename): logger.debug('Reading configuration from {}'.format(filename)) conf = SafeConfigParser() conf.read(filename) if not conf: logger.error('Configuration file {} not found'.format(filename)) sys.exit(1) if not conf.has_section('general'): logger.error('Missing [general] section in the configuration file') sys.exit(1) try: config = {'access-key-id': conf.get('general', 'access-key-id'), 'secret-access-key': conf.get('general', 'secret-access-key'), 'region': conf.get('general', 'region')} except NoOptionError as err: logger.error('Error in config file: {}'.format(err)) sys.exit(1) return config
get_configuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n logger.debug('Reading configuration from {}'.format(filename))\n conf = SafeConfigParser()\n conf.read(filename)\n if not conf:\n logger.error('Configuration file {} not found'.format(filename))\n sys.exit(1)\n if not conf.has_section('general'):\n logger.error('Missing [general] section in the configuration file')\n sys.exit(1)\n try:\n config = {'access-key-id': conf.get('general', 'access-key-id'),\n 'secret-access-key': conf.get('general', 'secret-access-key'),\n 'region': conf.get('general', 'region')}\n except NoOptionError as err:\n logger.error('Error in config file: {}'.format(err))\n sys.exit(1)\n return config\n", "role": "user" }, { "content": "get_configuration", "role": "assistant" } ]
def x(html_message, encoding='unicode'): document = etree.HTML(html_message) converter = Conversion() converter.perform(document, html_message, '', encoding=encoding) return converter.convertedHTML
inline_css
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(html_message, encoding='unicode'):\n document = etree.HTML(html_message)\n converter = Conversion()\n converter.perform(document, html_message, '', encoding=encoding)\n return converter.convertedHTML\n", "role": "user" }, { "content": "inline_css", "role": "assistant" } ]
def x(self, byte_stream, byte_offset, data_type_size): try: byte_stream_size = len(byte_stream) except Exception as exception: raise errors.MappingError(exception) if byte_stream_size - byte_offset < data_type_size: raise errors.ByteStreamTooSmallError( 'Byte stream too small requested: {0:d} available: {1:d}'. format(data_type_size, byte_stream_size))
CheckByteStreamSize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, byte_stream, byte_offset, data_type_size):\n try:\n byte_stream_size = len(byte_stream)\n except Exception as exception:\n raise errors.MappingError(exception)\n if byte_stream_size - byte_offset < data_type_size:\n raise errors.ByteStreamTooSmallError(\n 'Byte stream too small requested: {0:d} available: {1:d}'.\n format(data_type_size, byte_stream_size))\n", "role": "user" }, { "content": "CheckByteStreamSize", "role": "assistant" } ]
def x(self): byte_order_string = self.GetStructByteOrderString() format_string = self.GetStructFormatString() if not format_string: return None format_string = ''.join([byte_order_string, format_string]) return byte_operations.StructOperation(format_string)
GetByteStreamOperation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n byte_order_string = self.GetStructByteOrderString()\n format_string = self.GetStructFormatString()\n if not format_string:\n return None\n format_string = ''.join([byte_order_string, format_string])\n return byte_operations.StructOperation(format_string)\n", "role": "user" }, { "content": "GetByteStreamOperation", "role": "assistant" } ]
def x(self): if not self._data_type_definition: return None return self._BYTE_ORDER_STRINGS.get(self._data_type_definition. byte_order, None)
GetStructByteOrderString
[ { "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._data_type_definition:\n return None\n return self._BYTE_ORDER_STRINGS.get(self._data_type_definition.\n byte_order, None)\n", "role": "user" }, { "content": "GetStructByteOrderString", "role": "assistant" } ]
def x(self, mapped_value, **unused_kwargs): try: value = self.FoldValue(mapped_value) return self._operation.WriteTo(tuple([value])) except Exception as exception: error_string = ( 'Unable to write: {0:s} to byte stream with error: {1!s}'. format(self._data_type_definition.name, exception)) raise errors.FoldingError(error_string)
FoldByteStream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mapped_value, **unused_kwargs):\n try:\n value = self.FoldValue(mapped_value)\n return self._operation.WriteTo(tuple([value]))\n except Exception as exception:\n error_string = (\n 'Unable to write: {0:s} to byte stream with error: {1!s}'.\n format(self._data_type_definition.name, exception))\n raise errors.FoldingError(error_string)\n", "role": "user" }, { "content": "FoldByteStream", "role": "assistant" } ]
def x(self, byte_stream, byte_offset=0, context=None, **unused_kwargs): data_type_size = self._data_type_definition.GetByteSize() self._CheckByteStreamSize(byte_stream, byte_offset, data_type_size) try: struct_tuple = self._operation.ReadFrom(byte_stream[byte_offset:]) mapped_value = self.MapValue(*struct_tuple) except Exception as exception: error_string = ( 'Unable to read: {0:s} from byte stream at offset: {1:d} with error: {2!s}' .format(self._data_type_definition.name, byte_offset, exception)) raise errors.MappingError(error_string) if context: context.byte_size = data_type_size return mapped_value
MapByteStream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, byte_stream, byte_offset=0, context=None, **unused_kwargs):\n data_type_size = self._data_type_definition.GetByteSize()\n self._CheckByteStreamSize(byte_stream, byte_offset, data_type_size)\n try:\n struct_tuple = self._operation.ReadFrom(byte_stream[byte_offset:])\n mapped_value = self.MapValue(*struct_tuple)\n except Exception as exception:\n error_string = (\n 'Unable to read: {0:s} from byte stream at offset: {1:d} with error: {2!s}'\n .format(self._data_type_definition.name, byte_offset, exception))\n raise errors.MappingError(error_string)\n if context:\n context.byte_size = data_type_size\n return mapped_value\n", "role": "user" }, { "content": "MapByteStream", "role": "assistant" } ]
def x(self, value): if value is False and self._data_type_definition.false_value is not None: return self._data_type_definition.false_value if value is True and self._data_type_definition.true_value is not None: return self._data_type_definition.true_value raise ValueError('No matching True and False values')
FoldValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value is False and self._data_type_definition.false_value is not None:\n return self._data_type_definition.false_value\n if value is True and self._data_type_definition.true_value is not None:\n return self._data_type_definition.true_value\n raise ValueError('No matching True and False values')\n", "role": "user" }, { "content": "FoldValue", "role": "assistant" } ]