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