source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(hot_map, index): children = hot_map[index][2] if children: return children[0][1] else: return hot_map[index][1]
firstChild
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hot_map, index):\n children = hot_map[index][2]\n if children:\n return children[0][1]\n else:\n return hot_map[index][1]\n", "role"...
def x(hotmap, index): nextChildIndex = min(index + 1, len(hotmap) - 1) return hotmap[nextChildIndex][1]
nextChild
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hotmap, index):\n nextChildIndex = min(index + 1, len(hotmap) - 1)\n return hotmap[nextChildIndex][1]\n", "role": "user" }, { "content": "nex...
def x(class_, hot_map): children = hot_map[-1][2] if children: return class_.lastNode(children) else: return hot_map[-1][1]
lastNode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(class_, hot_map):\n children = hot_map[-1][2]\n if children:\n return class_.lastNode(children)\n else:\n return hot_map[-1][1]\n", ...
def x(self, event): node = HotMapNavigator.findNodeAtPosition(self.hot_map, event.GetPosition() ) self.SetHighlight(node, event.GetPosition())
OnMouse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n node = HotMapNavigator.findNodeAtPosition(self.hot_map, event.GetPosition()\n )\n self.SetHighlight(node, event.GetPosition())\n",...
def x(self, event): node = HotMapNavigator.findNodeAtPosition(self.hot_map, event.GetPosition() ) self.SetSelected(node, event.GetPosition())
OnClickRelease
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n node = HotMapNavigator.findNodeAtPosition(self.hot_map, event.GetPosition()\n )\n self.SetSelected(node, event.GetPosition())\n", ...
def x(self, event): node = HotMapNavigator.findNodeAtPosition(self.hot_map, event.GetPosition() ) if node: wx.PostEvent(self, SquareActivationEvent(node=node, point=event. GetPosition(), map=self))
OnDoubleClick
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n node = HotMapNavigator.findNodeAtPosition(self.hot_map, event.GetPosition()\n )\n if node:\n wx.PostEvent(self, SquareActiv...
def x(self, node, point=None, propagate=True): if node == self.selectedNode: return self.selectedNode = node self.UpdateDrawing() if node: wx.PostEvent(self, SquareSelectionEvent(node=node, point=point, map =self))
SetSelected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, point=None, propagate=True):\n if node == self.selectedNode:\n return\n self.selectedNode = node\n self.UpdateDrawing()\n if nod...
def x(self, node, point=None, propagate=True): if node == self.highlightedNode: return self.highlightedNode = node self.UpdateDrawing() if node and propagate: wx.PostEvent(self, SquareHighlightEvent(node=node, point=point, map =self))
SetHighlight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, point=None, propagate=True):\n if node == self.highlightedNode:\n return\n self.highlightedNode = node\n self.UpdateDrawing()\n ...
def x(self, model, adapter=None): self.model = model if adapter is not None: self.adapter = adapter self.UpdateDrawing()
SetModel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, adapter=None):\n self.model = model\n if adapter is not None:\n self.adapter = adapter\n self.UpdateDrawing()\n", "role": "use...
def x(self, dc): self.hot_map = [] dc.BeginDrawing() brush = wx.Brush(self.BackgroundColour) dc.SetBackground(brush) dc.Clear() if self.model: self.max_depth_seen = 0 font = self.FontForLabels(dc) dc.SetFont(font) self._em_size_ = dc.GetFullTextExtent('m', font)[0] w, h = dc.GetSize() self.DrawBox(dc, self.model, 0, 0, w, h, hot_map=self.hot_map) dc.EndDrawing()
Draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dc):\n self.hot_map = []\n dc.BeginDrawing()\n brush = wx.Brush(self.BackgroundColour)\n dc.SetBackground(brush)\n dc.Clear()\n if self...
def x(self, dc): font = wx.SystemSettings_GetFont(wx.SYS_DEFAULT_GUI_FONT) scale = dc.GetPPI()[0] / wx.ScreenDC().GetPPI()[0] font.SetPointSize(scale * font.GetPointSize()) return font
FontForLabels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dc):\n font = wx.SystemSettings_GetFont(wx.SYS_DEFAULT_GUI_FONT)\n scale = dc.GetPPI()[0] / wx.ScreenDC().GetPPI()[0]\n font.SetPointSize(scale ...
def x(self, node, depth=0): if node == self.selectedNode: color = wx.SystemSettings_GetColour(wx.SYS_COLOUR_HIGHLIGHT) elif node == self.highlightedNode: color = wx.Colour(red=0, green=255, blue=0) else: color = self.adapter.background_color(node, depth) if not color: red = depth * 10 % 255 green = 255 - depth * 5 % 255 blue = depth * 25 % 255 color = wx.Colour(red, green, blue) return wx.Brush(color)
BrushForNode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, depth=0):\n if node == self.selectedNode:\n color = wx.SystemSettings_GetColour(wx.SYS_COLOUR_HIGHLIGHT)\n elif node == self.highlight...
def x(self, node, depth=0): if node == self.selectedNode: return self.SELECTED_PEN return self.DEFAULT_PEN
PenForNode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, depth=0):\n if node == self.selectedNode:\n return self.SELECTED_PEN\n return self.DEFAULT_PEN\n", "role": "user" }, { "co...
def x(self, node, depth=0): if node == self.selectedNode: fg_color = wx.SystemSettings_GetColour(wx.SYS_COLOUR_HIGHLIGHTTEXT) else: fg_color = self.adapter.foreground_color(node, depth) if not fg_color: fg_color = wx.SystemSettings_GetColour(wx.SYS_COLOUR_WINDOWTEXT) return fg_color
TextForegroundForNode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, depth=0):\n if node == self.selectedNode:\n fg_color = wx.SystemSettings_GetColour(wx.SYS_COLOUR_HIGHLIGHTTEXT)\n else:\n fg_co...
def x(self, dc, node, x, y, w, h, hot_map, depth=0): log.debug('Draw: %s to (%s,%s,%s,%s) depth %s', node, x, y, w, h, depth) if self.max_depth and depth > self.max_depth: return self.max_depth_seen = max((self.max_depth_seen, depth)) dc.SetBrush(self.BrushForNode(node, depth)) dc.SetPen(self.PenForNode(node, depth)) dx, dy, dw, dh = (x + self.margin, y + self.margin, w - self.margin * 2, h - self.margin * 2) if sys.platform == 'darwin': if w < self.padding * 2 or h < self.padding * 2: dc.DrawRectangle(dx, dy, dw, dh) else: dc.DrawRoundedRectangle(dx, dy, dw, dh, self.padding) else: dc.DrawRoundedRectangle(dx, dy, dw, dh, self.padding * 3) children_hot_map = [] hot_map.append((wx.Rect(int(x), int(y), int(w), int(h)), node, children_hot_map)) x += self.padding y += self.padding w -= self.padding * 2 h -= self.padding * 2 empty = self.adapter.empty(node) icon_drawn = False if self.max_depth and depth == self.max_depth: self.DrawIconAndLabel(dc, node, x, y, w, h, depth) icon_drawn = True elif empty: log.debug(' empty space fraction: %s', empty) new_h = h * (1.0 - empty) self.DrawIconAndLabel(dc, node, x, y, w, h - new_h, depth) icon_drawn = True y += h - new_h h = new_h if w > self.padding * 2 and h > self.padding * 2: children = self.adapter.children(node) if children: log.debug(' children: %s', children) self.LayoutChildren(dc, children, node, x, y, w, h, children_hot_map, depth + 1) else: log.debug(' no children') if not icon_drawn: self.DrawIconAndLabel(dc, node, x, y, w, h, depth) else: log.debug(' not enough space: children skipped')
DrawBox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dc, node, x, y, w, h, hot_map, depth=0):\n log.debug('Draw: %s to (%s,%s,%s,%s) depth %s', node, x, y, w, h, depth)\n if self.max_depth and depth >...
def x(self, dc, node, x, y, w, h, depth): if w - 2 < self._em_size_ // 2 or h - 2 < self._em_size_ // 2: return dc.SetClippingRegion(x + 1, y + 1, w - 2, h - 2) try: icon = self.adapter.icon(node, node == self.selectedNode) if icon and h >= icon.GetHeight() and w >= icon.GetWidth(): iconWidth = icon.GetWidth() + 2 dc.DrawIcon(icon, x + 2, y + 2) else: iconWidth = 0 if self.labels and h >= dc.GetTextExtent('ABC')[1]: dc.SetTextForeground(self.TextForegroundForNode(node, depth)) dc.DrawText(self.adapter.label(node), x + iconWidth + 2, y + 2) finally: dc.DestroyClippingRegion()
DrawIconAndLabel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dc, node, x, y, w, h, depth):\n if w - 2 < self._em_size_ // 2 or h - 2 < self._em_size_ // 2:\n return\n dc.SetClippingRegion(x + 1, y + 1,...
def x(self, dc, children, parent, x, y, w, h, hot_map, depth=0, node_sum=None): if node_sum is None: nodes = [(self.adapter.value(node, parent), node) for node in children] nodes.sort(key=operator.itemgetter(0)) total = self.adapter.children_sum(children, parent) else: nodes = children total = node_sum if total: if self.square_style and len(nodes) > 5: (head_sum, head), (tail_sum, tail) = split_by_value(total, nodes) if head and tail: head_coord, tail_coord = split_box(head_sum / float(total), x, y, w, h) if head_coord: self.LayoutChildren(dc, head, parent, head_coord[0], head_coord[1], head_coord[2], head_coord[3], hot_map, depth, node_sum=head_sum) if tail_coord and coord_bigger_than_padding(tail_coord, self.padding + self.margin): self.LayoutChildren(dc, tail, parent, tail_coord[0], tail_coord[1], tail_coord[2], tail_coord[3], hot_map, depth, node_sum=tail_sum) return firstSize, firstNode = nodes[-1] fraction = firstSize / float(total) head_coord, tail_coord = split_box(firstSize / float(total), x, y, w, h ) if head_coord: self.DrawBox(dc, firstNode, head_coord[0], head_coord[1], head_coord[2], head_coord[3], hot_map, depth + 1) else: return if len(nodes) > 1 and tail_coord and coord_bigger_than_padding( tail_coord, self.padding + self.margin): self.LayoutChildren(dc, nodes[:-1], parent, tail_coord[0], tail_coord[1], tail_coord[2], tail_coord[3], hot_map, depth, node_sum=total - firstSize)
LayoutChildren
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dc, children, parent, x, y, w, h, hot_map, depth=0, node_sum=None):\n if node_sum is None:\n nodes = [(self.adapter.value(node, parent), node) ...
def x(self, node): return sum([self.value(value, node) for value in self.children(node)])
overall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n return sum([self.value(value, node) for value in self.children(node)])\n", "role": "user" }, { "content": "overall", "role": ...
def x(self, children, node): return sum([self.value(value, node) for value in children])
children_sum
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, children, node):\n return sum([self.value(value, node) for value in children])\n", "role": "user" }, { "content": "children_sum", "rol...
def x(self, node): overall = self.overall(node) if overall: return (overall - self.children_sum(self.children(node), node) ) / float(overall) return 0
empty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n overall = self.overall(node)\n if overall:\n return (overall - self.children_sum(self.children(node), node)\n ) / float(...
def x(num, suffix='bytes'): for unit in ['', 'K', 'M', 'G', 'T', 'P', 'E', 'Z']: if abs(num) < 1000.0: return '%3.1f%s%s' % (num, unit, suffix) num /= 1000.0 return '%.1f%s%s' % (num, 'Y', suffix)
format_sizeof
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(num, suffix='bytes'):\n for unit in ['', 'K', 'M', 'G', 'T', 'P', 'E', 'Z']:\n if abs(num) < 1000.0:\n return '%3.1f%s%s' % (num, unit, su...
def x(self, n=1): if n < 1: n = 1 self.n += n delta_it = self.n - self.last_print_n if delta >= self.miniters: cur_t = time.time() if cur_t - self.last_print_t >= self.mininterval: self.sp.print_status(format_meter(self.n, self.total, cur_t - self.start_t, self.ncols, self.prefix, self.unit, self. unit_format, self.ascii)) if self.dynamic_miniters: self.miniters = max(self.miniters, delta_it) self.last_print_n = self.n self.last_print_t = cur_t
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n=1):\n if n < 1:\n n = 1\n self.n += n\n delta_it = self.n - self.last_print_n\n if delta >= self.miniters:\n cur_t = time.tim...
def x(self): if self.leave: if self.last_print_n < self.n: cur_t = time.time() self.sp.print_status(format_meter(self.n, self.total, cur_t - self.start_t, self.ncols, self.prefix, self.unit, self. unit_format, self.ascii)) self.file.write('\n') else: self.sp.print_status('') self.file.write('\r')
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.leave:\n if self.last_print_n < self.n:\n cur_t = time.time()\n self.sp.print_status(format_meter(self.n, self...
def x(self, value): if value not in self._set: self._set.add(value) self._list.add(value)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if value not in self._set:\n self._set.add(value)\n self._list.add(value)\n", "role": "user" }, { "content": "add"...
def x(self): return self.__class__(key=self._key, load=self._load, _set=set(self._set))
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__(key=self._key, load=self._load, _set=set(self._set))\n", "role": "user" }, { "content": "copy", "role": "assi...
def x(self, *iterables): diff = self._set.difference(*iterables) new_set = self.__class__(key=self._key, load=self._load, _set=diff) return new_set
difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *iterables):\n diff = self._set.difference(*iterables)\n new_set = self.__class__(key=self._key, load=self._load, _set=diff)\n return new_set\n"...
def x(self, *iterables): comb = self._set.intersection(*iterables) new_set = self.__class__(key=self._key, load=self._load, _set=comb) return new_set
intersection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *iterables):\n comb = self._set.intersection(*iterables)\n new_set = self.__class__(key=self._key, load=self._load, _set=comb)\n return new_set\...
def x(self, that): diff = self._set.symmetric_difference(that) new_set = self.__class__(key=self._key, load=self._load, _set=diff) return new_set
symmetric_difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, that):\n diff = self._set.symmetric_difference(that)\n new_set = self.__class__(key=self._key, load=self._load, _set=diff)\n return new_set\n", ...
def x(data, key): if isinstance(data, unicode): data = data.encode('ascii') if cookie_is_encoded(data): sig, msg = data.split(u'?'.encode('ascii'), 1) if sig[1:] == base64.b64encode(hmac.new(key, msg).digest()): return pickle.loads(base64.b64decode(msg)) return None
cookie_decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, key):\n if isinstance(data, unicode):\n data = data.encode('ascii')\n if cookie_is_encoded(data):\n sig, msg = data.split(u'?'.encode...
def x(data): return bool(data.startswith(u'!'.encode('ascii')) and u'?'.encode( 'ascii') in data)
cookie_is_encoded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n return bool(data.startswith(u'!'.encode('ascii')) and u'?'.encode(\n 'ascii') in data)\n", "role": "user" }, { "content": "cooki...
def x(enc='utf-8'): if sys.version_info >= (3, 0, 0): return lambda x: x.decode(enc) if isinstance(x, bytes) else str(x) return lambda x: x.encode(enc) if isinstance(x, unicode) else str(x)
tonativefunc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(enc='utf-8'):\n if sys.version_info >= (3, 0, 0):\n return lambda x: x.decode(enc) if isinstance(x, bytes) else str(x)\n return lambda x: x.encode...
def x(self, app, script_path): if not isinstance(app, Bottle): raise TypeError('Only Bottle instances are supported for now.') script_path = '/'.join(filter(None, script_path.split('/'))) path_depth = script_path.count('/') + 1 if not script_path: raise TypeError('Empty script_path. Perhaps you want a merge()?') for other in self.mounts: if other.startswith(script_path): raise TypeError('Conflict with existing mount: %s' % other) @self.route('/%s/:#.*#' % script_path, method='ANY') def x(): request.path_shift(path_depth) return app.handle(request.path, request.method) self.mounts[script_path] = app
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app, script_path):\n if not isinstance(app, Bottle):\n raise TypeError('Only Bottle instances are supported for now.')\n script_path = '/'.j...
def x(self): if self._header is None: self._header = HeaderDict() for key, value in self.environ.iteritems(): if key.startswith('HTTP_'): key = key[5:].replace('_', '-').title() self._header[key] = value return self._header
header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._header is None:\n self._header = HeaderDict()\n for key, value in self.environ.iteritems():\n if key.startswith('...
def x(self): if self._GET is None: data = parse_qs(self.query_string, keep_blank_values=True) self._GET = MultiDict() for key, values in data.iteritems(): for value in values: self._GET[key] = value return self._GET
GET
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._GET is None:\n data = parse_qs(self.query_string, keep_blank_values=True)\n self._GET = MultiDict()\n for key, values...
def x(self): if self._COOKIES is None: raw_dict = SimpleCookie(self.environ.get('HTTP_COOKIE', '')) self._COOKIES = {} for cookie in raw_dict.itervalues(): self._COOKIES[cookie.key] = cookie.value return self._COOKIES
COOKIES
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._COOKIES is None:\n raw_dict = SimpleCookie(self.environ.get('HTTP_COOKIE', ''))\n self._COOKIES = {}\n for cookie in ...
def x(self, key, value, **kargs): if not isinstance(value, basestring): sec = self.app.config['securecookie.key'] value = cookie_encode(value, sec).decode('ascii') self.COOKIES[key] = value for k, v in kargs.iteritems(): self.COOKIES[key][k.replace('_', '-')] = v
set_cookie
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value, **kargs):\n if not isinstance(value, basestring):\n sec = self.app.config['securecookie.key']\n value = cookie_encode(value,...
def x(path, pos=0, replace_str=None): if not replace_str: replace_str = '\x00' try: with open(path, 'r+b') as fh: if pos < 0: fsize = os.fstat(fh.fileno()).st_size pos = fsize + pos fh.seek(pos) fh.write(replace_str) except IOError: return False finally: try: fh.close() except Exception: pass return True
tamper_file_at
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, pos=0, replace_str=None):\n if not replace_str:\n replace_str = '\\x00'\n try:\n with open(path, 'r+b') as fh:\n if pos < ...
def x(filepath, mode='e', proba=0.03, block_proba=None, blocksize=65535, burst_length=None, header=None): if header and header > 0: blocksize = header tamper_count = 0 total_size = 0 with open(filepath, 'r+b') as fh: if proba >= 1: proba = 1.0 / os.fstat(fh.fileno()).st_size * proba buf = fh.read(blocksize) while len(buf) > 0: total_size += len(buf) if not block_proba or random.random() < block_proba: pos2tamper = [] burst_remain = 0 for i in xrange(len(buf)): if burst_remain > 0 or random.random() < proba: pos2tamper.append(i) if burst_remain > 0: burst_remain -= 1 elif burst_length: burst_remain = random.randint(burst_length[0], burst_length[1]) - 1 if pos2tamper: tamper_count = tamper_count + len(pos2tamper) buf = bytearray(buf) for pos in pos2tamper: if mode == 'e' or mode == 'erasure': buf[pos] = 0 elif mode == 'n' or mode == 'noise': buf[pos] = random.randint(0, 255) prevpos = fh.tell() fh.seek(fh.tell() - len(buf)) fh.write(buf) fh.seek(prevpos) if header and header > 0: buf = '' else: buf = fh.read(blocksize) return [tamper_count, total_size]
tamper_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath, mode='e', proba=0.03, block_proba=None, blocksize=65535,\n burst_length=None, header=None):\n if header and header > 0:\n blocksize = he...
def x(inputpath, *args, **kwargs): silent = kwargs.get('silent', False) if 'silent' in kwargs: del kwargs['silent'] filescount = 0 for _ in tqdm(recwalk(inputpath), desc='Precomputing', disable=silent): filescount += 1 files_tampered = 0 tamper_count = 0 total_size = 0 for dirname, filepath in tqdm(recwalk(inputpath), total=filescount, leave=True, desc='Tamper file n.', disable=silent): tcount, tsize = tamper_file(os.path.join(dirname, filepath), *args, **kwargs) if tcount > 0: tamper_count += tcount files_tampered += 1 total_size += tsize return [files_tampered, filescount, tamper_count, total_size]
tamper_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputpath, *args, **kwargs):\n silent = kwargs.get('silent', False)\n if 'silent' in kwargs:\n del kwargs['silent']\n filescount = 0\n for _...
def x(self): stack_trace = stack() try: self.trace = [] for frm in stack_trace[5:]: self.trace.insert(0, frm[1:]) finally: del stack_trace
save_trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n stack_trace = stack()\n try:\n self.trace = []\n for frm in stack_trace[5:]:\n self.trace.insert(0, frm[1:])\n final...
def x(self, ts, sizer): obj = self.ref() self.snapshots.append((ts, sizer.asized(obj, detail=self. _resolution_level))) if obj is not None: self.repr = safe_repr(obj, clip=128)
track_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ts, sizer):\n obj = self.ref()\n self.snapshots.append((ts, sizer.asized(obj, detail=self.\n _resolution_level)))\n if obj is not None:\n...
def x(self, timestamp): size = 0 for t, s in self.snapshots: if t == timestamp: size = s.size return size
get_size_at_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timestamp):\n size = 0\n for t, s in self.snapshots:\n if t == timestamp:\n size = s.size\n return size\n", "role": "user"...
def x(self): self.stop = False while not self.stop: self.tracker.create_snapshot() sleep(self.interval)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.stop = False\n while not self.stop:\n self.tracker.create_snapshot()\n sleep(self.interval)\n", "role": "user" }, { ...
def x(self): if self.system_total.available: return self.system_total.vsz elif self.asizeof_total: return self.asizeof_total else: return self.tracked_total
total
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.system_total.available:\n return self.system_total.vsz\n elif self.asizeof_total:\n return self.asizeof_total\n else:\n...
def x(self): if not self.desc: return '%.3fs' % self.timestamp return '%s (%.3fs)' % (self.desc, self.timestamp)
label
[ { "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.desc:\n return '%.3fs' % self.timestamp\n return '%s (%.3fs)' % (self.desc, self.timestamp)\n", "role": "user" }, { ...
def x(self, _observer_, _self_, *args, **kwds): self.track_object(_self_, name=_observer_.name, resolution_level= _observer_.detail, keep=_observer_.keep, trace=_observer_.trace) _observer_.init(_self_, *args, **kwds)
tracker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, _observer_, _self_, *args, **kwds):\n self.track_object(_self_, name=_observer_.name, resolution_level=\n _observer_.detail, keep=_observer_.ke...
def x(self, cls, func, name, resolution_level, keep, trace): try: constructor = cls.__init__ except AttributeError: def x(self, *_args, **_kwargs): pass self._observers[cls] = _ClassObserver(constructor, name, resolution_level, keep, trace) cls.__init__ = instancemethod(lambda *args, **kwds: func(self. _observers[cls], *args, **kwds), None, cls)
inject_constructor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls, func, name, resolution_level, keep, trace):\n try:\n constructor = cls.__init__\n except AttributeError:\n\n def x(self, *_args,...
def x(self, cls, name, detail, keep, trace): self._observers[cls].modify(name, detail, keep, trace)
track_modify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls, name, detail, keep, trace):\n self._observers[cls].modify(name, detail, keep, trace)\n", "role": "user" }, { "content": "track_modify...
def x(self, cls): cls.__init__ = self._observers[cls].init del self._observers[cls]
restore_constructor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls):\n cls.__init__ = self._observers[cls].init\n del self._observers[cls]\n", "role": "user" }, { "content": "restore_constructor", ...
def x(self, instance, resolution_level=0): tobj = self.objects[id(instance)] tobj.set_resolution_level(resolution_level)
track_change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance, resolution_level=0):\n tobj = self.objects[id(instance)]\n tobj.set_resolution_level(resolution_level)\n", "role": "user" }, { ...
def x(self, instance, name=None, resolution_level=0, keep=False, trace=False): if id(instance) in self.objects and self.objects[id(instance)].ref( ) is not None: return tobj = TrackedObject(instance, resolution_level=resolution_level, trace =trace) if name is None: name = instance.__class__.__name__ if not name in self.index: self.index[name] = [] self.index[name].append(tobj) self.objects[id(instance)] = tobj if keep: self._keepalive.append(instance)
track_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instance, name=None, resolution_level=0, keep=False, trace=False):\n if id(instance) in self.objects and self.objects[id(instance)].ref(\n ) is...
def x(self, cls, name=None, resolution_level=0, keep=False, trace=False): if not isclass(cls): raise TypeError('only class objects can be tracked') if name is None: name = cls.__module__ + '.' + cls.__name__ if self._is_tracked(cls): self._track_modify(cls, name, resolution_level, keep, trace) else: self._inject_constructor(cls, self._tracker, name, resolution_level, keep, trace)
track_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls, name=None, resolution_level=0, keep=False, trace=False):\n if not isclass(cls):\n raise TypeError('only class objects can be tracked')\n ...
def x(self): classes = list(self._observers.keys()) for cls in classes: self.detach_class(cls)
detach_all_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n classes = list(self._observers.keys())\n for cls in classes:\n self.detach_class(cls)\n", "role": "user" }, { "content": "det...
def x(self): self.detach_all_classes() self.objects.clear() self.index.clear() self._keepalive[:] = []
detach_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.detach_all_classes()\n self.objects.clear()\n self.index.clear()\n self._keepalive[:] = []\n", "role": "user" }, { "conte...
def x(self, interval=1.0): if not self._periodic_thread: self._periodic_thread = PeriodicThread(self, interval, name= 'BackgroundMonitor') self._periodic_thread.setDaemon(True) self._periodic_thread.start() else: self._periodic_thread.interval = interval
start_periodic_snapshots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, interval=1.0):\n if not self._periodic_thread:\n self._periodic_thread = PeriodicThread(self, interval, name=\n 'BackgroundMonitor')...
def x(self): if self._periodic_thread and self._periodic_thread.isAlive(): self._periodic_thread.stop = True self._periodic_thread.join() self._periodic_thread = None
stop_periodic_snapshots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._periodic_thread and self._periodic_thread.isAlive():\n self._periodic_thread.stop = True\n self._periodic_thread.join()\n ...
def x(self, description='', compute_total=False): try: self.snapshot_lock.acquire() timestamp = _get_time() sizer = asizeof.Asizer() objs = [tobj.ref() for tobj in list(self.objects.values())] sizer.exclude_refs(*objs) tracked_objects = list(self.objects.values()) tracked_objects.sort(key=lambda x: x.birth) for tobj in tracked_objects: tobj.track_size(timestamp, sizer) snapshot = Snapshot() snapshot.timestamp = timestamp snapshot.tracked_total = sizer.total if compute_total: snapshot.asizeof_total = asizeof.asizeof(all=True, code=True) snapshot.system_total = pympler.process.ProcessMemoryInfo() snapshot.desc = str(description) snapshot.overhead = 0 if snapshot.tracked_total: snapshot.overhead = sizer.asizeof(self) if snapshot.asizeof_total: snapshot.asizeof_total -= snapshot.overhead self.snapshots.append(snapshot) finally: self.snapshot_lock.release()
create_snapshot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, description='', compute_total=False):\n try:\n self.snapshot_lock.acquire()\n timestamp = _get_time()\n sizer = asizeof.Asizer()\...
def x(action): return not action.option_strings and not isinstance(action, _SubParsersAction) or action.required == True
is_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(action):\n return not action.option_strings and not isinstance(action,\n _SubParsersAction) or action.required == True\n", "role": "user" }, ...
def x(entry_fields, ecc_params, header_size, filepath, fileheader=None): if fileheader is None: with open(filepath, 'rb') as file: if entry_fields['filesize'] > 0 and entry_fields['filesize' ] < header_size: fileheader = file.read(entry_fields['filesize']) else: fileheader = file.read(header_size) entry_asm = [] for i, j in itertools.izip(xrange(0, len(fileheader), ecc_params[ 'message_size']), xrange(0, len(entry_fields['ecc_field']), ecc_params['hash_size'] + ecc_params['ecc_size'])): mes = fileheader[i:i + ecc_params['message_size']] hash = entry_fields['ecc_field'][j:j + ecc_params['hash_size']] ecc = entry_fields['ecc_field'][j + ecc_params['hash_size']:j + ecc_params['hash_size'] + ecc_params['ecc_size']] entry_asm.append({'message': mes, 'hash': hash, 'ecc': ecc}) return entry_asm
entry_assemble
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(entry_fields, ecc_params, header_size, filepath, fileheader=None):\n if fileheader is None:\n with open(filepath, 'rb') as file:\n if entr...
def x(ecc_manager, hasher, buf, max_block_size, rate, message_size=None, as_string=False): result = [] if not message_size: ecc_params = compute_ecc_params(max_block_size, rate, hasher) message_size = ecc_params['message_size'] for i in xrange(0, len(buf), message_size): mes = buf[i:i + message_size] ecc = ecc_manager.encode(mes) hash = hasher.hash(mes) if as_string: result.append('%s%s' % (str(hash), str(ecc))) else: result.append([hash, ecc]) return result
compute_ecc_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ecc_manager, hasher, buf, max_block_size, rate, message_size=None,\n as_string=False):\n result = []\n if not message_size:\n ecc_params = comp...
def x(self, graph): result = [] idset = set([id(x) for x in graph]) for n in graph: refset = set([id(x) for x in get_referents(n)]) if refset.intersection(idset): result.append(n) return result
eliminate_leafs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, graph):\n result = []\n idset = set([id(x) for x in graph])\n for n in graph:\n refset = set([id(x) for x in get_referents(n)])\n ...
def x(self): cycles = self.objects[:] cnt = 0 while cnt != len(cycles): cnt = len(cycles) cycles = self._eliminate_leafs(cycles) self.objects = cycles return len(self.objects)
reduce_to_cycles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cycles = self.objects[:]\n cnt = 0\n while cnt != len(cycles):\n cnt = len(cycles)\n cycles = self._eliminate_leafs(cycles)\n ...
def x(self): if not self._reduced: reduced = copy(self) reduced.objects = self.objects[:] reduced.metadata = [] reduced.edges = [] self.num_in_cycles = reduced._reduce_to_cycles() reduced.num_in_cycles = self.num_in_cycles if self.num_in_cycles: reduced._get_edges() reduced._annotate_objects() for meta in reduced.metadata: meta.cycle = True else: reduced = None self._reduced = reduced return self._reduced
reduce_to_cycles
[ { "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._reduced:\n reduced = copy(self)\n reduced.objects = self.objects[:]\n reduced.metadata = []\n reduced.edge...
def x(self): idset = set([id(x) for x in self.objects]) self.edges = set([]) for n in self.objects: refset = set([id(x) for x in get_referents(n)]) for ref in refset.intersection(idset): label = '' members = None if isinstance(n, dict): members = n.items() if not members: members = named_refs(n) for k, v in members: if id(v) == ref: label = k break self.edges.add(_Edge(id(n), ref, label))
get_edges
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n idset = set([id(x) for x in self.objects])\n self.edges = set([])\n for n in self.objects:\n refset = set([id(x) for x in get_referent...
def x(self): g = {} for x in self.metadata: g[x.id] = x idx = 0 for x in self.metadata: if not hasattr(x, 'group'): x.group = idx idx += 1 neighbors = set() for e in self.edges: if e.src == x.id: neighbors.add(e.dst) if e.dst == x.id: neighbors.add(e.src) for nb in neighbors: g[nb].group = min(x.group, getattr(g[nb], 'group', idx)) for e in self.edges: e.group = g[e.src].group self._max_group = idx
annotate_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n g = {}\n for x in self.metadata:\n g[x.id] = x\n idx = 0\n for x in self.metadata:\n if not hasattr(x, 'group'):\n ...
def x(self, group): self.metadata = [x for x in self.metadata if x.group == group] group_set = set([x.id for x in self.metadata]) self.objects = [obj for obj in self.objects if id(obj) in group_set] self.count = len(self.metadata) if self.metadata == []: return False self.edges = [e for e in self.edges if e.group == group] del self._max_group return True
filter_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group):\n self.metadata = [x for x in self.metadata if x.group == group]\n group_set = set([x.id for x in self.metadata])\n self.objects = [obj ...
def x(self): self._annotate_groups() index = 0 for group in range(self._max_group): subgraph = copy(self) subgraph.metadata = self.metadata[:] subgraph.edges = self.edges.copy() if subgraph._filter_group(group): subgraph.total_size = sum([x.size for x in subgraph.metadata]) subgraph.index = index index += 1 yield subgraph
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._annotate_groups()\n index = 0\n for group in range(self._max_group):\n subgraph = copy(self)\n subgraph.metadata = self.m...
def x(self): graphs = list(self.split()) graphs.sort(key=lambda x: -len(x.metadata)) for index, graph in enumerate(graphs): graph.index = index return graphs
split_and_sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n graphs = list(self.split())\n graphs.sort(key=lambda x: -len(x.metadata))\n for index, graph in enumerate(graphs):\n graph.index = ind...
def x(self): self.metadata = [] sizer = Asizer() sizes = sizer.asizesof(*self.objects) self.total_size = sizer.total for obj, sz in zip(self.objects, sizes): md = _MetaObject() md.size = sz md.id = id(obj) try: md.type = obj.__class__.__name__ except (AttributeError, ReferenceError): md.type = type(obj).__name__ md.str = safe_repr(obj, clip=128) self.metadata.append(md)
annotate_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.metadata = []\n sizer = Asizer()\n sizes = sizer.asizesof(*self.objects)\n self.total_size = sizer.total\n for obj, sz in zip(self...
def x(self): s = [] header = '// Process this file with graphviz\n' s.append(header) s.append('digraph G {\n') s.append(' node [shape=box];\n') for md in self.metadata: label = trunc(md.str, 48).replace('"', "'") extra = '' if md.type == 'instancemethod': extra = ', color=red' elif md.type == 'frame': extra = ', color=orange' s.append(' "X%s" [ label = "%s\\n%s" %s ];\n' % (hex(md.id)[1:], label, md.type, extra)) for e in self.edges: extra = '' if e.label == '__dict__': extra = ',weight=100' s.append(' X%s -> X%s [label="%s"%s];\n' % (hex(e.src)[1:], hex( e.dst)[1:], e.label, extra)) s.append('}\n') return ''.join(s)
get_graphviz_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n s = []\n header = '// Process this file with graphviz\\n'\n s.append(header)\n s.append('digraph G {\\n')\n s.append(' node [shape=b...
def x(self, filename, cmd='dot', format='ps', unflatten=False): if self.objects == []: return False data = self._get_graphviz_data() options = ('-Nfontsize=10', '-Efontsize=10', '-Nstyle=filled', '-Nfillcolor=#E5EDB8', '-Ncolor=#CCCCCC') cmdline = (cmd, '-T%s' % format, '-o', filename) + options if unflatten: p1 = Popen(('unflatten', '-l7'), stdin=PIPE, stdout=PIPE, **popen_flags ) p2 = Popen(cmdline, stdin=p1.stdout, **popen_flags) p1.communicate(encode4pipe(data)) p2.communicate() return p2.returncode == 0 else: p = Popen(cmdline, stdin=PIPE, **popen_flags) p.communicate(encode4pipe(data)) return p.returncode == 0
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, cmd='dot', format='ps', unflatten=False):\n if self.objects == []:\n return False\n data = self._get_graphviz_data()\n options ...
def x(self, filename): f = open(filename, 'w') f.write(self._get_graphviz_data()) f.close()
write_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n f = open(filename, 'w')\n f.write(self._get_graphviz_data())\n f.close()\n", "role": "user" }, { "content": "write_grap...
def x(self): if not hasattr(self, '_root_frame'): self._root_frame = Frame() def x(stack): if len(stack) == 0: return self._root_frame parent = frame_for_stack(stack[:-1]) frame_name = stack[-1] if not frame_name in parent.children_dict: parent.add_child(Frame(frame_name, parent)) return parent.children_dict[frame_name] for stack, self_time in self.stack_self_time.items(): frame_for_stack(stack).self_time = self_time return self._root_frame
root_frame
[ { "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 hasattr(self, '_root_frame'):\n self._root_frame = Frame()\n\n def x(stack):\n if len(stack) == 0:\n ...
def x(): global call_dict global call_stack global func_count global func_count_max global func_time global func_time_max global call_stack_timer call_dict = {} call_stack = ['__main__'] func_count = {} func_count_max = 0 func_time = {} func_time_max = 0 call_stack_timer = []
reset_trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global call_dict\n global call_stack\n global func_count\n global func_count_max\n global func_time\n global func_time_max\n global c...
def x(file_name): lib_path = sysconfig.get_python_lib() path = os.path.split(lib_path) if path[1] == 'site-packages': lib_path = path[0] return file_name.lower().startswith(lib_path.lower())
is_module_stdlib
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_name):\n lib_path = sysconfig.get_python_lib()\n path = os.path.split(lib_path)\n if path[1] == 'site-packages':\n lib_path = path[0]\n ...
def x(reset=True, filter_func=None, time_filter_func=None): global trace_filter global time_filter if reset: reset_trace() if filter_func: trace_filter = filter_func else: trace_filter = GlobbingFilter(exclude=['pycallgraph.*']) if time_filter_func: time_filter = time_filter_func else: time_filter = GlobbingFilter() sys.settrace(tracer)
start_trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reset=True, filter_func=None, time_filter_func=None):\n global trace_filter\n global time_filter\n if reset:\n reset_trace()\n if filter_fun...
def x(frame, event, arg): global func_count_max global func_count global trace_filter global time_filter global call_stack global func_time global func_time_max if event == 'call': keep = True code = frame.f_code full_name_list = [] module = inspect.getmodule(code) if module: module_name = module.__name__ module_path = module.__file__ if not settings['include_stdlib'] and is_module_stdlib(module_path ): keep = False if module_name == '__main__': module_name = '' else: module_name = '' if module_name: full_name_list.append(module_name) try: class_name = frame.f_locals['self'].__class__.__name__ full_name_list.append(class_name) except (KeyError, AttributeError): class_name = '' func_name = code.co_name if func_name == '?': func_name = '__main__' full_name_list.append(func_name) full_name = '.'.join(full_name_list) if keep and trace_filter: keep = trace_filter(call_stack, module_name, class_name, func_name, full_name) if keep: if call_stack: fr = call_stack[-1] else: fr = None if fr not in call_dict: call_dict[fr] = {} if full_name not in call_dict[fr]: call_dict[fr][full_name] = 0 call_dict[fr][full_name] += 1 if full_name not in func_count: func_count[full_name] = 0 func_count[full_name] += 1 if func_count[full_name] > func_count_max: func_count_max = func_count[full_name] call_stack.append(full_name) call_stack_timer.append(time.time()) else: call_stack.append('') call_stack_timer.append(None) if event == 'return': if call_stack: full_name = call_stack.pop(-1) if call_stack_timer: t = call_stack_timer.pop(-1) else: t = None if t and time_filter(stack=call_stack, full_name=full_name): if full_name not in func_time: func_time[full_name] = 0 call_time = time.time() - t func_time[full_name] += call_time if func_time[full_name] > func_time_max: func_time_max = func_time[full_name] return tracer
tracer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(frame, event, arg):\n global func_count_max\n global func_count\n global trace_filter\n global time_filter\n global call_stack\n global func_...
def x(stop=True): defaults = [] nodes = [] edges = [] for comp, comp_attr in graph_attributes.items(): attr = ', '.join('%s = "%s"' % (attr, val) for attr, val in comp_attr.items()) defaults.append('\t%(comp)s [ %(attr)s ];\n' % locals()) for func, hits in func_count.items(): calls_frac, total_time_frac, total_time = _frac_calculation(func, hits) col = settings['node_colour'](calls_frac, total_time_frac) attribs = [('%s="%s"' % a) for a in settings['node_attributes'].items() ] node_str = '"%s" [%s];' % (func, ', '.join(attribs)) nodes.append(node_str % locals()) for fr_key, fr_val in call_dict.items(): if not fr_key: continue for to_key, to_val in fr_val.items(): calls_frac, total_time_frac, totla_time = _frac_calculation(to_key, to_val) col = settings['edge_colour'](calls_frac, total_time_frac) edge = '[ color = "%s", label="%s" ]' % (col, to_val) edges.append('"%s"->"%s" %s;' % (fr_key, to_key, edge)) defaults = '\n\t'.join(defaults) nodes = '\n\t'.join(nodes) edges = '\n\t'.join(edges) dot_fmt = 'digraph G {\n\t%(defaults)s\n\n\t%(nodes)s\n\n\t%(edges)s\n}\n' return dot_fmt % locals()
get_dot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stop=True):\n defaults = []\n nodes = []\n edges = []\n for comp, comp_attr in graph_attributes.items():\n attr = ', '.join('%s = \"%s\"' % ...
def x(stop=True): ret = ['nodedef>name VARCHAR, label VARCHAR, hits INTEGER, ' + 'calls_frac DOUBLE, total_time_frac DOUBLE, ' + 'total_time DOUBLE, color VARCHAR, width DOUBLE'] for func, hits in func_count.items(): calls_frac, total_time_frac, total_time = _frac_calculation(func, hits) col = settings['node_colour'](calls_frac, total_time_frac) color = ','.join([str(round(float(c) * 255)) for c in col.split()]) ret.append("%s,%s,%s,%s,%s,%s,'%s',%s" % (func, func, hits, calls_frac, total_time_frac, total_time, color, math.log(hits * 10))) ret.append('edgedef>node1 VARCHAR, node2 VARCHAR, color VARCHAR') for fr_key, fr_val in call_dict.items(): if fr_key == '': continue for to_key, to_val in fr_val.items(): calls_frac, total_time_frac, total_time = _frac_calculation(to_key, to_val) col = settings['edge_colour'](calls_frac, total_time_frac) color = ','.join([str(round(float(c) * 255)) for c in col.split()]) ret.append("%s,%s,'%s'" % (fr_key, to_key, color)) ret = '\n'.join(ret) return ret
get_gdf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stop=True):\n ret = ['nodedef>name VARCHAR, label VARCHAR, hits INTEGER, ' +\n 'calls_frac DOUBLE, total_time_frac DOUBLE, ' +\n 'total_time D...
def x(filename, format='png', tool='dot', stop=True): if stop: stop_trace() dot_data = get_dot() regex_user_expand = re.compile('\\A~') if regex_user_expand.match(filename): filename = os.path.expanduser(filename) else: filename = os.path.expandvars(filename) if format == 'dot': f = open(filename, 'w') f.write(dot_data) f.close() else: fd, tempname = tempfile.mkstemp() with os.fdopen(fd, 'w') as f: f.write(dot_data) cmd = '%(tool)s -T%(format)s -o%(filename)s %(tempname)s' % locals() try: ret = os.system(cmd) if ret: raise PyCallGraphException( 'The command "%(cmd)s" failed with error code %(ret)i.' % locals()) finally: os.unlink(tempname)
make_dot_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, format='png', tool='dot', stop=True):\n if stop:\n stop_trace()\n dot_data = get_dot()\n regex_user_expand = re.compile('\\\\A~')\n ...
def x(filename, stop=True): if stop: stop_trace() try: f = open(filename, 'w') f.write(get_gdf()) finally: if f: f.close()
make_gdf_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, stop=True):\n if stop:\n stop_trace()\n try:\n f = open(filename, 'w')\n f.write(get_gdf())\n finally:\n if f:\n...
def x(callable_object): cache = dict() def x(*rest): if rest not in cache: cache[rest] = callable_object(*rest) return cache[rest] return wrapper
simple_memoize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(callable_object):\n cache = dict()\n\n def x(*rest):\n if rest not in cache:\n cache[rest] = callable_object(*rest)\n return cac...
def x(): import subprocess, sys subprocess.call([sys.argv[0] + '32'] + sys.argv[1:], env={ 'VERSIONER_PYTHON_PREFER_32_BIT': 'yes'})
macshim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import subprocess, sys\n subprocess.call([sys.argv[0] + '32'] + sys.argv[1:], env={\n 'VERSIONER_PYTHON_PREFER_32_BIT': 'yes'})\n", "role...
def x(file_obj): plat = sys.platform supported_platform = plat != 'Pocket PC' and (plat != 'win32' or 'ANSICON' in os.environ) is_a_tty = hasattr(file_obj, 'isatty') and file_obj.isatty() if not supported_platform or not is_a_tty: return False return True
file_supports_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_obj):\n plat = sys.platform\n supported_platform = plat != 'Pocket PC' and (plat != 'win32' or \n 'ANSICON' in os.environ)\n is_a_tty = ha...
def x(max_block_size, rate, hasher): message_size = int(round(float(max_block_size) / (1 + 2 * rate), 0)) ecc_size = max_block_size - message_size hash_size = len(hasher) return {'message_size': message_size, 'ecc_size': ecc_size, 'hash_size': hash_size}
compute_ecc_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_block_size, rate, hasher):\n message_size = int(round(float(max_block_size) / (1 + 2 * rate), 0))\n ecc_size = max_block_size - message_size\n has...
def x(message, mesecc_orig, gen_list=[2, 3, 5], c_exp=8): from .reedsolomon import reedsolo as reedsolop n = len(mesecc_orig) k = len(message) field_charac = int(2 ** c_exp - 1) maxval1 = max([(ord(x) if isinstance(x, basestring) else x) for x in message]) maxval2 = max([(ord(x) if isinstance(x, basestring) else x) for x in mesecc_orig]) maxval = max([maxval1, maxval2]) if maxval > field_charac: raise ValueError( "The specified field's exponent is wrong, the message contains values (%i) above the field's cardinality (%i)!" % (maxval, field_charac)) best_match = {'hscore': -1, 'params': [{'gen_nb': 0, 'prim': 0, 'fcr': 0}]} for gen_nb in gen_list: prim_list = reedsolop.find_prime_polys(generator=gen_nb, c_exp= c_exp, fast_primes=False, single=False) for prim in prim_list: reedsolop.init_tables(prim) for fcr in xrange(field_charac): mesecc = reedsolop.rs_encode_msg(message, n - k, fcr=fcr) h = hamming(mesecc, mesecc_orig) if best_match['hscore'] == -1 or h <= best_match['hscore']: if best_match['hscore'] == -1 or h < best_match['hscore']: best_match['hscore'] = h best_match['params'] = [{'gen_nb': gen_nb, 'prim': prim, 'fcr': fcr}] elif h == best_match['hscore']: best_match['params'].append({'gen_nb': gen_nb, 'prim': prim, 'fcr': fcr}) if h == 0: break if best_match['hscore'] >= 0 and best_match['hscore'] < len(mesecc_orig): perfect_match_str = ' (0=perfect match)' if best_match['hscore' ] == 0 else '' result = '' result += ( 'Found closest set of parameters, with Hamming distance %i%s:\n' % (best_match['hscore'], perfect_match_str)) for param in best_match['params']: result += 'gen_nb=%s prim=%s(%s) fcr=%s\n' % (param['gen_nb'], param['prim'], hex(param['prim']), param['fcr']) return result else: return 'Parameters could not be automatically detected...'
detect_reedsolomon_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, mesecc_orig, gen_list=[2, 3, 5], c_exp=8):\n from .reedsolomon import reedsolo as reedsolop\n n = len(mesecc_orig)\n k = len(message)\n fi...
def x(self, message, k=None): if not k: k = self.k message, _ = self.pad(message, k=k) if self.algo == 1: mesecc = self.ecc_manager.encode(message, k=k) elif self.algo == 2: mesecc = self.ecc_manager.encode_fast(message, k=k) elif self.algo == 3 or self.algo == 4: mesecc = rs_encode_msg(message, self.n - k, fcr=self.fcr, gen=self. g[self.n - k]) ecc = mesecc[len(message):] return ecc
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, k=None):\n if not k:\n k = self.k\n message, _ = self.pad(message, k=k)\n if self.algo == 1:\n mesecc = self.ecc_manager....
def x(self, message, ecc, k=None, enable_erasures=False, erasures_char= '\x00', only_erasures=False): if not k: k = self.k if isinstance(message, _str): message = bytearray([ord(x) for x in message]) ecc = bytearray([ord(x) for x in ecc]) erasures_pos = None if enable_erasures: mesecc = message + ecc if isinstance(erasures_char, _str): erasures_char = ord(erasures_char) erasures_pos = [i for i in xrange(len(mesecc)) if mesecc[i] == erasures_char] if only_erasures and not erasures_pos: return message, ecc message, pad = self.pad(message, k=k) ecc, _ = self.rpad(ecc, k=k) if erasures_pos and pad: len_pad = len(pad) erasures_pos = [(x + len_pad) for x in erasures_pos] if self.algo == 1: msg_repaired, ecc_repaired = self.ecc_manager.decode(message + ecc, nostrip=True, k=k, erasures_pos=erasures_pos, only_erasures= only_erasures) elif self.algo == 2: msg_repaired, ecc_repaired = self.ecc_manager.decode_fast(message + ecc, nostrip=True, k=k, erasures_pos=erasures_pos, only_erasures=only_erasures) elif self.algo == 3: msg_repaired, ecc_repaired = reedsolo.rs_correct_msg_nofsynd(bytearray (message + ecc), self.n - k, fcr=self.fcr, generator=self. gen_nb, erase_pos=erasures_pos, only_erasures=only_erasures) msg_repaired = bytearray(msg_repaired) ecc_repaired = bytearray(ecc_repaired) elif self.algo == 4: msg_repaired, ecc_repaired = reedsolo.rs_correct_msg(bytearray( message + ecc), self.n - k, fcr=self.fcr, generator=self.gen_nb, erase_pos=erasures_pos, only_erasures=only_erasures) msg_repaired = bytearray(msg_repaired) ecc_repaired = bytearray(ecc_repaired) if pad: msg_repaired = msg_repaired[len(pad):len(msg_repaired)] return msg_repaired, ecc_repaired
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, ecc, k=None, enable_erasures=False, erasures_char=\n '\\x00', only_erasures=False):\n if not k:\n k = self.k\n if isinstance(mes...
def x(self, message, k=None): if not k: k = self.k pad = None if len(message) < k: pad = bytearray(k - len(message)) message = pad + message return [message, pad]
pad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, k=None):\n if not k:\n k = self.k\n pad = None\n if len(message) < k:\n pad = bytearray(k - len(message))\n messag...
def x(self, ecc, k=None): if not k: k = self.k pad = None if len(ecc) < self.n - k: print( 'Warning: the ecc field may have been truncated (entrymarker or field_delim misdetection?).' ) pad = bytearray(self.n - k - len(ecc)) ecc = ecc + pad return [ecc, pad]
rpad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ecc, k=None):\n if not k:\n k = self.k\n pad = None\n if len(ecc) < self.n - k:\n print(\n 'Warning: the ecc field may ...
def x(self, message, ecc, k=None): if not k: k = self.k message, _ = self.pad(message, k=k) ecc, _ = self.rpad(ecc, k=k) if self.algo == 1 or self.algo == 2: return self.ecc_manager.check_fast(message + ecc, k=k) elif self.algo == 3 or self.algo == 4: return reedsolo.rs_check(bytearray(message + ecc), self.n - k, fcr= self.fcr, generator=self.gen_nb)
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, ecc, k=None):\n if not k:\n k = self.k\n message, _ = self.pad(message, k=k)\n ecc, _ = self.rpad(ecc, k=k)\n if self.algo ==...
def x(self): if 0 < self.algo <= 3: return ( 'Reed-Solomon with polynomials in Galois field of characteristic %i (2^%i) with generator=%s, prime poly=%s and first consecutive root=%s.' % (self.field_charac, self.c_exp, self.gen_nb, hex(self.prim), self.fcr)) elif self.algo == 4: return ( 'Reed-Solomon with polynomials in Galois field of characteristic %i (2^%i) under US FAA ADSB UAT RS FEC standard with generator=%s, prime poly=%s and first consecutive root=%s.' % (self.field_charac, self.c_exp, self.gen_nb, hex(self.prim), self.fcr)) else: return 'No description for this ECC algorithm.'
description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 0 < self.algo <= 3:\n return (\n 'Reed-Solomon with polynomials in Galois field of characteristic %i (2^%i) with generator=%s,...
def x(fn=None, skip=0, filename=None, immediate=False, dirs=False, sort= None, entries=40, profiler=('cProfile', 'profile', 'hotshot')): if fn is None: def x(fn): return profile(fn, skip=skip, filename=filename, immediate= immediate, dirs=dirs, sort=sort, entries=entries, profiler= profiler) return decorator if isinstance(profiler, str): profiler = [profiler] for p in profiler: if p in AVAILABLE_PROFILERS: profiler_class = AVAILABLE_PROFILERS[p] break else: raise ValueError('only these profilers are available: %s' % ', '. join(AVAILABLE_PROFILERS)) fp = profiler_class(fn, skip=skip, filename=filename, immediate= immediate, dirs=dirs, sort=sort, entries=entries) def x(*args, **kw): return fp(*args, **kw) new_fn.__doc__ = fn.__doc__ new_fn.__name__ = fn.__name__ new_fn.__dict__ = fn.__dict__ new_fn.__module__ = fn.__module__ return new_fn
profile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn=None, skip=0, filename=None, immediate=False, dirs=False, sort=\n None, entries=40, profiler=('cProfile', 'profile', 'hotshot')):\n if fn is None:\n\n...
def x(fn): fp = TraceFuncCoverage(fn) def x(*args, **kw): return fp(*args, **kw) new_fn.__doc__ = fn.__doc__ new_fn.__name__ = fn.__name__ new_fn.__dict__ = fn.__dict__ new_fn.__module__ = fn.__module__ return new_fn
coverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n fp = TraceFuncCoverage(fn)\n\n def x(*args, **kw):\n return fp(*args, **kw)\n new_fn.__doc__ = fn.__doc__\n new_fn.__name__ = fn.__na...
def x(fn): fp = HotShotFuncCoverage(fn) def x(*args, **kw): return fp(*args, **kw) new_fn.__doc__ = fn.__doc__ new_fn.__name__ = fn.__name__ new_fn.__dict__ = fn.__dict__ new_fn.__module__ = fn.__module__ return new_fn
coverage_with_hotshot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n fp = HotShotFuncCoverage(fn)\n\n def x(*args, **kw):\n return fp(*args, **kw)\n new_fn.__doc__ = fn.__doc__\n new_fn.__name__ = fn.__...
def x(fn=None, immediate=True, timer=time.time): if fn is None: def x(fn): return timecall(fn, immediate=immediate, timer=timer) return decorator fp = FuncTimer(fn, immediate=immediate, timer=timer) def x(*args, **kw): return fp(*args, **kw) new_fn.__doc__ = fn.__doc__ new_fn.__name__ = fn.__name__ new_fn.__dict__ = fn.__dict__ new_fn.__module__ = fn.__module__ return new_fn
timecall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn=None, immediate=True, timer=time.time):\n if fn is None:\n\n def x(fn):\n return timecall(fn, immediate=immediate, timer=timer)\n ...
def x(self): funcname = self.fn.__name__ filename = self.fn.__code__.co_filename lineno = self.fn.__code__.co_firstlineno print('') print('*** PROFILER RESULTS ***') print('%s (%s:%s)' % (funcname, filename, lineno)) if self.skipped: skipped = '(%d calls not profiled)' % self.skipped else: skipped = '' print('function called %d times%s' % (self.ncalls, skipped)) print('') stats = self.stats if self.filename: stats.dump_stats(self.filename) if not self.dirs: stats.strip_dirs() stats.sort_stats(*self.sort) stats.print_stats(self.entries)
print_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n funcname = self.fn.__name__\n filename = self.fn.__code__.co_filename\n lineno = self.fn.__code__.co_firstlineno\n print('')\n print('*...
def x(self): self.stats = pstats.Stats(Profile()) self.ncalls = 0 self.skipped = 0
reset_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.stats = pstats.Stats(Profile())\n self.ncalls = 0\n self.skipped = 0\n", "role": "user" }, { "content": "reset_stats", "...
def x(self): funcname = self.fn.__name__ filename = self.fn.__code__.co_filename lineno = self.fn.__code__.co_firstlineno print('') print('*** COVERAGE RESULTS ***') print('%s (%s:%s)' % (funcname, filename, lineno)) print('function called %d times' % self.ncalls) print('') fs = FuncSource(self.fn) for (filename, lineno), count in self.tracer.counts.items(): if filename != fs.filename: continue fs.mark(lineno, count) print(fs) never_executed = fs.count_never_executed() if never_executed: print('%d lines were not executed.' % never_executed)
atexit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n funcname = self.fn.__name__\n filename = self.fn.__code__.co_filename\n lineno = self.fn.__code__.co_firstlineno\n print('')\n print('*...
def x(self): strs = trace.find_strings(self.filename) lines = trace.find_lines_from_code(self.fn.__code__, strs) self.firstcodelineno = sys.maxint for lineno in lines: self.firstcodelineno = min(self.firstcodelineno, lineno) self.sourcelines.setdefault(lineno, 0) if self.firstcodelineno == sys.maxint: self.firstcodelineno = self.firstlineno
find_source_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n strs = trace.find_strings(self.filename)\n lines = trace.find_lines_from_code(self.fn.__code__, strs)\n self.firstcodelineno = sys.maxint\n ...