source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, g, top=None):
if top is None:
top = g.top
remaining = set(g.triples())
variables = g.variables()
store = defaultdict(lambda : ([], []))
for t in g.triples():
if t.inverted:
store[t.target][0].append(t)
store[t.source][1].append(Triple(*t, inverted=False))
else:
store[t.source][0].append(t)
store[t.target][1].append(Triple(*t, inverted=True))
p = defaultdict(list)
topolist = [top]
def x(t):
src, tgt = (t[2], t[0]) if t.inverted else (t[0], t[2])
p[src].append(t)
remaining.remove(t)
if tgt in variables and t.relation != self.TYPE_REL:
topolist.append(tgt)
return tgt
return None
def x(src):
ts = store.get(src, ([], []))[0]
for t in ts:
if t in remaining:
tgt = _update(t)
if tgt is not None:
_explore_preferred(tgt)
ts[:] = []
_explore_preferred(top)
while remaining:
flip_candidates = [store.get(v, ([], []))[1] for v in topolist]
for fc in flip_candidates:
fc[:] = [c for c in fc if c in remaining]
if not any(len(fc) > 0 for fc in flip_candidates):
raise EncodeError('Invalid graph; possibly disconnected.')
c = next(c for fc in flip_candidates for c in fc)
tgt = _update(c)
if tgt is not None:
_explore_preferred(tgt)
return self._layout(p, top, 0, set())
| encode_penman | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, g, top=None):\n if top is None:\n top = g.top\n remaining = set(g.triples())\n variables = g.variables()\n store = defaultdict(lambda ... |
def x(self, relation):
return relation in self._deinversions or relation.endswith('-of'
) and relation not in self._inversions
| is_relation_inverted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation):\n return relation in self._deinversions or relation.endswith('-of'\n ) and relation not in self._inversions\n",
"role": "user"
... |
def x(self, relation):
if self.is_relation_inverted(relation):
rel = self._deinversions.get(relation, relation[:-3])
else:
rel = self._inversions.get(relation, relation + '-of')
if rel is None:
raise PenmanError('Cannot (de)invert {}; not allowed'.format(relation))
return rel
| invert_relation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation):\n if self.is_relation_inverted(relation):\n rel = self._deinversions.get(relation, relation[:-3])\n else:\n rel = self._in... |
def x(self, source=None, relation=None, target=None):
triplematch = lambda t: (source is None or source == t.source) and (
relation is None or relation == t.relation) and (target is None or
target == t.target)
return list(filter(triplematch, self._triples))
| triples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source=None, relation=None, target=None):\n triplematch = lambda t: (source is None or source == t.source) and (\n relation is None or relation... |
def x(self, source=None, relation=None, target=None):
edgematch = lambda e: (source is None or source == e.source) and (
relation is None or relation == e.relation) and (target is None or
target == e.target)
variables = self.variables()
edges = [t for t in self._triples if t.target in variables]
return list(filter(edgematch, edges))
| edges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source=None, relation=None, target=None):\n edgematch = lambda e: (source is None or source == e.source) and (\n relation is None or relation =... |
def x(self, source=None, relation=None, target=None):
attrmatch = lambda a: (source is None or source == a.source) and (
relation is None or relation == a.relation) and (target is None or
target == a.target)
variables = self.variables()
attrs = [t for t in self.triples() if t.target not in variables]
return list(filter(attrmatch, attrs))
| attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source=None, relation=None, target=None):\n attrmatch = lambda a: (source is None or source == a.source) and (\n relation is None or relation =... |
def x(self):
entrancies = defaultdict(int)
entrancies[self.top] += 1
for t in self.edges():
entrancies[t.target] += 1
return dict((v, cnt - 1) for v, cnt in entrancies.items() if cnt >= 2)
| reentrancies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n entrancies = defaultdict(int)\n entrancies[self.top] += 1\n for t in self.edges():\n entrancies[t.target] += 1\n return dict((v, cn... |
def x(inp):
if isinstance(inp, list):
return check_1d(np.array(inp))
if isinstance(inp, np.ndarray):
if inp.ndim == 1:
return inp
| check_1d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp):\n if isinstance(inp, list):\n return check_1d(np.array(inp))\n if isinstance(inp, np.ndarray):\n if inp.ndim == 1:\n retur... |
def x(inp):
if isinstance(inp, list):
return check_2d(np.array(inp))
if isinstance(inp, (np.ndarray, np.matrixlib.defmatrix.matrix)):
if inp.ndim == 2:
return inp
if sps.issparse(inp):
if inp.ndim == 2:
return inp
| check_2d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp):\n if isinstance(inp, list):\n return check_2d(np.array(inp))\n if isinstance(inp, (np.ndarray, np.matrixlib.defmatrix.matrix)):\n if ... |
def x(G, normalized=True):
try:
import networkx as nx
if isinstance(G, nx.Graph):
if normalized:
return nx.normalized_laplacian_matrix(G)
else:
return nx.laplacian_matrix(G)
except ImportError:
pass
try:
import graph_tool.all as gt
if isinstance(G, gt.Graph):
if normalized:
return gt.laplacian_type(G, normalized=True)
else:
return gt.laplacian(G)
except ImportError:
pass
try:
import igraph as ig
if isinstance(G, ig.Graph):
if normalized:
return np.array(G.laplacian(normalized=True))
else:
return np.array(G.laplacian())
except ImportError:
pass
| graph_to_laplacian | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(G, normalized=True):\n try:\n import networkx as nx\n if isinstance(G, nx.Graph):\n if normalized:\n return nx.norma... |
def x(mat, normalized):
if sps.issparse(mat):
if np.all(mat.diagonal() >= 0):
if np.all((mat - sps.diags(mat.diagonal())).data <= 0):
return mat
elif np.all(np.diag(mat) >= 0):
if np.all(mat - np.diag(mat) <= 0):
return mat
deg = np.squeeze(np.asarray(mat.sum(axis=1)))
if sps.issparse(mat):
L = sps.diags(deg) - mat
else:
L = np.diag(deg) - mat
if not normalized:
return L
with np.errstate(divide='ignore'):
sqrt_deg = 1.0 / np.sqrt(deg)
sqrt_deg[sqrt_deg == np.inf] = 0
if sps.issparse(mat):
sqrt_deg_mat = sps.diags(sqrt_deg)
else:
sqrt_deg_mat = np.diag(sqrt_deg)
return sqrt_deg_mat.dot(L).dot(sqrt_deg_mat)
| mat_to_laplacian | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mat, normalized):\n if sps.issparse(mat):\n if np.all(mat.diagonal() >= 0):\n if np.all((mat - sps.diags(mat.diagonal())).data <= 0):\n ... |
def x(eigvals_lower, eigvals_upper, nv):
nal = len(eigvals_lower)
nau = len(eigvals_upper)
if nv < nal + nau:
raise ValueError(
'Number of supplied eigenvalues ({0} lower and {1} upper) is higher than number of nodes ({2})!'
.format(nal, nau, nv))
ret = np.zeros(nv)
ret[:nal] = eigvals_lower
ret[-nau:] = eigvals_upper
ret[nal - 1:-nau + 1] = np.linspace(eigvals_lower[-1], eigvals_upper[0],
nv - nal - nau + 2)
return ret
| updown_linear_approx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(eigvals_lower, eigvals_upper, nv):\n nal = len(eigvals_lower)\n nau = len(eigvals_upper)\n if nv < nal + nau:\n raise ValueError(\n ... |
def x(mat, n_eivals='auto'):
do_full = True
n_lower = 150
n_upper = 150
nv = mat.shape[0]
if n_eivals == 'auto':
if mat.shape[0] > 1024:
do_full = False
if n_eivals == 'full':
do_full = True
if isinstance(n_eivals, int):
n_lower = n_upper = n_eivals
do_full = False
if isinstance(n_eivals, tuple):
n_lower, n_upper = n_eivals
do_full = False
if do_full and sps.issparse(mat):
mat = mat.todense()
if sps.issparse(mat):
if n_lower == n_upper:
tr_eivals = spsl.eigsh(mat, 2 * n_lower, which='BE',
return_eigenvectors=False)
return updown_linear_approx(tr_eivals[:n_upper], tr_eivals[
n_upper:], nv)
else:
lo_eivals = spsl.eigsh(mat, n_lower, which='SM',
return_eigenvectors=False)[::-1]
up_eivals = spsl.eigsh(mat, n_upper, which='LM',
return_eigenvectors=False)
return updown_linear_approx(lo_eivals, up_eivals, nv)
elif do_full:
return spl.eigvalsh(mat)
else:
lo_eivals = spl.eigvalsh(mat, eigvals=(0, n_lower - 1))
up_eivals = spl.eigvalsh(mat, eigvals=(nv - n_upper - 1, nv - 1))
return updown_linear_approx(lo_eivals, up_eivals, nv)
| eigenvalues_auto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mat, n_eivals='auto'):\n do_full = True\n n_lower = 150\n n_upper = 150\n nv = mat.shape[0]\n if n_eivals == 'auto':\n if mat.shape[0] > ... |
def x(inp, timescales=np.logspace(-2, 2, 250), kernel='heat', eigenvalues=
'auto', normalization='empty', normalized_laplacian=True):
if kernel not in {'heat', 'wave'}:
raise AttributeError(
"Unirecognized kernel type: expected one of ['heat', 'wave'], got {0}"
.format(kernel))
if not isinstance(normalized_laplacian, bool):
raise AttributeError('Unknown Laplacian type: expected bool, got {0}'
.format(normalized_laplacian))
if not isinstance(eigenvalues, (int, tuple, str)):
raise AttributeError(
"Unirecognized requested eigenvalue number: expected type of ['str', 'tuple', or 'int'], got {0}"
.format(type(eigenvalues)))
if not isinstance(timescales, np.ndarray):
raise AttributeError(
'Unirecognized timescales data type: expected np.ndarray, got {0}'
.format(type(timescales)))
if timescales.ndim != 1:
raise AttributeError(
'Unirecognized timescales dimensionality: expected a vector, got {0}-d array'
.format(timescales.ndim))
if normalization not in {'complete', 'empty', 'none', True, False, None}:
if not isinstance(normalization, np.ndarray):
raise AttributeError(
"Unirecognized normalization type: expected one of ['complete', 'empty', None or np.ndarray], got {0}"
.format(normalization))
if normalization.ndim != 1:
raise AttributeError(
'Unirecognized normalization dimensionality: expected a vector, got {0}-d array'
.format(normalization.ndim))
if timescales.shape[0] != normalization.shape[0]:
raise AttributeError(
'Unirecognized normalization dimensionality: expected {0}-length vector, got length {1}'
.format(timescales.shape[0], normalization.shape[0]))
eivals = check_1d(inp)
if eivals is None:
mat = check_2d(inp)
if mat is None:
mat = graph_to_laplacian(inp, normalized_laplacian)
if mat is None:
raise ValueError(
"Unirecognized input type: expected one of ['np.ndarray', 'scipy.sparse', 'networkx.Graph',' graph_tool.Graph,' or 'igraph.Graph'], got {0}"
.format(type(inp)))
else:
mat = mat_to_laplacian(inp, normalized_laplacian)
eivals = eigenvalues_auto(mat, eigenvalues)
if kernel == 'heat':
return _hkt(eivals, timescales, normalization, normalized_laplacian)
else:
return _wkt(eivals, timescales, normalization, normalized_laplacian)
| netlsd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp, timescales=np.logspace(-2, 2, 250), kernel='heat', eigenvalues=\n 'auto', normalization='empty', normalized_laplacian=True):\n if kernel not in {'he... |
def x(inp, timescales=np.logspace(-2, 2, 250), eigenvalues='auto',
normalization='empty', normalized_laplacian=True):
return netlsd(inp, timescales, 'heat', eigenvalues, normalization,
normalized_laplacian)
| heat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp, timescales=np.logspace(-2, 2, 250), eigenvalues='auto',\n normalization='empty', normalized_laplacian=True):\n return netlsd(inp, timescales, 'heat'... |
def x(inp, timescales=np.linspace(0, 2 * np.pi, 250), eigenvalues='auto',
normalization='empty', normalized_laplacian=True):
return netlsd(inp, timescales, 'wave', eigenvalues, normalization,
normalized_laplacian)
| wave | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp, timescales=np.linspace(0, 2 * np.pi, 250), eigenvalues='auto',\n normalization='empty', normalized_laplacian=True):\n return netlsd(inp, timescales,... |
def x(eivals, timescales, normalization, normalized_laplacian):
nv = eivals.shape[0]
hkt = np.zeros(timescales.shape)
for idx, t in enumerate(timescales):
hkt[idx] = np.sum(np.exp(-t * eivals))
if isinstance(normalization, np.ndarray):
return hkt / normalization
if normalization == 'empty' or normalization == True:
return hkt / nv
if normalization == 'complete':
if normalized_laplacian:
return hkt / (1 + (nv - 1) * np.exp(-timescales))
else:
return hkt / (1 + nv * np.exp(-nv * timescales))
return hkt
| hkt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(eivals, timescales, normalization, normalized_laplacian):\n nv = eivals.shape[0]\n hkt = np.zeros(timescales.shape)\n for idx, t in enumerate(timescal... |
def x(eivals, timescales, normalization, normalized_laplacian):
nv = eivals.shape[0]
wkt = np.zeros(timescales.shape)
for idx, t in enumerate(timescales):
wkt[idx] = np.sum(np.exp(-1.0j * t * eivals))
if isinstance(normalization, np.ndarray):
return hkt / normalization
if normalization == 'empty' or normalization == True:
return wkt / nv
if normalization == 'complete':
if normalized_laplacian:
return wkt / (1 + (nv - 1) * np.cos(timescales))
else:
return wkt / (1 + (nv - 1) * np.cos(nv * timescales))
return wkt
| wkt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(eivals, timescales, normalization, normalized_laplacian):\n nv = eivals.shape[0]\n wkt = np.zeros(timescales.shape)\n for idx, t in enumerate(timescal... |
def x(self):
self._len = 0
del self._maxes[:]
del self._lists[:]
del self._keys[:]
del self._index[:]
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._len = 0\n del self._maxes[:]\n del self._lists[:]\n del self._keys[:]\n del self._index[:]\n",
"role": "user"
},
{
"c... |
def x(self, val):
_maxes = self._maxes
if not _maxes:
return
key = self._key(val)
pos = bisect_left(_maxes, key)
if pos == len(_maxes):
return
_keys = self._keys
_lists = self._lists
idx = bisect_left(_keys[pos], key)
len_keys = len(_keys)
len_sublist = len(_keys[pos])
while True:
if _keys[pos][idx] != key:
return
if _lists[pos][idx] == val:
self._delete(pos, idx)
return
idx += 1
if idx == len_sublist:
pos += 1
if pos == len_keys:
return
len_sublist = len(_keys[pos])
idx = 0
| discard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val):\n _maxes = self._maxes\n if not _maxes:\n return\n key = self._key(val)\n pos = bisect_left(_maxes, key)\n if pos == len(_max... |
def x(self, val):
_maxes = self._maxes
if not _maxes:
raise ValueError('{0} not in list'.format(repr(val)))
key = self._key(val)
pos = bisect_left(_maxes, key)
if pos == len(_maxes):
raise ValueError('{0} not in list'.format(repr(val)))
_keys = self._keys
_lists = self._lists
idx = bisect_left(_keys[pos], key)
len_keys = len(_keys)
len_sublist = len(_keys[pos])
while True:
if _keys[pos][idx] != key:
raise ValueError('{0} not in list'.format(repr(val)))
if _lists[pos][idx] == val:
self._delete(pos, idx)
return
idx += 1
if idx == len_sublist:
pos += 1
if pos == len_keys:
raise ValueError('{0} not in list'.format(repr(val)))
len_sublist = len(_keys[pos])
idx = 0
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val):\n _maxes = self._maxes\n if not _maxes:\n raise ValueError('{0} not in list'.format(repr(val)))\n key = self._key(val)\n pos = b... |
def x(self, pos, idx):
_maxes, _lists, _keys, _index = (self._maxes, self._lists, self._keys,
self._index)
keys_pos = _keys[pos]
lists_pos = _lists[pos]
del keys_pos[idx]
del lists_pos[idx]
self._len -= 1
len_keys_pos = len(keys_pos)
if len_keys_pos > self._half:
_maxes[pos] = keys_pos[-1]
if len(_index) > 0:
child = self._offset + pos
while child > 0:
_index[child] -= 1
child = child - 1 >> 1
_index[0] -= 1
elif len(_keys) > 1:
if not pos:
pos += 1
prev = pos - 1
_keys[prev].extend(_keys[pos])
_lists[prev].extend(_lists[pos])
_maxes[prev] = _keys[prev][-1]
del _keys[pos]
del _lists[pos]
del _maxes[pos]
del _index[:]
self._expand(prev)
elif len_keys_pos:
_maxes[pos] = keys_pos[-1]
else:
del _keys[pos]
del _lists[pos]
del _maxes[pos]
del _index[:]
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, idx):\n _maxes, _lists, _keys, _index = (self._maxes, self._lists, self._keys,\n self._index)\n keys_pos = _keys[pos]\n lists_pos = ... |
def x(self, pos, idx):
if not pos:
return idx
_index = self._index
if not len(_index):
self._build_index()
total = 0
pos += self._offset
while pos:
if not pos & 1:
total += _index[pos - 1]
pos = pos - 1 >> 1
return total + idx
| loc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, idx):\n if not pos:\n return idx\n _index = self._index\n if not len(_index):\n self._build_index()\n total = 0\n pos +... |
def x(self, start=None, stop=None, reverse=False):
_len = self._len
if not _len:
return iter(())
start, stop, step = self._slice(slice(start, stop))
if start >= stop:
return iter(())
_pos = self._pos
min_pos, min_idx = _pos(start)
if stop == _len:
max_pos = len(self._lists) - 1
max_idx = len(self._lists[-1])
else:
max_pos, max_idx = _pos(stop)
return self._islice(min_pos, min_idx, max_pos, max_idx, reverse)
| islice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start=None, stop=None, reverse=False):\n _len = self._len\n if not _len:\n return iter(())\n start, stop, step = self._slice(slice(start,... |
def x(self, minimum=None, maximum=None, inclusive=(True, True), reverse=False):
minimum = self._key(minimum) if minimum is not None else None
maximum = self._key(maximum) if maximum is not None else None
return self.irange_key(min_key=minimum, max_key=maximum, inclusive=
inclusive, reverse=reverse)
| irange | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, minimum=None, maximum=None, inclusive=(True, True), reverse=False):\n minimum = self._key(minimum) if minimum is not None else None\n maximum = sel... |
def x(self):
return self.__class__(self, key=self._key, load=self._load)
| copy | [
{
"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.__class__(self, key=self._key, load=self._load)\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, val):
_maxes, _lists, _keys = self._maxes, self._lists, self._keys
key = self._key(val)
if not _maxes:
_maxes.append(key)
_keys.append([key])
_lists.append([val])
self._len = 1
return
pos = len(_keys) - 1
if key < _keys[pos][-1]:
msg = '{0} not in sort order at index {1}'.format(repr(val), self._len)
raise ValueError(msg)
_maxes[pos] = key
_keys[pos].append(key)
_lists[pos].append(val)
self._len += 1
self._expand(pos)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val):\n _maxes, _lists, _keys = self._maxes, self._lists, self._keys\n key = self._key(val)\n if not _maxes:\n _maxes.append(key)\n ... |
def x(self, values):
_maxes, _keys, _lists, _load = (self._maxes, self._keys, self._lists,
self._load)
if not isinstance(values, list):
values = list(values)
keys = list(map(self._key, values))
if any(keys[pos - 1] > keys[pos] for pos in range(1, len(keys))):
raise ValueError('given sequence not in sort order')
offset = 0
if _maxes:
if keys[0] < _keys[-1][-1]:
msg = '{0} not in sort order at index {1}'.format(repr(values[0
]), self._len)
raise ValueError(msg)
if len(_keys[-1]) < self._half:
_lists[-1].extend(values[:_load])
_keys[-1].extend(keys[:_load])
_maxes[-1] = _keys[-1][-1]
offset = _load
len_keys = len(_keys)
for idx in range(offset, len(keys), _load):
_lists.append(values[idx:idx + _load])
_keys.append(keys[idx:idx + _load])
_maxes.append(_keys[-1][-1])
_index = self._index
if len_keys == len(_keys):
len_index = len(_index)
if len_index > 0:
len_values = len(values)
child = len_index - 1
while child:
_index[child] += len_values
child = child - 1 >> 1
_index[0] += len_values
else:
del _index[:]
self._len += len(values)
| extend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, values):\n _maxes, _keys, _lists, _load = (self._maxes, self._keys, self._lists,\n self._load)\n if not isinstance(values, list):\n v... |
def x(self, idx=-1):
if idx < 0 and -idx > self._len or idx >= self._len:
raise IndexError('pop index out of range')
pos, idx = self._pos(idx)
val = self._lists[pos][idx]
self._delete(pos, idx)
return val
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idx=-1):\n if idx < 0 and -idx > self._len or idx >= self._len:\n raise IndexError('pop index out of range')\n pos, idx = self._pos(idx)\n ... |
def x(func):
@wraps(func)
def x(*args, **kwargs):
raise NotImplementedError
if hexversion < 34013184:
return errfunc
else:
return func
| not26 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n raise NotImplementedError\n if hexversion < 34013184:\n return errfunc\n else:\n ... |
def x(self):
return self.__class__(self._key, self._load, self._iteritems())
| copy | [
{
"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.__class__(self._key, self._load, self._iteritems())\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
... |
def x(self, key, default=_NotGiven):
if key in self:
self._list_remove(key)
return self._pop(key)
elif default is _NotGiven:
raise KeyError(key)
else:
return default
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=_NotGiven):\n if key in self:\n self._list_remove(key)\n return self._pop(key)\n elif default is _NotGiven:\n rai... |
def x(self, last=True):
if not len(self):
raise KeyError('popitem(): dictionary is empty')
key = self._list_pop(-1 if last else 0)
value = self._pop(key)
return key, value
| popitem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, last=True):\n if not len(self):\n raise KeyError('popitem(): dictionary is empty')\n key = self._list_pop(-1 if last else 0)\n value = se... |
def x(self, key, default=None):
if key in self:
return self[key]
else:
self._setitem(key, default)
self._list_add(key)
return default
| setdefault | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n if key in self:\n return self[key]\n else:\n self._setitem(key, default)\n self._list_add(key)\n ... |
def x(self, value, start=None, stop=None):
return self._list.index(value, start, stop)
| index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, start=None, stop=None):\n return self._list.index(value, start, stop)\n",
"role": "user"
},
{
"content": "index",
"role": "assi... |
def x(self):
if not self.ignore_self:
res = summary.summarize(muppy.get_objects())
else:
all_of_them = []
ref_counter = {}
def x(o):
all_of_them.append(o)
if id(o) in ref_counter:
ref_counter[id(o)] += 1
else:
ref_counter[id(o)] = 1
store_info(self.summaries)
for k, v in self.summaries.items():
store_info(k)
summary._traverse(v, store_info)
res = summary.summarize(muppy.get_objects())
for _id in ref_counter:
if len(gc.get_referrers(_id)) == 3:
summary._subtract(res, _id)
for o in all_of_them:
if len(gc.get_referrers(o)) == ref_counter[id(o)] + 2:
summary._subtract(res, o)
return res
| create_summary | [
{
"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.ignore_self:\n res = summary.summarize(muppy.get_objects())\n else:\n all_of_them = []\n ref_counter = {}\n\n ... |
def x(self, summary1=None, summary2=None):
res = None
if summary2 is None:
self.s1 = self.create_summary()
if summary1 is None:
res = summary.get_diff(self.s0, self.s1)
else:
res = summary.get_diff(summary1, self.s1)
self.s0 = self.s1
elif summary1 is not None:
res = summary.get_diff(summary1, summary2)
else:
raise ValueError('You cannot provide summary2 without summary1.')
return summary._sweep(res)
| diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, summary1=None, summary2=None):\n res = None\n if summary2 is None:\n self.s1 = self.create_summary()\n if summary1 is None:\n ... |
def x(self, summary1=None, summary2=None):
summary.print_(self.diff(summary1=summary1, summary2=summary2))
| print_diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, summary1=None, summary2=None):\n summary.print_(self.diff(summary1=summary1, summary2=summary2))\n",
"role": "user"
},
{
"content": "print... |
def x(self, ignore=[]):
def x(objects, ignore=[]):
res = []
for o in objects:
if not compat.object_in_list(o, ignore):
res.append(o)
return res
tmp = gc.get_objects()
ignore.append(inspect.currentframe())
ignore.append(self)
if hasattr(self, 'o0'):
ignore.append(self.o0)
if hasattr(self, 'o1'):
ignore.append(self.o1)
ignore.append(ignore)
ignore.append(remove_ignore)
tmp = remove_ignore(tmp, ignore)
res = []
for o in tmp:
refs = muppy.get_referents(o)
for ref in refs:
if not muppy._is_containerobject(ref):
res.append(ref)
res.extend(tmp)
res = muppy._remove_duplicates(res)
if ignore is not None:
res = remove_ignore(res, ignore)
del ignore[:]
return res
| get_objects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ignore=[]):\n\n def x(objects, ignore=[]):\n res = []\n for o in objects:\n if not compat.object_in_list(o, ignore):\n ... |
def x(self, ignore=[]):
ignore.append(inspect.currentframe())
self.o1 = self._get_objects(ignore)
diff = muppy.get_diff(self.o0, self.o1)
self.o0 = self.o1
del ignore[:]
return diff
| get_diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ignore=[]):\n ignore.append(inspect.currentframe())\n self.o1 = self._get_objects(ignore)\n diff = muppy.get_diff(self.o0, self.o1)\n self.o0... |
def x(self, ignore=[]):
ignore.append(inspect.currentframe())
diff = self.get_diff(ignore)
print('Added objects:')
summary.print_(summary.summarize(diff['+']))
print('Removed objects:')
summary.print_(summary.summarize(diff['-']))
del ignore[:]
| print_diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ignore=[]):\n ignore.append(inspect.currentframe())\n diff = self.get_diff(ignore)\n print('Added objects:')\n summary.print_(summary.summari... |
def x(seq1, seq2, normalized=False):
L = len(seq1)
if L != len(seq2):
raise ValueError('expected two strings of the same length')
if L == 0:
return 0.0 if normalized else 0
dist = sum(c1 != c2 for c1, c2 in zip(seq1, seq2))
if normalized:
return dist / float(L)
return dist
| hamming | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2, normalized=False):\n L = len(seq1)\n if L != len(seq2):\n raise ValueError('expected two strings of the same length')\n if L == 0:\... |
def x(seq1, seq2):
set1, set2 = set(seq1), set(seq2)
return 1 - len(set1 & set2) / float(len(set1 | set2))
| jaccard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2):\n set1, set2 = set(seq1), set(seq2)\n return 1 - len(set1 & set2) / float(len(set1 | set2))\n",
"role": "user"
},
{
"content": "... |
def x(seq1, seq2):
set1, set2 = set(seq1), set(seq2)
return 1 - 2 * len(set1 & set2) / float(len(set1) + len(set2))
| sorensen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2):\n set1, set2 = set(seq1), set(seq2)\n return 1 - 2 * len(set1 & set2) / float(len(set1) + len(set2))\n",
"role": "user"
},
{
"co... |
def x(seq1, seq2, positions=False):
L1, L2 = len(seq1), len(seq2)
ms = []
mlen = last = 0
if L1 < L2:
seq1, seq2 = seq2, seq1
L1, L2 = L2, L1
column = array('L', range(L2))
for i in range(L1):
for j in range(L2):
old = column[j]
if seq1[i] == seq2[j]:
if i == 0 or j == 0:
column[j] = 1
else:
column[j] = last + 1
if column[j] > mlen:
mlen = column[j]
ms = [(i, j)]
elif column[j] == mlen:
ms.append((i, j))
else:
column[j] = 0
last = old
if positions:
return mlen, tuple((i - mlen + 1, j - mlen + 1) for i, j in ms if ms)
return set(seq1[i - mlen + 1:i + 1] for i, _ in ms if ms)
| lcsubstrings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq1, seq2, positions=False):\n L1, L2 = len(seq1), len(seq2)\n ms = []\n mlen = last = 0\n if L1 < L2:\n seq1, seq2 = seq2, seq1\n L... |
def x(self, node, depth):
if self.color_mapping is None:
self.color_mapping = {}
color = self.color_mapping.get(node.key)
if color is None:
depth = len(self.color_mapping)
red = depth * 10 % 255
green = 200 - depth * 5 % 200
blue = depth * 25 % 200
self.color_mapping[node.key] = color = wx.Colour(red, green, blue)
return color
| background_color | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, depth):\n if self.color_mapping is None:\n self.color_mapping = {}\n color = self.color_mapping.get(node.key)\n if color is None:\n... |
def x(self, percent, total):
self.percentageView = percent
self.total = total
| SetPercentage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, percent, total):\n self.percentageView = percent\n self.total = total\n",
"role": "user"
},
{
"content": "SetPercentage",
"role": "... |
def x(func):
import pycallgraph
@functools.wraps(func)
def x(*args, **kwargs):
pycallgraph.start_trace()
func(*args, **kwargs)
pycallgraph.save_dot('callgraph.log')
pycallgraph.make_dot_graph('callgraph.png')
return wrapper
| callgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n import pycallgraph\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n pycallgraph.start_trace()\n func(*args, **kwargs)\n ... |
def x(self):
d = map(None, self.digest())
d = map(ord, d)
d = map(lambda x: '%02x' % x, d)
d = string.join(d, '')
return d
| hexdigest | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n d = map(None, self.digest())\n d = map(ord, d)\n d = map(lambda x: '%02x' % x, d)\n d = string.join(d, '')\n return d\n",
"role": "... |
def x(self, node):
result = []
if node.get('type'):
result.append(node['type'])
if node.get('name'):
result.append(node['name'])
elif node.get('value') is not None:
result.append(unicode(node['value'])[:32])
if 'module' in node and not node['module'] in result:
result.append(' in %s' % node['module'])
if node.get('size'):
result.append('%s' % mb(node['size']))
if node.get('totsize'):
result.append('(%s)' % mb(node['totsize']))
parent_count = len(node.get('parents', ()))
if parent_count > 1:
result.append('/%s refs' % parent_count)
return ' '.join(result)
| label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n result = []\n if node.get('type'):\n result.append(node['type'])\n if node.get('name'):\n result.append(node['name'])\n ... |
def x(self, node):
if 'index' in node:
index = node['index']()
parents = list(meliaeloader.children(node, index, 'parents'))
return parents
return []
| parents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n if 'index' in node:\n index = node['index']()\n parents = list(meliaeloader.children(node, index, 'parents'))\n return p... |
def x(self, node, tree_type=None):
parents = self.parents(node)
selected_parent = None
if node['type'] == 'type':
module = '.'.join(node['name'].split('.')[:-1])
if module:
for mod in parents:
if mod['type'] == 'module' and mod['name'] == module:
selected_parent = mod
if parents and selected_parent is None:
parents.sort(key=lambda x: self.value(node, x))
return parents[-1]
return selected_parent
| best_parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, tree_type=None):\n parents = self.parents(node)\n selected_parent = None\n if node['type'] == 'type':\n module = '.'.join(node['nam... |
def x(f=None, advanced=True, language='english', show_config=True,
program_name=None, program_description=None, default_size=(610, 530),
required_cols=2, optional_cols=2, dump_build_config=False,
monospace_display=False):
params = locals()
def x(payload):
def x(self, args=None, namespace=None):
source_path = sys.argv[0]
build_spec = config_generator.create_from_parser(self,
source_path, payload_name=payload.__name__, **params)
if dump_build_config:
config_path = os.path.join(os.getcwd(), 'gooey_config.json')
print('Writing Build Config to: {}'.format(config_path))
with open(config_path, 'w') as f:
f.write(json.dumps(build_spec, indent=2))
application.run(build_spec)
def x(*args, **kwargs):
ArgumentParser.original_parse_args = ArgumentParser.parse_args
ArgumentParser.parse_args = run_gooey
return payload(*args, **kwargs)
inner2.__name__ = payload.__name__
return inner2
def x(func):
return lambda : func()
if IGNORE_COMMAND in sys.argv:
sys.argv.remove(IGNORE_COMMAND)
if callable(f):
return run_without_gooey(f)
return run_without_gooey
if callable(f):
return build(f)
return build
| Gooey | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f=None, advanced=True, language='english', show_config=True,\n program_name=None, program_description=None, default_size=(610, 530),\n required_cols=2, o... |
def x(widget_list):
required_args, optional_args = partition(widget_list, is_required)
checkbox_args, general_args = partition(map(build_widget, optional_args
), is_checkbox)
required_args = map(build_widget, required_args)
optional_args = general_args + checkbox_args
return ComponentList(required_args, optional_args)
| build_components | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(widget_list):\n required_args, optional_args = partition(widget_list, is_required)\n checkbox_args, general_args = partition(map(build_widget, optional_a... |
def x(base, other, level=0):
ref2key = lambda ref: ref.name.split(':')[0]
base.size += other.size
base.flat += other.flat
if level > 0:
base.name = ref2key(base)
base.refs = list(base.refs)
refs = {}
for ref in base.refs:
refs[ref2key(ref)] = ref
for ref in other.refs:
key = ref2key(ref)
if key in refs:
_merge_asized(refs[key], ref, level=level + 1)
else:
base.refs.append(deepcopy(ref))
base.refs[-1].name = key
| merge_asized | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base, other, level=0):\n ref2key = lambda ref: ref.name.split(':')[0]\n base.size += other.size\n base.flat += other.flat\n if level > 0:\n ... |
def x(tref, merged, obj):
size = None
for timestamp, tsize in obj.snapshots:
if timestamp == tref:
size = tsize
if size:
_merge_asized(merged, size)
| merge_objects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tref, merged, obj):\n size = None\n for timestamp, tsize in obj.snapshots:\n if timestamp == tref:\n size = tsize\n if size:\n ... |
def x(trace):
lines = []
for fname, lineno, func, src, _ in trace:
if src:
for line in src:
lines.append(' ' + line.strip() + '\n')
lines.append(' %s:%4d in %s\n' % (fname, lineno, func))
return ''.join(lines)
| format_trace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(trace):\n lines = []\n for fname, lineno, func, src, _ in trace:\n if src:\n for line in src:\n lines.append(' ' + li... |
def x(self, fdump):
if isinstance(fdump, type('')):
fdump = open(fdump, 'rb')
self.index = pickle.load(fdump)
self.snapshots = pickle.load(fdump)
self.sorted = []
| load_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fdump):\n if isinstance(fdump, type('')):\n fdump = open(fdump, 'rb')\n self.index = pickle.load(fdump)\n self.snapshots = pickle.load(fd... |
def x(self, fdump, close=True):
if self.tracker:
self.tracker.stop_periodic_snapshots()
if isinstance(fdump, type('')):
fdump = open(fdump, 'wb')
pickle.dump(self.index, fdump, protocol=pickle.HIGHEST_PROTOCOL)
pickle.dump(self.snapshots, fdump, protocol=pickle.HIGHEST_PROTOCOL)
if close:
fdump.close()
| dump_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fdump, close=True):\n if self.tracker:\n self.tracker.stop_periodic_snapshots()\n if isinstance(fdump, type('')):\n fdump = open(fdum... |
def x(self):
if not self.sorted:
tmax = None
maxsize = 0
for snapshot in self.snapshots:
if snapshot.tracked_total > maxsize:
tmax = snapshot.timestamp
for key in list(self.index.keys()):
for tobj in self.index[key]:
tobj.classname = key
tobj.size = tobj.get_max_size()
tobj.tsize = tobj.get_size_at_time(tmax)
self.sorted.extend(self.index[key])
| init_sort | [
{
"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.sorted:\n tmax = None\n maxsize = 0\n for snapshot in self.snapshots:\n if snapshot.tracked_total > max... |
def x(self, *args):
criteria = 'classname', 'tsize', 'birth', 'death', 'name', 'repr', 'size'
if not set(criteria).issuperset(set(args)):
raise ValueError('Invalid sort criteria')
if not args:
args = criteria
def x(obj):
keys = []
for attr in args:
attribute = getattr(obj, attr)
if attr in ('tsize', 'size'):
attribute = -attribute
keys.append(attribute)
return tuple(keys)
self._init_sort()
self.sorted.sort(key=args_to_tuple)
return self
| sort_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n criteria = 'classname', 'tsize', 'birth', 'death', 'name', 'repr', 'size'\n if not set(criteria).issuperset(set(args)):\n raise Va... |
def x(self, snapshot):
if hasattr(snapshot, 'classes'):
return
snapshot.classes = {}
for classname in list(self.index.keys()):
total = 0
active = 0
merged = Asized(0, 0)
for tobj in self.index[classname]:
_merge_objects(snapshot.timestamp, merged, tobj)
total += tobj.get_size_at_time(snapshot.timestamp)
if tobj.birth < snapshot.timestamp and (tobj.death is None or
tobj.death > snapshot.timestamp):
active += 1
try:
pct = total * 100.0 / snapshot.total
except ZeroDivisionError:
pct = 0
try:
avg = total / active
except ZeroDivisionError:
avg = 0
snapshot.classes[classname] = dict(sum=total, avg=avg, pct=pct,
active=active)
snapshot.classes[classname]['merged'] = merged
| annotate_snapshot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, snapshot):\n if hasattr(snapshot, 'classes'):\n return\n snapshot.classes = {}\n for classname in list(self.index.keys()):\n total... |
def x(self, refs, total, prefix=' ', level=1, minsize=0, minpct=0.1):
lrefs = list(refs)
lrefs.sort(key=lambda x: x.size)
lrefs.reverse()
for ref in lrefs:
if ref.size > minsize and ref.size * 100.0 / total > minpct:
self.stream.write('%-50s %-14s %3d%% [%d]\n' % (trunc(prefix +
str(ref.name), 50), pp(ref.size), int(ref.size * 100.0 /
total), level))
self._print_refs(ref.refs, total, prefix=prefix + ' ', level=
level + 1)
| print_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, refs, total, prefix=' ', level=1, minsize=0, minpct=0.1):\n lrefs = list(refs)\n lrefs.sort(key=lambda x: x.size)\n lrefs.reverse()\n for ... |
def x(self, tobj):
if tobj.death:
self.stream.write('%-32s ( free ) %-35s\n' % (trunc(tobj.name, 32,
left=1), trunc(tobj.repr, 35)))
else:
self.stream.write('%-32s 0x%08x %-35s\n' % (trunc(tobj.name, 32,
left=1), tobj.id, trunc(tobj.repr, 35)))
if tobj.trace:
self.stream.write(_format_trace(tobj.trace))
for timestamp, size in tobj.snapshots:
self.stream.write(' %-30s %s\n' % (pp_timestamp(timestamp), pp(
size.size)))
self._print_refs(size.refs, size.size)
if tobj.death is not None:
self.stream.write(' %-30s finalize\n' % (pp_timestamp(tobj.death),))
| print_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tobj):\n if tobj.death:\n self.stream.write('%-32s ( free ) %-35s\\n' % (trunc(tobj.name, 32,\n left=1), trunc(tobj.repr, 35)))\n ... |
def x(self, clsname=None, limit=1.0):
if self.tracker:
self.tracker.stop_periodic_snapshots()
if not self.sorted:
self.sort_stats()
_sorted = self.sorted
if clsname:
_sorted = [to for to in _sorted if clsname in to.classname]
if limit < 1.0:
limit = max(1, int(len(self.sorted) * limit))
_sorted = _sorted[:int(limit)]
for tobj in _sorted:
self.print_object(tobj)
| print_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, clsname=None, limit=1.0):\n if self.tracker:\n self.tracker.stop_periodic_snapshots()\n if not self.sorted:\n self.sort_stats()\n ... |
def x(self):
classlist = self.tracked_classes
fobj = self.stream
fobj.write('---- SUMMARY ' + '-' * 66 + '\n')
for snapshot in self.snapshots:
self.annotate_snapshot(snapshot)
fobj.write('%-35s %11s %12s %12s %5s\n' % (trunc(snapshot.desc, 35),
'active', pp(snapshot.asizeof_total), 'average', 'pct'))
for classname in classlist:
info = snapshot.classes.get(classname)
fobj.write(' %-33s %11d %12s %12s %4d%%\n' % (trunc(classname,
33), info['active'], pp(info['sum']), pp(info['avg']), info
['pct']))
fobj.write('-' * 79 + '\n')
| print_summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n classlist = self.tracked_classes\n fobj = self.stream\n fobj.write('---- SUMMARY ' + '-' * 66 + '\\n')\n for snapshot in self.snapshots:\n... |
def x(self, fobj, refs, total, level=1, minsize=0, minpct=0.1):
lrefs = list(refs)
lrefs.sort(key=lambda x: x.size)
lrefs.reverse()
if level == 1:
fobj.write('<table>\n')
for ref in lrefs:
if ref.size > minsize and ref.size * 100.0 / total > minpct:
data = dict(level=level, name=trunc(str(ref.name), 128), size=
pp(ref.size), pct=ref.size * 100.0 / total)
fobj.write(self.refrow % data)
self._print_refs(fobj, ref.refs, total, level=level + 1)
if level == 1:
fobj.write('</table>\n')
| print_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fobj, refs, total, level=1, minsize=0, minpct=0.1):\n lrefs = list(refs)\n lrefs.sort(key=lambda x: x.size)\n lrefs.reverse()\n if level == 1... |
def x(self, fname, classname):
fobj = open(fname, 'w')
fobj.write(self.header % (classname, self.style))
fobj.write('<h1>%s</h1>\n' % classname)
sizes = [tobj.get_max_size() for tobj in self.index[classname]]
total = 0
for s in sizes:
total += s
data = {'cnt': len(self.index[classname]), 'cls': classname}
data['avg'] = pp(total / len(sizes))
data['max'] = pp(max(sizes))
data['min'] = pp(min(sizes))
fobj.write(self.class_summary % data)
fobj.write(self.charts[classname])
fobj.write('<h2>Coalesced Referents per Snapshot</h2>\n')
for snapshot in self.snapshots:
if classname in snapshot.classes:
merged = snapshot.classes[classname]['merged']
fobj.write(self.class_snapshot % {'name': snapshot.desc, 'cls':
classname, 'total': pp(merged.size)})
if merged.refs:
self._print_refs(fobj, merged.refs, merged.size)
else:
fobj.write('<p>No per-referent sizes recorded.</p>\n')
fobj.write('<h2>Instances</h2>\n')
for tobj in self.index[classname]:
fobj.write('<table id="tl" width="100%" rules="rows">\n')
fobj.write(
"""<tr><td id="hl" width="140px">Instance</td><td id="hl">%s at 0x%08x</td></tr>
"""
% (tobj.name, tobj.id))
if tobj.repr:
fobj.write(
'<tr><td>Representation</td><td>%s </td></tr>\n' %
tobj.repr)
fobj.write('<tr><td>Lifetime</td><td>%s - %s</td></tr>\n' % (
pp_timestamp(tobj.birth), pp_timestamp(tobj.death)))
if tobj.trace:
trace = '<pre>%s</pre>' % _format_trace(tobj.trace)
fobj.write('<tr><td>Instantiation</td><td>%s</td></tr>\n' % trace)
for timestamp, size in tobj.snapshots:
fobj.write('<tr><td>%s</td>' % pp_timestamp(timestamp))
if not size.refs:
fobj.write('<td>%s</td></tr>\n' % pp(size.size))
else:
fobj.write('<td>%s' % pp(size.size))
self._print_refs(fobj, size.refs, size.size)
fobj.write('</td></tr>\n')
fobj.write('</table>\n')
fobj.write(self.footer)
fobj.close()
| print_class_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fname, classname):\n fobj = open(fname, 'w')\n fobj.write(self.header % (classname, self.style))\n fobj.write('<h1>%s</h1>\\n' % classname)\n ... |
def x(self, filepath, basepath=None):
if basepath is None:
basepath = self.basedir
if not basepath:
return filepath
if filepath.startswith(basepath):
rel = filepath[len(basepath):]
if rel and rel[0] == os.sep:
rel = rel[1:]
return rel
| relative_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, basepath=None):\n if basepath is None:\n basepath = self.basedir\n if not basepath:\n return filepath\n if filepath.star... |
def x(self, filename, title=''):
fobj = open(filename, 'w')
fobj.write(self.header % (title, self.style))
fobj.write('<h1>%s</h1>\n' % title)
fobj.write('<h2>Memory distribution over time</h2>\n')
fobj.write(self.charts['snapshots'])
fobj.write('<h2>Snapshots statistics</h2>\n')
fobj.write('<table id="nb">\n')
classlist = list(self.index.keys())
classlist.sort()
for snapshot in self.snapshots:
fobj.write('<tr><td>\n')
fobj.write('<table id="tl" rules="rows">\n')
fobj.write('<h3>%s snapshot at %s</h3>\n' % (snapshot.desc or
'Untitled', pp_timestamp(snapshot.timestamp)))
data = {}
data['sys'] = pp(snapshot.system_total.vsz)
data['tracked'] = pp(snapshot.tracked_total)
data['asizeof'] = pp(snapshot.asizeof_total)
data['overhead'] = pp(getattr(snapshot, 'overhead', 0))
fobj.write(self.snapshot_summary % data)
if snapshot.tracked_total:
fobj.write(self.snapshot_cls_header)
for classname in classlist:
data = snapshot.classes[classname].copy()
data['cls'] = '<a href="%s">%s</a>' % (self.relative_path(
self.links[classname]), classname)
data['sum'] = pp(data['sum'])
data['avg'] = pp(data['avg'])
fobj.write(self.snapshot_cls % data)
fobj.write('</table>')
fobj.write('</td><td>\n')
if snapshot.tracked_total:
fobj.write(self.charts[snapshot])
fobj.write('</td></tr>\n')
fobj.write('</table>\n')
fobj.write(self.footer)
fobj.close()
| create_title_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, title=''):\n fobj = open(filename, 'w')\n fobj.write(self.header % (title, self.style))\n fobj.write('<h1>%s</h1>\\n' % title)\n fo... |
def x(self, classname, filename=''):
try:
from pylab import figure, title, xlabel, ylabel, plot, savefig
except ImportError:
return HtmlStats.nopylab_msg % (classname + ' lifetime')
cnt = []
for tobj in self.index[classname]:
cnt.append([tobj.birth, 1])
if tobj.death:
cnt.append([tobj.death, -1])
cnt.sort()
for i in range(1, len(cnt)):
cnt[i][1] += cnt[i - 1][1]
x = [t for [t, c] in cnt]
y = [c for [t, c] in cnt]
figure()
xlabel('Execution time [s]')
ylabel('Instance #')
title('%s instances' % classname)
plot(x, y, 'o')
savefig(filename)
return self.chart_tag % os.path.basename(filename)
| create_lifetime_chart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, classname, filename=''):\n try:\n from pylab import figure, title, xlabel, ylabel, plot, savefig\n except ImportError:\n return HtmlS... |
def x(self, filename=''):
try:
from pylab import figure, title, xlabel, ylabel, plot, fill, legend, savefig
import matplotlib.mlab as mlab
except ImportError:
return self.nopylab_msg % 'memory allocation'
classlist = self.tracked_classes
times = [snapshot.timestamp for snapshot in self.snapshots]
base = [0] * len(self.snapshots)
poly_labels = []
polys = []
for cn in classlist:
pct = [snapshot.classes[cn]['pct'] for snapshot in self.snapshots]
if max(pct) > 3.0:
sz = [(float(fp.classes[cn]['sum']) / (1024 * 1024)) for fp in
self.snapshots]
sz = [(sx + sy) for sx, sy in zip(base, sz)]
xp, yp = mlab.poly_between(times, base, sz)
polys.append(((xp, yp), {'label': cn}))
poly_labels.append(cn)
base = sz
figure()
title('Snapshot Memory')
xlabel('Execution Time [s]')
ylabel('Virtual Memory [MiB]')
sizes = [(float(fp.asizeof_total) / (1024 * 1024)) for fp in self.snapshots
]
plot(times, sizes, 'r--', label='Total')
sizes = [(float(fp.tracked_total) / (1024 * 1024)) for fp in self.snapshots
]
plot(times, sizes, 'b--', label='Tracked total')
for args, kwds in polys:
fill(*args, **kwds)
legend(loc=2)
savefig(filename)
return self.chart_tag % self.relative_path(filename)
| create_snapshot_chart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=''):\n try:\n from pylab import figure, title, xlabel, ylabel, plot, fill, legend, savefig\n import matplotlib.mlab as mlab\n ... |
def x(self, snapshot, filename=''):
try:
from pylab import figure, title, pie, axes, savefig
from pylab import sum as pylab_sum
except ImportError:
return self.nopylab_msg % 'pie_chart'
if not snapshot.tracked_total:
return ''
classlist = []
sizelist = []
for k, v in list(snapshot.classes.items()):
if v['pct'] > 3.0:
classlist.append(k)
sizelist.append(v['sum'])
sizelist.insert(0, snapshot.asizeof_total - pylab_sum(sizelist))
classlist.insert(0, 'Other')
title('Snapshot (%s) Memory Distribution' % snapshot.desc)
figure(figsize=(8, 8))
axes([0.1, 0.1, 0.8, 0.8])
pie(sizelist, labels=classlist)
savefig(filename, dpi=50)
return self.chart_tag % self.relative_path(filename)
| create_pie_chart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, snapshot, filename=''):\n try:\n from pylab import figure, title, pie, axes, savefig\n from pylab import sum as pylab_sum\n except Im... |
def x(self, fname, title='ClassTracker Statistics'):
self.basedir = os.path.dirname(os.path.abspath(fname))
self.filesdir = os.path.splitext(fname)[0] + '_files'
if not os.path.isdir(self.filesdir):
os.mkdir(self.filesdir)
self.filesdir = os.path.abspath(self.filesdir)
self.links = {}
self.annotate()
self.charts = {}
fn = os.path.join(self.filesdir, 'timespace.png')
self.charts['snapshots'] = self.create_snapshot_chart(fn)
for fp, idx in zip(self.snapshots, list(range(len(self.snapshots)))):
fn = os.path.join(self.filesdir, 'fp%d.png' % idx)
self.charts[fp] = self.create_pie_chart(fp, fn)
for cn in list(self.index.keys()):
fn = os.path.join(self.filesdir, cn.replace('.', '_') + '-lt.png')
self.charts[cn] = self.create_lifetime_chart(cn, fn)
for cn in list(self.index.keys()):
fn = os.path.join(self.filesdir, cn.replace('.', '_') + '.html')
self.links[cn] = fn
self.print_class_details(fn, cn)
self.create_title_page(fname, title=title)
| create_html | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fname, title='ClassTracker Statistics'):\n self.basedir = os.path.dirname(os.path.abspath(fname))\n self.filesdir = os.path.splitext(fname)[0] + '_... |
def x(self, parent_path):
path_cls = type(parent_path)
is_dir = path_cls.is_dir
exists = path_cls.exists
listdir = parent_path._accessor.listdir
return self._select_from(parent_path, is_dir, exists, listdir)
| select_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent_path):\n path_cls = type(parent_path)\n is_dir = path_cls.is_dir\n exists = path_cls.exists\n listdir = parent_path._accessor.listdir\... |
def x(self, *other):
if not other:
raise TypeError('need at least one argument')
parts = self._parts
drv = self._drv
root = self._root
if root:
abs_parts = [drv, root] + parts[1:]
else:
abs_parts = parts
to_drv, to_root, to_parts = self._parse_args(other)
if to_root:
to_abs_parts = [to_drv, to_root] + to_parts[1:]
else:
to_abs_parts = to_parts
n = len(to_abs_parts)
cf = self._flavour.casefold_parts
if root or drv if n == 0 else cf(abs_parts[:n]) != cf(to_abs_parts):
formatted = self._format_parsed_parts(to_drv, to_root, to_parts)
raise ValueError('{!r} does not start with {!r}'.format(str(self),
str(formatted)))
return self._from_parsed_parts('', root if n == 1 else '', abs_parts[n:])
| relative_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *other):\n if not other:\n raise TypeError('need at least one argument')\n parts = self._parts\n drv = self._drv\n root = self._root\n... |
def x(self, pattern):
pattern = self._flavour.casefold(pattern)
drv, root, pattern_parts = self._flavour.parse_parts((pattern,))
if drv or root:
raise NotImplementedError('Non-relative patterns are unsupported')
selector = _make_selector(tuple(pattern_parts))
for p in selector.select_from(self):
yield p
| glob | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern):\n pattern = self._flavour.casefold(pattern)\n drv, root, pattern_parts = self._flavour.parse_parts((pattern,))\n if drv or root:\n ... |
def x(self, data):
if not isinstance(data, six.binary_type):
raise TypeError('data must be %s, not %s' % (six.binary_type.
__class__.__name__, data.__class__.__name__))
with self.open(mode='wb') as f:
return f.write(data)
| write_bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not isinstance(data, six.binary_type):\n raise TypeError('data must be %s, not %s' % (six.binary_type.\n __class__.__nam... |
def x(self, data, encoding=None, errors=None):
if not isinstance(data, six.text_type):
raise TypeError('data must be %s, not %s' % (six.text_type.
__class__.__name__, data.__class__.__name__))
with self.open(mode='w', encoding=encoding, errors=errors) as f:
return f.write(data)
| write_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, encoding=None, errors=None):\n if not isinstance(data, six.text_type):\n raise TypeError('data must be %s, not %s' % (six.text_type.\n ... |
def x(recwalk_result, pardir, fromwinpath=False):
return recwalk_result[0], path2unix(os.path.join(os.path.relpath(
recwalk_result[0], pardir), recwalk_result[1]), nojoin=True,
fromwinpath=fromwinpath)
| relpath_posix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(recwalk_result, pardir, fromwinpath=False):\n return recwalk_result[0], path2unix(os.path.join(os.path.relpath(\n recwalk_result[0], pardir), recwalk... |
def x(d):
max_rec = max(len(x) if x else 0 for x in d.values())
for key in d.keys():
if d[key]:
d[key] = [''] * (max_rec - len(d[key])) + d[key]
d_sort = sorted(d.items(), key=lambda x: x[1])
return d_sort
| sort_dict_of_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d):\n max_rec = max(len(x) if x else 0 for x in d.values())\n for key in d.keys():\n if d[key]:\n d[key] = [''] * (max_rec - len(d[key]... |
def x(d, return_only_first=False):
d_sort = sort_dict_of_paths(d)
base_elt = -1, None
while base_elt[1] is None and d_sort:
base_elt = d_sort.pop(0)
if base_elt[1] is None:
return None
else:
lst = []
lst.append([base_elt])
if d_sort:
for elt in d_sort:
if elt[1] is not None:
if elt[1] == base_elt[1]:
lst[-1].append(elt)
else:
if return_only_first:
break
lst.append([elt])
base_elt = elt
return lst
| sort_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(d, return_only_first=False):\n d_sort = sort_dict_of_paths(d)\n base_elt = -1, None\n while base_elt[1] is None and d_sort:\n base_elt = d_sort... |
def x(relfilepath, fileslist, outpath, blocksize=65535, default_char_null=False
):
fileshandles = []
for filepath in fileslist:
if filepath:
if hasattr(filepath, 'read'):
fileshandles.append(filepath)
else:
fileshandles.append(open(filepath, 'rb'))
if hasattr(outpath, 'write'):
outfile = outpath
else:
outpathfull = os.path.join(outpath, relfilepath)
pardir = os.path.dirname(outpathfull)
if not os.path.exists(pardir):
os.makedirs(pardir)
outfile = open(outpathfull, 'wb')
if len(fileshandles) < 3:
if fileshandles:
create_dir_if_not_exist(os.path.dirname(outpathfull))
buf = 1
while buf:
buf = fileshandles[0].read()
outfile.write(buf)
outfile.flush()
return (1,
'Error with file %s: only %i copies available, cannot vote (need at least 3)! Copied the first file from the first folder, verbatim.'
% (relfilepath, len(fileshandles)))
errors = []
entries = [1] * len(fileshandles)
while entries.count('') < len(fileshandles):
final_entry = []
for i in xrange(len(fileshandles)):
entries[i] = fileshandles[i].read(blocksize)
if entries.count('') == len(fileshandles):
break
elif len(entries) == 1:
final_entry = entries[0]
else:
for i in xrange(max(len(entry) for entry in entries)):
hist = {}
for entry in entries:
if i < len(entry):
key = str(ord(entry[i]))
hist[key] = hist.get(key, 0) + 1
if len(hist) == 1:
final_entry.append(chr(int(hist.iterkeys().next())))
continue
elif len(hist) > 1:
skeys = sorted(hist, key=hist.get, reverse=True)
if hist[skeys[0]] == 1:
if default_char_null:
if default_char_null is True:
final_entry.append('\x00')
else:
final_entry.append(default_char_null)
else:
first_char = ''
for entry in entries:
if i < len(entry):
first_char = entry[i]
break
final_entry.append(first_char)
errors.append(outfile.tell() + i)
elif hist[skeys[0]] == hist[skeys[1]]:
final_entry.append(chr(int(skeys[0])))
else:
final_entry.append(chr(int(skeys[0])))
continue
final_entry = ''.join(final_entry)
outfile.write(final_entry)
outfile.flush()
if errors:
error_msg = (
'Unrecoverable corruptions (because of ambiguity) in file %s on characters: %s.'
% (relfilepath, [hex(int(x)) for x in errors]))
return 1, error_msg
for fh in fileshandles:
fh.close()
if outfile != outpath:
outfile.flush()
outfile.close()
return 0, None
| majority_vote_byte_scan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(relfilepath, fileslist, outpath, blocksize=65535, default_char_null=False\n ):\n fileshandles = []\n for filepath in fileslist:\n if filepath:\... |
def x(inputpaths, outpath, database=None, tqdm_bar=None, report_file=None,
ptee=None, verbose=False):
recgen = [recwalk(path, sorting=True) for path in inputpaths]
curfiles = {}
recgen_exhausted = {}
recgen_exhausted_count = 0
nbpaths = len(inputpaths)
retcode = 0
if not ptee:
ptee = sys.stdout
if report_file is not None:
rfile = open(report_file, 'wb')
r_writer = csv.writer(rfile, delimiter='|', lineterminator='\n',
quotechar='"')
r_header = ['filepath'] + [('dir%i' % (i + 1)) for i in xrange(nbpaths)
] + ['hash-correct', 'error_code', 'errors']
r_length = len(r_header)
r_writer.writerow(r_header)
for i in xrange(len(recgen)):
recgen_exhausted[i] = False
try:
if curfiles.get(i, None) is None:
curfiles[i] = relpath_posix(recgen[i].next(), inputpaths[i])[1]
except StopIteration:
recgen_exhausted[i] = True
recgen_exhausted_count += 1
while recgen_exhausted_count < nbpaths:
errcode = 0
errmsg = None
if report_file:
r_row = ['-'] * r_length
curfiles_grouped = sort_group(curfiles, True)
to_process = curfiles_grouped[0]
relfilepath = path2unix(os.path.join(*to_process[0][1]))
if report_file:
r_row[0] = relfilepath
if verbose:
ptee.write('- Processing file %s.' % relfilepath)
outpathfull = os.path.join(outpath, relfilepath)
create_dir_if_not_exist(os.path.dirname(outpathfull))
fileslist = []
for elt in to_process:
i = elt[0]
fileslist.append(os.path.join(inputpaths[i], os.path.join(*elt[1]))
)
if report_file:
r_row[i + 1] = 'X'
if len(to_process) == 1:
shutil.copyfile(fileslist[0], outpathfull)
id = to_process[0][0]
if report_file:
r_row[id + 1] = 'O'
else:
correct_file = None
if database:
for id, filepath in enumerate(fileslist):
if rfigc.main('-i "%s" -d "%s" -m --silent' % (filepath,
database)) == 0:
correct_file = filepath
correct_id = to_process[id][0]
break
if correct_file:
create_dir_if_not_exist(os.path.dirname(outpathfull))
shutil.copyfile(correct_file, outpathfull)
if report_file:
r_row[correct_id + 1] = 'O'
r_row[-3] = 'OK'
else:
errcode, errmsg = majority_vote_byte_scan(relfilepath,
fileslist, outpath)
if database:
if rfigc.main('-i "%s" -d "%s" -m --silent' % (outpathfull,
database)) == 1:
errcode = 1
r_row[-3] = 'KO'
if not errmsg:
errmsg = ''
errmsg += (
' File could not be totally repaired according to rfigc database.'
)
elif report_file:
r_row[-3] = 'OK'
if errmsg:
errmsg += (
' But merged file is correct according to rfigc database.'
)
if errcode:
if report_file:
r_row[-2] = 'KO'
r_row[-1] = errmsg
ptee.write(errmsg)
retcode = 1
elif report_file:
r_row[-2] = 'OK'
if report_file:
r_writer.writerow(r_row)
for elt in to_process:
i = elt[0]
try:
if not recgen_exhausted.get(i, False):
curfiles[i] = relpath_posix(recgen[i].next(), inputpaths[i]
)[1]
except StopIteration:
curfiles[i] = None
recgen_exhausted[i] = True
recgen_exhausted_count += 1
if tqdm_bar:
tqdm_bar.update()
if tqdm_bar:
tqdm_bar.close()
if report_file:
rfile.write('\n=> Input directories:')
for id, ipath in enumerate(inputpaths):
rfile.write('\n\t- dir%i = %s' % (id + 1, ipath))
rfile.write('\n=> Output directory: %s' % outpath)
rfile.write(
"""
=> Legend: X=existing/selected for majority vote, O=only used this file, - = not existing, OK = check correct, KO = check incorrect (file was not recovered)
"""
)
rfile.close()
return retcode
| synchronize_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputpaths, outpath, database=None, tqdm_bar=None, report_file=None,\n ptee=None, verbose=False):\n recgen = [recwalk(path, sorting=True) for path in inp... |
def x(self):
self.ignore.append(inspect.currentframe())
return self._get_tree(self.root, self.maxdepth)
| get_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.ignore.append(inspect.currentframe())\n return self._get_tree(self.root, self.maxdepth)\n",
"role": "user"
},
{
"content": "get... |
def x(self, root, maxdepth):
self.ignore.append(inspect.currentframe())
res = _Node(root, self.str_func)
self.already_included.add(id(root))
if maxdepth == 0:
return res
objects = gc.get_referrers(root)
self.ignore.append(objects)
for o in objects:
if isinstance(o, dict):
sampleNode = _Node(1)
if list(sampleNode.__dict__.keys()) == list(o.keys()):
continue
_id = id(o)
if not self.repeat and _id in self.already_included:
s = self.str_func(o)
res.children.append('%s (already included, id %s)' % (s, _id))
continue
if not isinstance(o, _Node) and o not in self.ignore:
res.children.append(self._get_tree(o, maxdepth - 1))
return res
| get_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root, maxdepth):\n self.ignore.append(inspect.currentframe())\n res = _Node(root, self.str_func)\n self.already_included.add(id(root))\n if m... |
def x(self, tree=None):
if tree is None:
self._print(self.root, '', '')
else:
self._print(tree, '', '')
| print_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tree=None):\n if tree is None:\n self._print(self.root, '', '')\n else:\n self._print(tree, '', '')\n",
"role": "user"
},
{
... |
def x(self, tree, prefix, carryon):
level = prefix.count(self.cross) + prefix.count(self.vline)
len_children = 0
if isinstance(tree, _Node):
len_children = len(tree.children)
prefix += str(tree)
carryon += self.space * len(str(tree))
if level == self.maxdepth or not isinstance(tree, _Node
) or len_children == 0:
self.stream.write(prefix + '\n')
return
else:
prefix += self.hline
carryon += self.space
if len(tree.children) > 1:
prefix += self.cross
carryon += self.vline
prefix += self.hline
carryon += self.space
if len_children > 0:
self._print(tree.children[0], prefix, carryon)
for b in range(1, len_children):
prefix = carryon[:-2] + self.cross + self.hline
if b == len_children - 1:
carryon = carryon[:-2] + 2 * self.space
self._print(tree.children[b], prefix, carryon)
if b == len_children - 1:
if len(carryon.strip(' ')) == 0:
return
self.stream.write(carryon[:-2].rstrip() + '\n')
| print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tree, prefix, carryon):\n level = prefix.count(self.cross) + prefix.count(self.vline)\n len_children = 0\n if isinstance(tree, _Node):\n ... |
def x(self, filename, tree=None):
old_stream = self.stream
self.stream = open(filename, 'w')
try:
super(FileBrowser, self).print_tree(tree=tree)
finally:
self.stream.close()
self.stream = old_stream
| print_tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, tree=None):\n old_stream = self.stream\n self.stream = open(filename, 'w')\n try:\n super(FileBrowser, self).print_tree(tree=tr... |
def x(self, standalone=False):
window = _Tkinter.Tk()
sc = _TreeWidget.ScrolledCanvas(window, bg='white', highlightthickness=
0, takefocus=1)
sc.frame.pack(expand=1, fill='both')
item = _ReferrerTreeItem(window, self.get_tree(), self)
node = _TreeNode(sc.canvas, None, item)
node.expand()
if standalone:
window.mainloop()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, standalone=False):\n window = _Tkinter.Tk()\n sc = _TreeWidget.ScrolledCanvas(window, bg='white', highlightthickness=\n 0, takefocus=1)\n ... |
def x(self):
dropdown_value = self.widget.GetValue()
if not str(dropdown_value).isdigit():
return ''
arg = str(self.option_string).replace('-', '')
repeated_args = arg * int(dropdown_value)
return '-' + repeated_args
| getValue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dropdown_value = self.widget.GetValue()\n if not str(dropdown_value).isdigit():\n return ''\n arg = str(self.option_string).replace('-... |
def x(n, total, elapsed, ncols=None, prefix='', unit=None, unit_scale=False,
ascii=False):
if total and n > total:
total = None
elapsed_str = format_interval(elapsed)
if elapsed:
if unit_scale:
rate = format_sizeof(n / elapsed, suffix='')
else:
rate = '{0:5.2f}'.format(n / elapsed)
else:
rate = '?'
rate_unit = unit if unit else 'it'
if not unit:
unit = ''
n_fmt = str(n)
total_fmt = str(total)
if unit_scale:
n_fmt = format_sizeof(n, suffix='')
if total:
total_fmt = format_sizeof(total, suffix='')
if total:
frac = n / total
percentage = frac * 100
remaining_str = format_interval(elapsed * (total - n) / n
) if n else '?'
l_bar = '{1}{0:.0f}%|'.format(percentage, prefix
) if prefix else '{0:3.0f}%|'.format(percentage)
r_bar = '| {0}/{1}{2} [{3}<{4}, {5} {6}/s]'.format(n_fmt, total_fmt,
unit, elapsed_str, remaining_str, rate, rate_unit)
if ncols == 0:
bar = ''
else:
N_BARS = max(1, ncols - len(l_bar) - len(r_bar)) if ncols else 10
if ascii:
bar_length, frac_bar_length = divmod(int(frac * N_BARS * 10
), 10)
bar = '#' * bar_length
frac_bar = chr(48 + frac_bar_length
) if frac_bar_length else ' '
else:
bar_length, frac_bar_length = divmod(int(frac * N_BARS * 8), 8)
bar = _unich(9608) * bar_length
frac_bar = _unich(9616 - frac_bar_length
) if frac_bar_length else ' '
if bar_length < N_BARS:
full_bar = bar + frac_bar + ' ' * max(N_BARS - bar_length - 1, 0)
else:
full_bar = bar + ' ' * max(N_BARS - bar_length, 0)
return l_bar + full_bar + r_bar
else:
return '{0}{1} [{2}, {3} {4}/s]'.format(n_fmt, unit, elapsed_str,
rate, rate_unit)
| format_meter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(n, total, elapsed, ncols=None, prefix='', unit=None, unit_scale=False,\n ascii=False):\n if total and n > total:\n total = None\n elapsed_str =... |
def x(data):
import cStringIO
stream = cStringIO.StringIO(data)
image = wx.ImageFromStream(stream)
icon = wx.EmptyIcon()
icon.CopyFromBitmap(wx.BitmapFromImage(image))
return icon
| getIcon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n import cStringIO\n stream = cStringIO.StringIO(data)\n image = wx.ImageFromStream(stream)\n icon = wx.EmptyIcon()\n icon.CopyFromBitmap... |
def x():
logging.basicConfig(level=logging.INFO)
app = RunSnakeRunApp(0)
app.MainLoop()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n logging.basicConfig(level=logging.INFO)\n app = RunSnakeRunApp(0)\n app.MainLoop()\n",
"role": "user"
},
{
"content": "main",
"ro... |
def x(self, config_parser):
self.CreateMenuBar()
self.SetupToolBar()
self.CreateStatusBar()
self.leftSplitter = wx.SplitterWindow(self)
self.rightSplitter = wx.SplitterWindow(self.leftSplitter)
self.listControl = listviews.DataView(self.leftSplitter, columns=
PROFILE_VIEW_COLUMNS, name='mainlist')
self.squareMap = squaremap.SquareMap(self.rightSplitter, padding=6,
labels=True, adapter=self.adapter, square_style=True)
self.tabs = wx.Notebook(self.rightSplitter)
self.CreateSourceWindow(self.tabs)
self.calleeListControl = listviews.DataView(self.tabs, columns=
PROFILE_VIEW_COLUMNS, name='callee')
self.allCalleeListControl = listviews.DataView(self.tabs, columns=
PROFILE_VIEW_COLUMNS, name='allcallee')
self.allCallerListControl = listviews.DataView(self.tabs, columns=
PROFILE_VIEW_COLUMNS, name='allcaller')
self.callerListControl = listviews.DataView(self.tabs, columns=
PROFILE_VIEW_COLUMNS, name='caller')
self.ProfileListControls = [self.listControl, self.calleeListControl,
self.allCalleeListControl, self.callerListControl, self.
allCallerListControl]
self.tabs.AddPage(self.calleeListControl, _('Callees'), True)
self.tabs.AddPage(self.allCalleeListControl, _('All Callees'), False)
self.tabs.AddPage(self.callerListControl, _('Callers'), False)
self.tabs.AddPage(self.allCallerListControl, _('All Callers'), False)
if editor:
self.tabs.AddPage(self.sourceCodeControl, _('Source Code'), False)
self.rightSplitter.SetSashSize(10)
self.LoadState(config_parser)
width, height = self.GetSizeTuple()
rightsplit = 2 * (height // 3)
leftsplit = width // 3
self.rightSplitter.SplitHorizontally(self.squareMap, self.tabs, rightsplit)
self.leftSplitter.SplitVertically(self.listControl, self.rightSplitter,
leftsplit)
squaremap.EVT_SQUARE_HIGHLIGHTED(self.squareMap, self.
OnSquareHighlightedMap)
squaremap.EVT_SQUARE_SELECTED(self.listControl, self.OnSquareSelectedList)
squaremap.EVT_SQUARE_SELECTED(self.squareMap, self.OnSquareSelectedMap)
squaremap.EVT_SQUARE_ACTIVATED(self.squareMap, self.OnNodeActivated)
for control in self.ProfileListControls:
squaremap.EVT_SQUARE_ACTIVATED(control, self.OnNodeActivated)
squaremap.EVT_SQUARE_HIGHLIGHTED(control, self.OnSquareHighlightedList)
self.moreSquareViewItem.Check(self.squareMap.square_style)
| CreateControls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_parser):\n self.CreateMenuBar()\n self.SetupToolBar()\n self.CreateStatusBar()\n self.leftSplitter = wx.SplitterWindow(self)\n self... |
def x(self):
menubar = wx.MenuBar()
menu = wx.Menu()
menu.Append(ID_OPEN, _('&Open Profile'), _('Open a cProfile file'))
menu.Append(ID_OPEN_MEMORY, _('Open &Memory'), _(
'Open a Meliae memory-dump file'))
menu.AppendSeparator()
menu.Append(ID_EXIT, _('&Close'), _('Close this RunSnakeRun window'))
menubar.Append(menu, _('&File'))
menu = wx.Menu()
self.percentageMenuItem = menu.AppendCheckItem(ID_PERCENTAGE_VIEW, _(
'&Percentage View'), _('View time spent as percent of overall time'))
self.rootViewItem = menu.Append(ID_ROOT_VIEW, _('&Root View (Home)'), _
('View the root of the tree'))
self.backViewItem = menu.Append(ID_BACK_VIEW, _('&Back'), _(
'Go back in your viewing history'))
self.upViewItem = menu.Append(ID_UP_VIEW, _('&Up'), _(
'Go "up" to the parent of this node with the largest cumulative total')
)
self.moreSquareViewItem = menu.AppendCheckItem(ID_MORE_SQUARE, _(
'&Hierarchic Squares'), _(
'Toggle hierarchic squares in the square-map view'))
self.deeperViewItem = menu.Append(ID_DEEPER_VIEW, _('&Deeper'), _(
'View deeper squaremap views'))
self.shallowerViewItem = menu.Append(ID_SHALLOWER_VIEW, _('&Shallower'),
_('View shallower squaremap views'))
menubar.Append(menu, _('&View'))
self.viewTypeMenu = wx.Menu()
menubar.Append(self.viewTypeMenu, _('View &Type'))
self.SetMenuBar(menubar)
wx.EVT_MENU(self, ID_EXIT, lambda evt: self.Close(True))
wx.EVT_MENU(self, ID_OPEN, self.OnOpenFile)
wx.EVT_MENU(self, ID_OPEN_MEMORY, self.OnOpenMemory)
wx.EVT_MENU(self, ID_PERCENTAGE_VIEW, self.OnPercentageView)
wx.EVT_MENU(self, ID_UP_VIEW, self.OnUpView)
wx.EVT_MENU(self, ID_DEEPER_VIEW, self.OnDeeperView)
wx.EVT_MENU(self, ID_SHALLOWER_VIEW, self.OnShallowerView)
wx.EVT_MENU(self, ID_ROOT_VIEW, self.OnRootView)
wx.EVT_MENU(self, ID_BACK_VIEW, self.OnBackView)
wx.EVT_MENU(self, ID_MORE_SQUARE, self.OnMoreSquareToggle)
| CreateMenuBar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n menubar = wx.MenuBar()\n menu = wx.Menu()\n menu.Append(ID_OPEN, _('&Open Profile'), _('Open a cProfile file'))\n menu.Append(ID_OPEN_MEMO... |
def x(self, tabs):
if editor and self.sourceCodeControl is None:
self.sourceCodeControl = wx.py.editwindow.EditWindow(self.tabs, -1)
self.sourceCodeControl.SetText(u'')
self.sourceFileShown = None
self.sourceCodeControl.setDisplayLineNumbers(True)
| CreateSourceWindow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tabs):\n if editor and self.sourceCodeControl is None:\n self.sourceCodeControl = wx.py.editwindow.EditWindow(self.tabs, -1)\n self.sour... |
def x(self):
tb = self.CreateToolBar(self.TBFLAGS)
tsize = 24, 24
tb.ToolBitmapSize = tsize
open_bmp = wx.ArtProvider.GetBitmap(wx.ART_FILE_OPEN, wx.ART_TOOLBAR, tsize
)
tb.AddLabelTool(ID_OPEN, 'Open', open_bmp, shortHelp='Open', longHelp=
'Open a (c)Profile trace file')
if not osx:
tb.AddSeparator()
self.rootViewTool = tb.AddLabelTool(ID_ROOT_VIEW, _('Root View'), wx.
ArtProvider.GetBitmap(wx.ART_GO_HOME, wx.ART_TOOLBAR, tsize),
shortHelp=_('Display the root of the current view tree (home view)'))
self.rootViewTool = tb.AddLabelTool(ID_BACK_VIEW, _('Back'), wx.
ArtProvider.GetBitmap(wx.ART_GO_BACK, wx.ART_TOOLBAR, tsize),
shortHelp=_('Back to the previously activated node in the call tree'))
self.upViewTool = tb.AddLabelTool(ID_UP_VIEW, _('Up'), wx.ArtProvider.
GetBitmap(wx.ART_GO_UP, wx.ART_TOOLBAR, tsize), shortHelp=_(
'Go one level up the call tree (highest-percentage parent)'))
if not osx:
tb.AddSeparator()
self.percentageViewTool = wx.CheckBox(tb, -1, _('Percent '))
self.percentageViewTool.SetToolTip(wx.ToolTip(_(
'Toggle display of percentages in list views')))
tb.AddControl(self.percentageViewTool)
wx.EVT_CHECKBOX(self.percentageViewTool, self.percentageViewTool.GetId(
), self.OnPercentageView)
self.viewTypeTool = wx.Choice(tb, -1, choices=getattr(self.loader,
'ROOTS', []))
self.viewTypeTool.SetToolTip(wx.ToolTip(_(
'Switch between different hierarchic views of the data')))
wx.EVT_CHOICE(self.viewTypeTool, self.viewTypeTool.GetId(), self.
OnViewTypeTool)
tb.AddControl(self.viewTypeTool)
tb.Realize()
| SetupToolBar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tb = self.CreateToolBar(self.TBFLAGS)\n tsize = 24, 24\n tb.ToolBitmapSize = tsize\n open_bmp = wx.ArtProvider.GetBitmap(wx.ART_FILE_OPEN,... |
def x(self, event):
new = self.viewTypeTool.GetStringSelection()
if new != self.viewType:
self.viewType = new
self.OnRootView(event)
| OnViewTypeTool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n new = self.viewTypeTool.GetStringSelection()\n if new != self.viewType:\n self.viewType = new\n self.OnRootView(event)\n",
... |
def x(self, event=None):
self.viewTypeTool.SetItems(getattr(self.loader, 'ROOTS', []))
if self.loader and self.viewType in self.loader.ROOTS:
self.viewTypeTool.SetSelection(self.loader.ROOTS.index(self.viewType))
def x(typ):
def x(event):
if typ != self.viewType:
self.viewType = typ
self.OnRootView(event)
return Callback
for item in self.viewTypeMenu.GetMenuItems():
self.viewTypeMenu.DeleteItem(item)
if self.loader and self.loader.ROOTS:
for root in self.loader.ROOTS:
item = wx.MenuItem(self.viewTypeMenu, -1, root.title(), _(
'View hierarchy by %(name)s') % {'name': root.title()},
kind=wx.ITEM_RADIO)
item.SetCheckable(True)
self.viewTypeMenu.AppendItem(item)
item.Check(root == self.viewType)
wx.EVT_MENU(self, item.GetId(), chooser(root))
| ConfigureViewTypeChoices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event=None):\n self.viewTypeTool.SetItems(getattr(self.loader, 'ROOTS', []))\n if self.loader and self.viewType in self.loader.ROOTS:\n self... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.