source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, event): dialog = wx.FileDialog(self, style=wx.OPEN | wx.FD_MULTIPLE) if dialog.ShowModal() == wx.ID_OK: paths = dialog.GetPaths() if self.loader: frame = MainFrame() frame.Show(True) frame.load(*paths) else: self.load(*paths)
OnOpenFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n dialog = wx.FileDialog(self, style=wx.OPEN | wx.FD_MULTIPLE)\n if dialog.ShowModal() == wx.ID_OK:\n paths = dialog.GetPaths()\n if self.loader:\n frame = MainFrame()\n frame.Show(True)\n frame.load(*paths)\n else:\n self.load(*paths)\n", "role": "user" }, { "content": "OnOpenFile", "role": "assistant" } ]
def x(self, event): dialog = wx.FileDialog(self, style=wx.OPEN) if dialog.ShowModal() == wx.ID_OK: path = dialog.GetPath() if self.loader: frame = MainFrame() frame.Show(True) frame.load_memory(path) else: self.load_memory(path)
OnOpenMemory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n dialog = wx.FileDialog(self, style=wx.OPEN)\n if dialog.ShowModal() == wx.ID_OK:\n path = dialog.GetPath()\n if self.loader:\n frame = MainFrame()\n frame.Show(True)\n frame.load_memory(path)\n else:\n self.load_memory(path)\n", "role": "user" }, { "content": "OnOpenMemory", "role": "assistant" } ]
def x(self, directoryView): self.directoryView = not self.directoryView self.packageMenuItem.Check(self.directoryView) self.packageViewTool.SetValue(self.directoryView) if self.loader: self.SetModel(self.loader) self.RecordHistory()
SetPackageView
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, directoryView):\n self.directoryView = not self.directoryView\n self.packageMenuItem.Check(self.directoryView)\n self.packageViewTool.SetValue(self.directoryView)\n if self.loader:\n self.SetModel(self.loader)\n self.RecordHistory()\n", "role": "user" }, { "content": "SetPackageView", "role": "assistant" } ]
def x(self, percentageView): self.percentageView = percentageView self.percentageMenuItem.Check(self.percentageView) self.percentageViewTool.SetValue(self.percentageView) total = self.adapter.value(self.loader.get_root(self.viewType)) for control in self.ProfileListControls: control.SetPercentage(self.percentageView, total) self.adapter.SetPercentage(self.percentageView, total)
SetPercentageView
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, percentageView):\n self.percentageView = percentageView\n self.percentageMenuItem.Check(self.percentageView)\n self.percentageViewTool.SetValue(self.percentageView)\n total = self.adapter.value(self.loader.get_root(self.viewType))\n for control in self.ProfileListControls:\n control.SetPercentage(self.percentageView, total)\n self.adapter.SetPercentage(self.percentageView, total)\n", "role": "user" }, { "content": "SetPercentageView", "role": "assistant" } ]
def x(self, event): node = self.activated_node parents = [] selected_parent = None if node: if hasattr(self.adapter, 'best_parent'): selected_parent = self.adapter.best_parent(node) else: parents = self.adapter.parents(node) if parents: if not selected_parent: parents.sort(key=lambda a: self.adapter.value(node, a)) selected_parent = parents[-1] class event: node = selected_parent self.OnNodeActivated(event) else: self.SetStatusText(_( 'No parents for the currently selected node: %(node_name)s' ) % dict(node_name=self.adapter.label(node))) else: self.SetStatusText(_('No currently selected node'))
OnUpView
[ { "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 = self.activated_node\n parents = []\n selected_parent = None\n if node:\n if hasattr(self.adapter, 'best_parent'):\n selected_parent = self.adapter.best_parent(node)\n else:\n parents = self.adapter.parents(node)\n if parents:\n if not selected_parent:\n parents.sort(key=lambda a: self.adapter.value(node, a))\n selected_parent = parents[-1]\n\n\n class event:\n node = selected_parent\n self.OnNodeActivated(event)\n else:\n self.SetStatusText(_(\n 'No parents for the currently selected node: %(node_name)s'\n ) % dict(node_name=self.adapter.label(node)))\n else:\n self.SetStatusText(_('No currently selected node'))\n", "role": "user" }, { "content": "OnUpView", "role": "assistant" } ]
def x(self, event): self.adapter, tree, rows = self.RootNode() self.squareMap.SetModel(tree, self.adapter) self.RecordHistory() self.ConfigureViewTypeChoices()
OnRootView
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.adapter, tree, rows = self.RootNode()\n self.squareMap.SetModel(tree, self.adapter)\n self.RecordHistory()\n self.ConfigureViewTypeChoices()\n", "role": "user" }, { "content": "OnRootView", "role": "assistant" } ]
def x(self, event): self.activated_node = self.selected_node = event.node self.squareMap.SetModel(event.node, self.adapter) self.squareMap.SetSelected(event.node) if editor: if self.SourceShowFile(event.node): if hasattr(event.node, 'lineno'): self.sourceCodeControl.GotoLine(event.node.lineno) self.RecordHistory()
OnNodeActivated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.activated_node = self.selected_node = event.node\n self.squareMap.SetModel(event.node, self.adapter)\n self.squareMap.SetSelected(event.node)\n if editor:\n if self.SourceShowFile(event.node):\n if hasattr(event.node, 'lineno'):\n self.sourceCodeControl.GotoLine(event.node.lineno)\n self.RecordHistory()\n", "role": "user" }, { "content": "OnNodeActivated", "role": "assistant" } ]
def x(self, event): self.selected_node = event.node self.calleeListControl.integrateRecords(self.adapter.children(event.node)) self.callerListControl.integrateRecords(self.adapter.parents(event.node))
OnSquareSelected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.selected_node = event.node\n self.calleeListControl.integrateRecords(self.adapter.children(event.node))\n self.callerListControl.integrateRecords(self.adapter.parents(event.node))\n", "role": "user" }, { "content": "OnSquareSelected", "role": "assistant" } ]
def x(self, event): self.squareMap.square_style = not self.squareMap.square_style self.squareMap.Refresh() self.moreSquareViewItem.Check(self.squareMap.square_style)
OnMoreSquareToggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.squareMap.square_style = not self.squareMap.square_style\n self.squareMap.Refresh()\n self.moreSquareViewItem.Check(self.squareMap.square_style)\n", "role": "user" }, { "content": "OnMoreSquareToggle", "role": "assistant" } ]
def x(self, loader): self.loader = loader self.adapter, tree, rows = self.RootNode() self.listControl.integrateRecords(rows.values()) self.activated_node = tree self.squareMap.SetModel(tree, self.adapter) self.RecordHistory()
SetModel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loader):\n self.loader = loader\n self.adapter, tree, rows = self.RootNode()\n self.listControl.integrateRecords(rows.values())\n self.activated_node = tree\n self.squareMap.SetModel(tree, self.adapter)\n self.RecordHistory()\n", "role": "user" }, { "content": "SetModel", "role": "assistant" } ]
def x(self): tree = self.loader.get_root(self.viewType) adapter = self.loader.get_adapter(self.viewType) rows = self.loader.get_rows(self.viewType) adapter.SetPercentage(self.percentageView, adapter.value(tree)) return adapter, tree, rows
RootNode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tree = self.loader.get_root(self.viewType)\n adapter = self.loader.get_adapter(self.viewType)\n rows = self.loader.get_rows(self.viewType)\n adapter.SetPercentage(self.percentageView, adapter.value(tree))\n return adapter, tree, rows\n", "role": "user" }, { "content": "RootNode", "role": "assistant" } ]
def x(self, config_parser): if not config_parser.has_section('window'): config_parser.add_section('window') if self.IsMaximized(): config_parser.set('window', 'maximized', str(True)) else: config_parser.set('window', 'maximized', str(False)) size = self.GetSizeTuple() position = self.GetPositionTuple() config_parser.set('window', 'width', str(size[0])) config_parser.set('window', 'height', str(size[1])) config_parser.set('window', 'x', str(position[0])) config_parser.set('window', 'y', str(position[1])) for control in self.ProfileListControls: control.SaveState(config_parser) return config_parser
SaveState
[ { "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 if not config_parser.has_section('window'):\n config_parser.add_section('window')\n if self.IsMaximized():\n config_parser.set('window', 'maximized', str(True))\n else:\n config_parser.set('window', 'maximized', str(False))\n size = self.GetSizeTuple()\n position = self.GetPositionTuple()\n config_parser.set('window', 'width', str(size[0]))\n config_parser.set('window', 'height', str(size[1]))\n config_parser.set('window', 'x', str(position[0]))\n config_parser.set('window', 'y', str(position[1]))\n for control in self.ProfileListControls:\n control.SaveState(config_parser)\n return config_parser\n", "role": "user" }, { "content": "SaveState", "role": "assistant" } ]
def x(self, profile=None, memoryProfile=None): wx.Image.AddHandler(self.handler) frame = MainFrame(config_parser=load_config()) frame.Show(True) self.SetTopWindow(frame) if profile: wx.CallAfter(frame.load, *[profile]) elif sys.argv[1:]: if sys.argv[1] == '-m': if sys.argv[2:]: wx.CallAfter(frame.load_memory, sys.argv[2]) else: log.warn('No memory file specified') else: wx.CallAfter(frame.load, *sys.argv[1:]) return True
OnInit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, profile=None, memoryProfile=None):\n wx.Image.AddHandler(self.handler)\n frame = MainFrame(config_parser=load_config())\n frame.Show(True)\n self.SetTopWindow(frame)\n if profile:\n wx.CallAfter(frame.load, *[profile])\n elif sys.argv[1:]:\n if sys.argv[1] == '-m':\n if sys.argv[2:]:\n wx.CallAfter(frame.load_memory, sys.argv[2])\n else:\n log.warn('No memory file specified')\n else:\n wx.CallAfter(frame.load, *sys.argv[1:])\n return True\n", "role": "user" }, { "content": "OnInit", "role": "assistant" } ]
def x(self): wx.Image.AddHandler(self.handler) frame = MainFrame(config_parser=load_config()) frame.Show(True) self.SetTopWindow(frame) if sys.argv[1:]: wx.CallAfter(frame.load_memory, sys.argv[1]) else: log.warn('No memory file specified') return True
OnInit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n wx.Image.AddHandler(self.handler)\n frame = MainFrame(config_parser=load_config())\n frame.Show(True)\n self.SetTopWindow(frame)\n if sys.argv[1:]:\n wx.CallAfter(frame.load_memory, sys.argv[1])\n else:\n log.warn('No memory file specified')\n return True\n", "role": "user" }, { "content": "OnInit", "role": "assistant" } ]
def x(seq1, seq2, transpositions=False): replace, insert, delete = 'r', 'i', 'd' L1, L2 = len(seq1), len(seq2) if L1 < L2: L1, L2 = L2, L1 seq1, seq2 = seq2, seq1 ldiff = L1 - L2 if ldiff == 0: models = insert + delete, delete + insert, replace + replace elif ldiff == 1: models = delete + replace, replace + delete elif ldiff == 2: models = delete + delete, else: return -1 res = 3 for model in models: i = j = c = 0 while i < L1 and j < L2: if seq1[i] != seq2[j]: c = c + 1 if 2 < c: break if (transpositions and ldiff != 2 and i < L1 - 1 and j < L2 - 1 and seq1[i + 1] == seq2[j] and seq1[i] == seq2[j + 1]): i, j = i + 2, j + 2 else: cmd = model[c - 1] if cmd == delete: i = i + 1 elif cmd == insert: j = j + 1 else: assert cmd == replace i, j = i + 1, j + 1 else: i, j = i + 1, j + 1 if 2 < c: continue elif i < L1: if L1 - i <= model[c:].count(delete): c = c + (L1 - i) else: continue elif j < L2: if L2 - j <= model[c:].count(insert): c = c + (L2 - j) else: continue if c < res: res = c if res == 3: res = -1 return res
fast_comp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seq2, transpositions=False):\n replace, insert, delete = 'r', 'i', 'd'\n L1, L2 = len(seq1), len(seq2)\n if L1 < L2:\n L1, L2 = L2, L1\n seq1, seq2 = seq2, seq1\n ldiff = L1 - L2\n if ldiff == 0:\n models = insert + delete, delete + insert, replace + replace\n elif ldiff == 1:\n models = delete + replace, replace + delete\n elif ldiff == 2:\n models = delete + delete,\n else:\n return -1\n res = 3\n for model in models:\n i = j = c = 0\n while i < L1 and j < L2:\n if seq1[i] != seq2[j]:\n c = c + 1\n if 2 < c:\n break\n if (transpositions and ldiff != 2 and i < L1 - 1 and j < L2 -\n 1 and seq1[i + 1] == seq2[j] and seq1[i] == seq2[j + 1]):\n i, j = i + 2, j + 2\n else:\n cmd = model[c - 1]\n if cmd == delete:\n i = i + 1\n elif cmd == insert:\n j = j + 1\n else:\n assert cmd == replace\n i, j = i + 1, j + 1\n else:\n i, j = i + 1, j + 1\n if 2 < c:\n continue\n elif i < L1:\n if L1 - i <= model[c:].count(delete):\n c = c + (L1 - i)\n else:\n continue\n elif j < L2:\n if L2 - j <= model[c:].count(insert):\n c = c + (L2 - j)\n else:\n continue\n if c < res:\n res = c\n if res == 3:\n res = -1\n return res\n", "role": "user" }, { "content": "fast_comp", "role": "assistant" } ]
def x(dirname): if not os.path.isfile(dirname): msg = '{0} is not an existing file'.format(dirname) raise argparse.ArgumentTypeError(msg) else: return dirname
is_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dirname):\n if not os.path.isfile(dirname):\n msg = '{0} is not an existing file'.format(dirname)\n raise argparse.ArgumentTypeError(msg)\n else:\n return dirname\n", "role": "user" }, { "content": "is_file", "role": "assistant" } ]
def x(dirname): if not os.path.isdir(dirname): msg = '{0} is not a directory'.format(dirname) raise argparse.ArgumentTypeError(msg) else: return dirname
is_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dirname):\n if not os.path.isdir(dirname):\n msg = '{0} is not a directory'.format(dirname)\n raise argparse.ArgumentTypeError(msg)\n else:\n return dirname\n", "role": "user" }, { "content": "is_dir", "role": "assistant" } ]
def x(dirname): if not os.path.isdir(dirname) and not os.path.isfile(dirname): msg = '{0} is not a directory nor a file'.format(dirname) raise argparse.ArgumentTypeError(msg) else: return dirname
is_dir_or_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dirname):\n if not os.path.isdir(dirname) and not os.path.isfile(dirname):\n msg = '{0} is not a directory nor a file'.format(dirname)\n raise argparse.ArgumentTypeError(msg)\n else:\n return dirname\n", "role": "user" }, { "content": "is_dir_or_file", "role": "assistant" } ]
def x(relpath): if type(relpath) is object or type(relpath) is file: relpath = relpath.name return os.path.abspath(os.path.expanduser(relpath))
fullpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relpath):\n if type(relpath) is object or type(relpath) is file:\n relpath = relpath.name\n return os.path.abspath(os.path.expanduser(relpath))\n", "role": "user" }, { "content": "fullpath", "role": "assistant" } ]
def x(inputpath, sorting=True): if os.path.isfile(inputpath): abs_path = fullpath(inputpath) yield os.path.dirname(abs_path), os.path.basename(abs_path) else: for dirpath, dirs, files in walk(inputpath): if sorting: files.sort() dirs.sort() for filename in files: yield dirpath, filename
recwalk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputpath, sorting=True):\n if os.path.isfile(inputpath):\n abs_path = fullpath(inputpath)\n yield os.path.dirname(abs_path), os.path.basename(abs_path)\n else:\n for dirpath, dirs, files in walk(inputpath):\n if sorting:\n files.sort()\n dirs.sort()\n for filename in files:\n yield dirpath, filename\n", "role": "user" }, { "content": "recwalk", "role": "assistant" } ]
def x(path, nojoin=False, fromwinpath=False): if fromwinpath: pathparts = list(PureWindowsPath(path).parts) else: pathparts = list(PurePath(path).parts) if nojoin: return pathparts else: return posixpath.join(*pathparts)
path2unix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, nojoin=False, fromwinpath=False):\n if fromwinpath:\n pathparts = list(PureWindowsPath(path).parts)\n else:\n pathparts = list(PurePath(path).parts)\n if nojoin:\n return pathparts\n else:\n return posixpath.join(*pathparts)\n", "role": "user" }, { "content": "path2unix", "role": "assistant" } ]
def x(file, entrymarker='þÿþÿþÿþÿþÿ', only_coord=True, blocksize=65535): found = False start = None end = None startcursor = None endcursor = None buf = 1 if blocksize <= len(entrymarker): blocksize = len(entrymarker) + 1 while not found and buf: buf = file.read(blocksize) if start is None or start == -1: start = buf.find(entrymarker) if start >= 0 and not startcursor: startcursor = file.tell() - len(buf) + start if start >= 0: start = start + len(entrymarker) if startcursor is not None and startcursor >= 0: end = buf.find(entrymarker, start) if end < 0 and len(buf) < blocksize: end = len(buf) if end >= 0: endcursor = file.tell() - len(buf) + end if endcursor > startcursor: file.seek(endcursor) found = True else: end = -1 encursor = None if len(buf) < blocksize: break if start > 0: start = 0 if not endcursor: file.seek(file.tell() - len(entrymarker)) if found: file.seek(startcursor + len(entrymarker)) if only_coord: return [startcursor + len(entrymarker), endcursor] else: return file.read(endcursor - startcursor - len(entrymarker)) else: return None
get_next_entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, entrymarker='þÿþÿþÿþÿþÿ', only_coord=True, blocksize=65535):\n found = False\n start = None\n end = None\n startcursor = None\n endcursor = None\n buf = 1\n if blocksize <= len(entrymarker):\n blocksize = len(entrymarker) + 1\n while not found and buf:\n buf = file.read(blocksize)\n if start is None or start == -1:\n start = buf.find(entrymarker)\n if start >= 0 and not startcursor:\n startcursor = file.tell() - len(buf) + start\n if start >= 0:\n start = start + len(entrymarker)\n if startcursor is not None and startcursor >= 0:\n end = buf.find(entrymarker, start)\n if end < 0 and len(buf) < blocksize:\n end = len(buf)\n if end >= 0:\n endcursor = file.tell() - len(buf) + end\n if endcursor > startcursor:\n file.seek(endcursor)\n found = True\n else:\n end = -1\n encursor = None\n if len(buf) < blocksize:\n break\n if start > 0:\n start = 0\n if not endcursor:\n file.seek(file.tell() - len(entrymarker))\n if found:\n file.seek(startcursor + len(entrymarker))\n if only_coord:\n return [startcursor + len(entrymarker), endcursor]\n else:\n return file.read(endcursor - startcursor - len(entrymarker))\n else:\n return None\n", "role": "user" }, { "content": "get_next_entry", "role": "assistant" } ]
def x(path): if os.path.exists(path): if os.path.isdir(path): shutil.rmtree(path) return True elif os.path.isfile(path): os.remove(path) return True return False
remove_if_exist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n if os.path.exists(path):\n if os.path.isdir(path):\n shutil.rmtree(path)\n return True\n elif os.path.isfile(path):\n os.remove(path)\n return True\n return False\n", "role": "user" }, { "content": "remove_if_exist", "role": "assistant" } ]
def x(src, dst, only_missing=False): if not only_missing: remove_if_exist(dst) if os.path.exists(src): if os.path.isdir(src): if not only_missing: shutil.copytree(src, dst, symlinks=False, ignore=None) else: for dirpath, filepath in recwalk(src): srcfile = os.path.join(dirpath, filepath) relpath = os.path.relpath(srcfile, src) dstfile = os.path.join(dst, relpath) if not os.path.exists(dstfile): create_dir_if_not_exist(os.path.dirname(dstfile)) shutil.copyfile(srcfile, dstfile) shutil.copystat(srcfile, dstfile) return True elif os.path.isfile(src) and (not only_missing or not os.path. exists(dst)): shutil.copyfile(src, dst) shutil.copystat(src, dst) return True return False
copy_any
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, dst, only_missing=False):\n if not only_missing:\n remove_if_exist(dst)\n if os.path.exists(src):\n if os.path.isdir(src):\n if not only_missing:\n shutil.copytree(src, dst, symlinks=False, ignore=None)\n else:\n for dirpath, filepath in recwalk(src):\n srcfile = os.path.join(dirpath, filepath)\n relpath = os.path.relpath(srcfile, src)\n dstfile = os.path.join(dst, relpath)\n if not os.path.exists(dstfile):\n create_dir_if_not_exist(os.path.dirname(dstfile))\n shutil.copyfile(srcfile, dstfile)\n shutil.copystat(srcfile, dstfile)\n return True\n elif os.path.isfile(src) and (not only_missing or not os.path.\n exists(dst)):\n shutil.copyfile(src, dst)\n shutil.copystat(src, dst)\n return True\n return False\n", "role": "user" }, { "content": "copy_any", "role": "assistant" } ]
def x(fileslist, multi): flord = OrderedDict(sorted(fileslist.items(), key=lambda x: x[1], reverse=True)) if multi <= 1: fgrouped = {} i = 0 for x in flord.keys(): i += 1 fgrouped[i] = [[x]] return fgrouped fgrouped = {} i = 0 while flord: i += 1 fgrouped[i] = [] big_key, big_value = flord.popitem(0) fgrouped[i].append([big_key]) for j in xrange(multi - 1): cluster = [] if not flord: break child_key, child_value = flord.popitem(0) cluster.append(child_key) if child_value == big_value: fgrouped[i].append(cluster) continue else: diff = big_value - child_value for key, value in flord.iteritems(): if value <= diff: cluster.append(key) del flord[key] if value == diff: break else: child_value += value diff = big_value - child_value fgrouped[i].append(cluster) return fgrouped
group_files_by_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fileslist, multi):\n flord = OrderedDict(sorted(fileslist.items(), key=lambda x: x[1],\n reverse=True))\n if multi <= 1:\n fgrouped = {}\n i = 0\n for x in flord.keys():\n i += 1\n fgrouped[i] = [[x]]\n return fgrouped\n fgrouped = {}\n i = 0\n while flord:\n i += 1\n fgrouped[i] = []\n big_key, big_value = flord.popitem(0)\n fgrouped[i].append([big_key])\n for j in xrange(multi - 1):\n cluster = []\n if not flord:\n break\n child_key, child_value = flord.popitem(0)\n cluster.append(child_key)\n if child_value == big_value:\n fgrouped[i].append(cluster)\n continue\n else:\n diff = big_value - child_value\n for key, value in flord.iteritems():\n if value <= diff:\n cluster.append(key)\n del flord[key]\n if value == diff:\n break\n else:\n child_value += value\n diff = big_value - child_value\n fgrouped[i].append(cluster)\n return fgrouped\n", "role": "user" }, { "content": "group_files_by_size", "role": "assistant" } ]
def x(fileslist, nbgroups, mode=1): ftofill = SortedList() ftofill_pointer = {} fgrouped = [] ford = sorted(fileslist.iteritems(), key=lambda x: x[1]) last_cid = -1 while ford: fname, fsize = ford.pop() if not ftofill or fsize > ftofill[-1]: last_cid += 1 fgrouped.append([]) fgrouped[last_cid].append([fname]) if mode == 0: for g in xrange(nbgroups - 1, 0, -1): fgrouped[last_cid].append([]) if not fsize in ftofill_pointer: ftofill_pointer[fsize] = [] ftofill_pointer[fsize].append((last_cid, g)) ftofill.add(fsize) else: for g in xrange(1, nbgroups): try: fgname, fgsize = ford.pop() except IndexError: break fgrouped[last_cid].append([fgname]) diff_size = fsize - fgsize if diff_size > 0: if not diff_size in ftofill_pointer: ftofill_pointer[diff_size] = [] ftofill_pointer[diff_size].append((last_cid, g)) ftofill.add(diff_size) else: ksize = ftofill.pop() c, g = ftofill_pointer[ksize].pop() fgrouped[c][g].append(fname) nsize = ksize - fsize if nsize > 0: if not nsize in ftofill_pointer: ftofill_pointer[nsize] = [] ftofill_pointer[nsize].append((c, g)) ftofill.add(nsize) return fgrouped
group_files_by_size_fast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fileslist, nbgroups, mode=1):\n ftofill = SortedList()\n ftofill_pointer = {}\n fgrouped = []\n ford = sorted(fileslist.iteritems(), key=lambda x: x[1])\n last_cid = -1\n while ford:\n fname, fsize = ford.pop()\n if not ftofill or fsize > ftofill[-1]:\n last_cid += 1\n fgrouped.append([])\n fgrouped[last_cid].append([fname])\n if mode == 0:\n for g in xrange(nbgroups - 1, 0, -1):\n fgrouped[last_cid].append([])\n if not fsize in ftofill_pointer:\n ftofill_pointer[fsize] = []\n ftofill_pointer[fsize].append((last_cid, g))\n ftofill.add(fsize)\n else:\n for g in xrange(1, nbgroups):\n try:\n fgname, fgsize = ford.pop()\n except IndexError:\n break\n fgrouped[last_cid].append([fgname])\n diff_size = fsize - fgsize\n if diff_size > 0:\n if not diff_size in ftofill_pointer:\n ftofill_pointer[diff_size] = []\n ftofill_pointer[diff_size].append((last_cid, g))\n ftofill.add(diff_size)\n else:\n ksize = ftofill.pop()\n c, g = ftofill_pointer[ksize].pop()\n fgrouped[c][g].append(fname)\n nsize = ksize - fsize\n if nsize > 0:\n if not nsize in ftofill_pointer:\n ftofill_pointer[nsize] = []\n ftofill_pointer[nsize].append((c, g))\n ftofill.add(nsize)\n return fgrouped\n", "role": "user" }, { "content": "group_files_by_size_fast", "role": "assistant" } ]
def x(fileslist, nbgroups): ford = sorted(fileslist.iteritems(), key=lambda x: x[1], reverse=True) ford = [[x[0]] for x in ford] return [group for group in grouper(nbgroups, ford)]
group_files_by_size_simple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fileslist, nbgroups):\n ford = sorted(fileslist.iteritems(), key=lambda x: x[1], reverse=True)\n ford = [[x[0]] for x in ford]\n return [group for group in grouper(nbgroups, ford)]\n", "role": "user" }, { "content": "group_files_by_size_simple", "role": "assistant" } ]
def x(fileslist, fgrouped): fsizes = {} total_files = 0 allitems = None if isinstance(fgrouped, dict): allitems = fgrouped.iteritems() elif isinstance(fgrouped, list): allitems = enumerate(fgrouped) for fkey, cluster in allitems: fsizes[fkey] = [] for subcluster in cluster: tot = 0 if subcluster is not None: for fname in subcluster: tot += fileslist[fname] total_files += 1 fsizes[fkey].append(tot) return fsizes, total_files
grouped_count_sizes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fileslist, fgrouped):\n fsizes = {}\n total_files = 0\n allitems = None\n if isinstance(fgrouped, dict):\n allitems = fgrouped.iteritems()\n elif isinstance(fgrouped, list):\n allitems = enumerate(fgrouped)\n for fkey, cluster in allitems:\n fsizes[fkey] = []\n for subcluster in cluster:\n tot = 0\n if subcluster is not None:\n for fname in subcluster:\n tot += fileslist[fname]\n total_files += 1\n fsizes[fkey].append(tot)\n return fsizes, total_files\n", "role": "user" }, { "content": "grouped_count_sizes", "role": "assistant" } ]
def x(self): values = [c.GetValue() for c in chain(*self.widgets) if c.GetValue() is not None] return ' '.join(values)
GetOptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n values = [c.GetValue() for c in chain(*self.widgets) if c.GetValue() is not\n None]\n return ' '.join(values)\n", "role": "user" }, { "content": "GetOptions", "role": "assistant" } ]
def x(self, iterable, n, fillvalue=None): args = [iter(iterable)] * n return izip_longest(*args, fillvalue=fillvalue)
chunk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iterable, n, fillvalue=None):\n args = [iter(iterable)] * n\n return izip_longest(*args, fillvalue=fillvalue)\n", "role": "user" }, { "content": "chunk", "role": "assistant" } ]
def x(self): self.AssertInitialization('Positional') if str(self._widget.GetValue()) == EMPTY: return None return self._widget.GetValue()
GetValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.AssertInitialization('Positional')\n if str(self._widget.GetValue()) == EMPTY:\n return None\n return self._widget.GetValue()\n", "role": "user" }, { "content": "GetValue", "role": "assistant" } ]
def x(self): self.AssertInitialization('Choice') if self._widget.GetValue() == self._DEFAULT_VALUE: return None return ' '.join([self._action.option_strings[0] if self._action. option_strings else '', self._widget.GetValue()])
GetValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.AssertInitialization('Choice')\n if self._widget.GetValue() == self._DEFAULT_VALUE:\n return None\n return ' '.join([self._action.option_strings[0] if self._action.\n option_strings else '', self._widget.GetValue()])\n", "role": "user" }, { "content": "GetValue", "role": "assistant" } ]
def x(self): self.AssertInitialization('Optional') value = self._widget.GetValue() if not value or len(value) <= 0: return None return ' '.join([self._action.option_strings[0], value])
GetValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.AssertInitialization('Optional')\n value = self._widget.GetValue()\n if not value or len(value) <= 0:\n return None\n return ' '.join([self._action.option_strings[0], value])\n", "role": "user" }, { "content": "GetValue", "role": "assistant" } ]
def x(self): if not self._widget.GetValue() or len(self._widget.GetValue()) <= 0: return None else: return self._action.option_strings[0]
GetValue
[ { "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._widget.GetValue() or len(self._widget.GetValue()) <= 0:\n return None\n else:\n return self._action.option_strings[0]\n", "role": "user" }, { "content": "GetValue", "role": "assistant" } ]
def x(self, size): if self._msg is None: return help_msg = self._msg width, height = size content_area = int(width / 3 * 0.7) wiggle_room = range(int(content_area - content_area * 0.05), int( content_area + content_area * 0.05)) if help_msg.Size[0] not in wiggle_room: self._msg.SetLabel(self._msg.GetLabelText().replace('\n', ' ')) self._msg.Wrap(content_area)
Update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n if self._msg is None:\n return\n help_msg = self._msg\n width, height = size\n content_area = int(width / 3 * 0.7)\n wiggle_room = range(int(content_area - content_area * 0.05), int(\n content_area + content_area * 0.05))\n if help_msg.Size[0] not in wiggle_room:\n self._msg.SetLabel(self._msg.GetLabelText().replace('\\n', ' '))\n self._msg.Wrap(content_area)\n", "role": "user" }, { "content": "Update", "role": "assistant" } ]
def x(self): dropdown_value = self._widget.GetValue() if not str(dropdown_value).isdigit(): return None arg = str(self._action.option_strings[0]).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 None\n arg = str(self._action.option_strings[0]).replace('-', '')\n repeated_args = arg * int(dropdown_value)\n return '-' + repeated_args\n", "role": "user" }, { "content": "GetValue", "role": "assistant" } ]
def x(language): filename = language.lower() + '.json' lang_file_path = os.path.join(_DEFAULT_DIR, filename) if not os.path.exists(lang_file_path): raise IOError('Could not find {} language file'.format(language)) return lang_file_path
get_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(language):\n filename = language.lower() + '.json'\n lang_file_path = os.path.join(_DEFAULT_DIR, filename)\n if not os.path.exists(lang_file_path):\n raise IOError('Could not find {} language file'.format(language))\n return lang_file_path\n", "role": "user" }, { "content": "get_path", "role": "assistant" } ]
def x(filename): global _DICTIONARY try: json_file = filename + '.json' with open(os.path.join(_DEFAULT_DIR, json_file), 'rb') as f: _DICTIONARY = json.load(f) except IOError: raise IOError('Language file not found. Make sure that your ', 'translation file is in the languages directory, ')
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n global _DICTIONARY\n try:\n json_file = filename + '.json'\n with open(os.path.join(_DEFAULT_DIR, json_file), 'rb') as f:\n _DICTIONARY = json.load(f)\n except IOError:\n raise IOError('Language file not found. Make sure that your ',\n 'translation file is in the languages directory, ')\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(obj, clip=None): try: s = repr(obj) if not clip or len(s) <= clip: return s else: return s[:clip - 4] + '..' + s[-2:] except: return 'N/A'
safe_repr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, clip=None):\n try:\n s = repr(obj)\n if not clip or len(s) <= clip:\n return s\n else:\n return s[:clip - 4] + '..' + s[-2:]\n except:\n return 'N/A'\n", "role": "user" }, { "content": "safe_repr", "role": "assistant" } ]
def x(obj, max, left=0): s = str(obj) s = s.replace('\n', '|') if len(s) > max: if left: return '...' + s[len(s) - max + 3:] else: return s[:max - 3] + '...' else: return s
trunc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, max, left=0):\n s = str(obj)\n s = s.replace('\\n', '|')\n if len(s) > max:\n if left:\n return '...' + s[len(s) - max + 3:]\n else:\n return s[:max - 3] + '...'\n else:\n return s\n", "role": "user" }, { "content": "trunc", "role": "assistant" } ]
def x(i, base=1024): degree = 0 pattern = '%4d %s' while i > base: pattern = '%7.2f %s' i = i / float(base) degree += 1 scales = ['B', 'KB', 'MB', 'GB', 'TB', 'EB'] return pattern % (i, scales[degree])
pp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i, base=1024):\n degree = 0\n pattern = '%4d %s'\n while i > base:\n pattern = '%7.2f %s'\n i = i / float(base)\n degree += 1\n scales = ['B', 'KB', 'MB', 'GB', 'TB', 'EB']\n return pattern % (i, scales[degree])\n", "role": "user" }, { "content": "pp", "role": "assistant" } ]
def x(t): if t is None: return '' h, m, s = int(t / 3600), int(t / 60 % 60), t % 60 return '%02d:%02d:%05.2f' % (h, m, s)
pp_timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(t):\n if t is None:\n return ''\n h, m, s = int(t / 3600), int(t / 60 % 60), t % 60\n return '%02d:%02d:%05.2f' % (h, m, s)\n", "role": "user" }, { "content": "pp_timestamp", "role": "assistant" } ]
def x(self, stream=None): if not stream: stream = sys.stdout self.metadata.sort(key=lambda x: -x.size) stream.write('%-10s %8s %-12s %-46s\n' % ('id', 'size', 'type', 'representation')) for g in self.metadata: stream.write('0x%08x %8d %-12s %-46s\n' % (g.id, g.size, trunc(g. type, 12), trunc(g.str, 46))) stream.write('Garbage: %8d collected objects (%s in cycles): %12s\n' % (self.count, self.num_in_cycles, pp(self.total_size)))
print_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stream=None):\n if not stream:\n stream = sys.stdout\n self.metadata.sort(key=lambda x: -x.size)\n stream.write('%-10s %8s %-12s %-46s\\n' % ('id', 'size', 'type',\n 'representation'))\n for g in self.metadata:\n stream.write('0x%08x %8d %-12s %-46s\\n' % (g.id, g.size, trunc(g.\n type, 12), trunc(g.str, 46)))\n stream.write('Garbage: %8d collected objects (%s in cycles): %12s\\n' %\n (self.count, self.num_in_cycles, pp(self.total_size)))\n", "role": "user" }, { "content": "print_stats", "role": "assistant" } ]
def x(self): result = set(self.file_dict) result.discard(inspect.currentframe().f_code.co_filename) return result
getFilenameSet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = set(self.file_dict)\n result.discard(inspect.currentframe().f_code.co_filename)\n return result\n", "role": "user" }, { "content": "getFilenameSet", "role": "assistant" } ]
def x(self, out, filename=None, commandline=None, relative_path=False): print >> out, 'version: 1' if commandline is not None: print >> out, 'cmd:', commandline print >> out, 'creator: pprofile' print >> out, 'event: usphit :us/hit' print >> out, 'events: hits us usphit' file_dict = self.file_dict if relative_path: convertPath = _relpath else: convertPath = lambda x: x for name in self._getFileNameList(filename): printable_name = convertPath(name) print >> out, 'fl=%s' % printable_name funcname = False call_list_by_line = file_dict[name].getCallListByLine() for lineno, func, firstlineno, hits, duration, _ in self._iterFile(name , call_list_by_line): call_list = call_list_by_line.get(lineno, ()) if not hits and not call_list: continue if func is None: func, firstlineno = call_list[0][:2] if funcname != func: funcname = func print >> out, 'fn=%s' % _getFuncOrFile(func, printable_name, firstlineno) ticks = int(duration * 1000000) if hits == 0: ticksperhit = 0 else: ticksperhit = ticks / hits print >> out, lineno, hits, ticks, int(ticksperhit) for _, _, hits, duration, callee_file, callee_line, callee_name in sorted( call_list, key=lambda x: x[2:4]): callee_file = convertPath(callee_file) print >> out, 'cfl=%s' % callee_file print >> out, 'cfn=%s' % _getFuncOrFile(callee_name, callee_file, callee_line) print >> out, 'calls=%s' % hits, callee_line duration *= 1000000 print >> out, lineno, hits, int(duration), int(duration / hits)
callgrind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, out, filename=None, commandline=None, relative_path=False):\n print >> out, 'version: 1'\n if commandline is not None:\n print >> out, 'cmd:', commandline\n print >> out, 'creator: pprofile'\n print >> out, 'event: usphit :us/hit'\n print >> out, 'events: hits us usphit'\n file_dict = self.file_dict\n if relative_path:\n convertPath = _relpath\n else:\n convertPath = lambda x: x\n for name in self._getFileNameList(filename):\n printable_name = convertPath(name)\n print >> out, 'fl=%s' % printable_name\n funcname = False\n call_list_by_line = file_dict[name].getCallListByLine()\n for lineno, func, firstlineno, hits, duration, _ in self._iterFile(name\n , call_list_by_line):\n call_list = call_list_by_line.get(lineno, ())\n if not hits and not call_list:\n continue\n if func is None:\n func, firstlineno = call_list[0][:2]\n if funcname != func:\n funcname = func\n print >> out, 'fn=%s' % _getFuncOrFile(func, printable_name,\n firstlineno)\n ticks = int(duration * 1000000)\n if hits == 0:\n ticksperhit = 0\n else:\n ticksperhit = ticks / hits\n print >> out, lineno, hits, ticks, int(ticksperhit)\n for _, _, hits, duration, callee_file, callee_line, callee_name in sorted(\n call_list, key=lambda x: x[2:4]):\n callee_file = convertPath(callee_file)\n print >> out, 'cfl=%s' % callee_file\n print >> out, 'cfn=%s' % _getFuncOrFile(callee_name,\n callee_file, callee_line)\n print >> out, 'calls=%s' % hits, callee_line\n duration *= 1000000\n print >> out, lineno, hits, int(duration), int(duration / hits)\n", "role": "user" }, { "content": "callgrind", "role": "assistant" } ]
def x(self, out, filename=None, commandline=None, relative_path=False): file_dict = self.file_dict total_time = self.total_time if commandline is not None: print >> out, 'Command line:', commandline print >> out, 'Total duration: %gs' % total_time if not total_time: return def x(value, scale): if scale == 0: return 0 return value * 100 / float(scale) for name in self._getFileNameList(filename): file_timing = file_dict[name] file_total_time = file_timing.getTotalTime() call_list_by_line = file_timing.getCallListByLine() print >> out, 'File:', name print >> out, 'File duration: %gs (%.2f%%)' % (file_total_time, percent(file_total_time, total_time)) print >> out, _ANNOTATE_HEADER print >> out, _ANNOTATE_HORIZONTAL_LINE for lineno, _, _, hits, duration, line in self._iterFile(name, call_list_by_line): if hits: time_per_hit = duration / hits else: time_per_hit = 0 print >> out, _ANNOTATE_FORMAT % {'lineno': lineno, 'hits': hits, 'time': duration, 'time_per_hit': time_per_hit, 'percent': percent(duration, total_time), 'line': line} for _, _, hits, duration, callee_file, callee_line, callee_name in call_list_by_line.get( lineno, ()): print >> out, _ANNOTATE_CALL_FORMAT % {'hits': hits, 'time': duration, 'time_per_hit': duration / hits, 'percent': percent(duration, total_time), 'callee_file': callee_file, 'callee_line': callee_line, 'callee_name': callee_name}
annotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, out, filename=None, commandline=None, relative_path=False):\n file_dict = self.file_dict\n total_time = self.total_time\n if commandline is not None:\n print >> out, 'Command line:', commandline\n print >> out, 'Total duration: %gs' % total_time\n if not total_time:\n return\n\n def x(value, scale):\n if scale == 0:\n return 0\n return value * 100 / float(scale)\n for name in self._getFileNameList(filename):\n file_timing = file_dict[name]\n file_total_time = file_timing.getTotalTime()\n call_list_by_line = file_timing.getCallListByLine()\n print >> out, 'File:', name\n print >> out, 'File duration: %gs (%.2f%%)' % (file_total_time,\n percent(file_total_time, total_time))\n print >> out, _ANNOTATE_HEADER\n print >> out, _ANNOTATE_HORIZONTAL_LINE\n for lineno, _, _, hits, duration, line in self._iterFile(name,\n call_list_by_line):\n if hits:\n time_per_hit = duration / hits\n else:\n time_per_hit = 0\n print >> out, _ANNOTATE_FORMAT % {'lineno': lineno, 'hits':\n hits, 'time': duration, 'time_per_hit': time_per_hit,\n 'percent': percent(duration, total_time), 'line': line}\n for _, _, hits, duration, callee_file, callee_line, callee_name in call_list_by_line.get(\n lineno, ()):\n print >> out, _ANNOTATE_CALL_FORMAT % {'hits': hits, 'time':\n duration, 'time_per_hit': duration / hits, 'percent':\n percent(duration, total_time), 'callee_file':\n callee_file, 'callee_line': callee_line, 'callee_name':\n callee_name}\n", "role": "user" }, { "content": "annotate", "role": "assistant" } ]
def x(self, threads=True): if self.enabled_start: sys.settrace(None) self._disable() else: warn('Duplicate "disable" call')
disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, threads=True):\n if self.enabled_start:\n sys.settrace(None)\n self._disable()\n else:\n warn('Duplicate \"disable\" call')\n", "role": "user" }, { "content": "disable", "role": "assistant" } ]
def x(self, cmd): import __main__ dict = __main__.__dict__ return self.runctx(cmd, dict, dict)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd):\n import __main__\n dict = __main__.__dict__\n return self.runctx(cmd, dict, dict)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, data, end='\n', flush=True): if not self.nostdout: self.stdout.write(data + end) if self.file is not None: self.file.write(data + end) if flush: self.flush()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, end='\\n', flush=True):\n if not self.nostdout:\n self.stdout.write(data + end)\n if self.file is not None:\n self.file.write(data + end)\n if flush:\n self.flush()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self): if not self.nostdout: self.stdout.flush() if self.file is not None: self.file.flush()
flush
[ { "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.nostdout:\n self.stdout.flush()\n if self.file is not None:\n self.file.flush()\n", "role": "user" }, { "content": "flush", "role": "assistant" } ]
def x(seq1, seq2, normalized=False, max_dist=-1): if normalized: return nlevenshtein(seq1, seq2, method=1) if seq1 == seq2: return 0 len1, len2 = len(seq1), len(seq2) if max_dist >= 0 and abs(len1 - len2) > max_dist: return -1 if len1 == 0: return len2 if len2 == 0: return len1 if len1 < len2: len1, len2 = len2, len1 seq1, seq2 = seq2, seq1 column = array('L', range(len2 + 1)) for x in range(1, len1 + 1): column[0] = x last = x - 1 for y in range(1, len2 + 1): old = column[y] cost = int(seq1[x - 1] != seq2[y - 1]) column[y] = min(column[y] + 1, column[y - 1] + 1, last + cost) last = old if max_dist >= 0 and min(column) > max_dist: return -1 if max_dist >= 0 and column[len2] > max_dist: return -1 return column[len2]
levenshtein
[ { "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, max_dist=-1):\n if normalized:\n return nlevenshtein(seq1, seq2, method=1)\n if seq1 == seq2:\n return 0\n len1, len2 = len(seq1), len(seq2)\n if max_dist >= 0 and abs(len1 - len2) > max_dist:\n return -1\n if len1 == 0:\n return len2\n if len2 == 0:\n return len1\n if len1 < len2:\n len1, len2 = len2, len1\n seq1, seq2 = seq2, seq1\n column = array('L', range(len2 + 1))\n for x in range(1, len1 + 1):\n column[0] = x\n last = x - 1\n for y in range(1, len2 + 1):\n old = column[y]\n cost = int(seq1[x - 1] != seq2[y - 1])\n column[y] = min(column[y] + 1, column[y - 1] + 1, last + cost)\n last = old\n if max_dist >= 0 and min(column) > max_dist:\n return -1\n if max_dist >= 0 and column[len2] > max_dist:\n return -1\n return column[len2]\n", "role": "user" }, { "content": "levenshtein", "role": "assistant" } ]
def x(seq1, seq2, method=1): if seq1 == seq2: return 0.0 len1, len2 = len(seq1), len(seq2) if len1 == 0 or len2 == 0: return 1.0 if len1 < len2: len1, len2 = len2, len1 seq1, seq2 = seq2, seq1 if method == 1: return levenshtein(seq1, seq2) / float(len1) if method != 2: raise ValueError('expected either 1 or 2 for `method` parameter') column = array('L', range(len2 + 1)) length = array('L', range(len2 + 1)) for x in range(1, len1 + 1): column[0] = length[0] = x last = llast = x - 1 for y in range(1, len2 + 1): old = column[y] ic = column[y - 1] + 1 dc = column[y] + 1 rc = last + (seq1[x - 1] != seq2[y - 1]) column[y] = min(ic, dc, rc) last = old lold = length[y] lic = length[y - 1] + 1 if ic == column[y] else 0 ldc = length[y] + 1 if dc == column[y] else 0 lrc = llast + 1 if rc == column[y] else 0 length[y] = max(ldc, lic, lrc) llast = lold return column[y] / float(length[y])
nlevenshtein
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seq2, method=1):\n if seq1 == seq2:\n return 0.0\n len1, len2 = len(seq1), len(seq2)\n if len1 == 0 or len2 == 0:\n return 1.0\n if len1 < len2:\n len1, len2 = len2, len1\n seq1, seq2 = seq2, seq1\n if method == 1:\n return levenshtein(seq1, seq2) / float(len1)\n if method != 2:\n raise ValueError('expected either 1 or 2 for `method` parameter')\n column = array('L', range(len2 + 1))\n length = array('L', range(len2 + 1))\n for x in range(1, len1 + 1):\n column[0] = length[0] = x\n last = llast = x - 1\n for y in range(1, len2 + 1):\n old = column[y]\n ic = column[y - 1] + 1\n dc = column[y] + 1\n rc = last + (seq1[x - 1] != seq2[y - 1])\n column[y] = min(ic, dc, rc)\n last = old\n lold = length[y]\n lic = length[y - 1] + 1 if ic == column[y] else 0\n ldc = length[y] + 1 if dc == column[y] else 0\n lrc = llast + 1 if rc == column[y] else 0\n length[y] = max(ldc, lic, lrc)\n llast = lold\n return column[y] / float(length[y])\n", "role": "user" }, { "content": "nlevenshtein", "role": "assistant" } ]
def x(self, node): return [parent for parent in getattr(node, 'parents', []) if getattr( parent, 'tree', self.TREE) == self.TREE]
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 return [parent for parent in getattr(node, 'parents', []) if getattr(\n parent, 'tree', self.TREE) == self.TREE]\n", "role": "user" }, { "content": "parents", "role": "assistant" } ]
def x(self, node): if not node.directory: return None if node.filename == '~': return None return os.path.join(node.directory, node.filename)
filename
[ { "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 not node.directory:\n return None\n if node.filename == '~':\n return None\n return os.path.join(node.directory, node.filename)\n", "role": "user" }, { "content": "filename", "role": "assistant" } ]
def x(obj): oid = id(obj) try: server.id2ref[oid] = obj except TypeError: server.id2obj[oid] = obj return str(oid)
get_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n oid = id(obj)\n try:\n server.id2ref[oid] = obj\n except TypeError:\n server.id2obj[oid] = obj\n return str(oid)\n", "role": "user" }, { "content": "get_ref", "role": "assistant" } ]
def x(ref): oid = int(ref) return server.id2ref.get(oid) or server.id2obj[oid]
get_obj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ref):\n oid = int(ref)\n return server.id2ref.get(oid) or server.id2obj[oid]\n", "role": "user" }, { "content": "get_obj", "role": "assistant" } ]
def x(): pmi = ProcessMemoryInfo() threads = get_current_threads() return dict(info=pmi, threads=threads)
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n pmi = ProcessMemoryInfo()\n threads = get_current_threads()\n return dict(info=pmi, threads=threads)\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(): stats = server.stats if stats and stats.snapshots: stats.annotate() timeseries = [] for cls in stats.tracked_classes: series = [] for snapshot in stats.snapshots: series.append(snapshot.classes.get(cls, {}).get('sum', 0)) timeseries.append((cls, series)) series = [s.overhead for s in stats.snapshots] timeseries.append(('Profiling overhead', series)) if stats.snapshots[0].system_total.data_segment: series = [(s.system_total.data_segment - s.tracked_total - s. overhead) for s in stats.snapshots] timeseries.append(('Data segment', series)) series = [s.system_total.code_segment for s in stats.snapshots] timeseries.append(('Code segment', series)) series = [s.system_total.stack_segment for s in stats.snapshots] timeseries.append(('Stack segment', series)) series = [s.system_total.shared_segment for s in stats.snapshots] timeseries.append(('Shared memory', series)) else: series = [(s.total - s.tracked_total - s.overhead) for s in stats.snapshots] timeseries.append(('Other', series)) return dict(snapshots=stats.snapshots, timeseries=timeseries) else: return dict(snapshots=[])
tracker_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n stats = server.stats\n if stats and stats.snapshots:\n stats.annotate()\n timeseries = []\n for cls in stats.tracked_classes:\n series = []\n for snapshot in stats.snapshots:\n series.append(snapshot.classes.get(cls, {}).get('sum', 0))\n timeseries.append((cls, series))\n series = [s.overhead for s in stats.snapshots]\n timeseries.append(('Profiling overhead', series))\n if stats.snapshots[0].system_total.data_segment:\n series = [(s.system_total.data_segment - s.tracked_total - s.\n overhead) for s in stats.snapshots]\n timeseries.append(('Data segment', series))\n series = [s.system_total.code_segment for s in stats.snapshots]\n timeseries.append(('Code segment', series))\n series = [s.system_total.stack_segment for s in stats.snapshots]\n timeseries.append(('Stack segment', series))\n series = [s.system_total.shared_segment for s in stats.snapshots]\n timeseries.append(('Shared memory', series))\n else:\n series = [(s.total - s.tracked_total - s.overhead) for s in\n stats.snapshots]\n timeseries.append(('Other', series))\n return dict(snapshots=stats.snapshots, timeseries=timeseries)\n else:\n return dict(snapshots=[])\n", "role": "user" }, { "content": "tracker_index", "role": "assistant" } ]
def x(clsname): stats = server.stats if not stats: bottle.redirect('/tracker') stats.annotate() return dict(stats=stats, clsname=clsname)
tracker_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(clsname):\n stats = server.stats\n if not stats:\n bottle.redirect('/tracker')\n stats.annotate()\n return dict(stats=stats, clsname=clsname)\n", "role": "user" }, { "content": "tracker_class", "role": "assistant" } ]
def x(index): graph = _compute_garbage_graphs()[int(index)] graph.reduce_to_cycles() objects = graph.metadata objects.sort(key=lambda x: -x.size) return dict(objects=objects, index=index)
garbage_cycle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(index):\n graph = _compute_garbage_graphs()[int(index)]\n graph.reduce_to_cycles()\n objects = graph.metadata\n objects.sort(key=lambda x: -x.size)\n return dict(objects=objects, index=index)\n", "role": "user" }, { "content": "garbage_cycle", "role": "assistant" } ]
def x(graph, filename): try: rendered = graph.rendered_file except AttributeError: try: graph.render(os.path.join(server.tmpdir, filename), format='png') rendered = filename except OSError: rendered = None graph.rendered_file = rendered return rendered
get_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, filename):\n try:\n rendered = graph.rendered_file\n except AttributeError:\n try:\n graph.render(os.path.join(server.tmpdir, filename), format='png')\n rendered = filename\n except OSError:\n rendered = None\n graph.rendered_file = rendered\n return rendered\n", "role": "user" }, { "content": "get_graph", "role": "assistant" } ]
def x(index): graph = _compute_garbage_graphs()[int(index)] reduce_graph = bottle.request.GET.get('reduce', '') if reduce_graph: graph = graph.reduce_to_cycles() if not graph: return None filename = 'garbage%so%s.png' % (index, reduce_graph) rendered_file = _get_graph(graph, filename) if rendered_file: bottle.send_file(rendered_file, root=server.tmpdir) else: return None
garbage_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(index):\n graph = _compute_garbage_graphs()[int(index)]\n reduce_graph = bottle.request.GET.get('reduce', '')\n if reduce_graph:\n graph = graph.reduce_to_cycles()\n if not graph:\n return None\n filename = 'garbage%so%s.png' % (index, reduce_graph)\n rendered_file = _get_graph(graph, filename)\n if rendered_file:\n bottle.send_file(rendered_file, root=server.tmpdir)\n else:\n return None\n", "role": "user" }, { "content": "garbage_graph", "role": "assistant" } ]
def x(host='localhost', port=8090, tracker=None, stats=None, debug=False, **kwargs): if tracker and not stats: server.stats = tracker.stats else: server.stats = stats try: server.tmpdir = mkdtemp(prefix='pympler') server.server = PymplerServer(host=host, port=port, **kwargs) bottle.debug(debug) bottle.run(server=server.server) finally: rmtree(server.tmpdir)
start_profiler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(host='localhost', port=8090, tracker=None, stats=None, debug=False,\n **kwargs):\n if tracker and not stats:\n server.stats = tracker.stats\n else:\n server.stats = stats\n try:\n server.tmpdir = mkdtemp(prefix='pympler')\n server.server = PymplerServer(host=host, port=port, **kwargs)\n bottle.debug(debug)\n bottle.run(server=server.server)\n finally:\n rmtree(server.tmpdir)\n", "role": "user" }, { "content": "start_profiler", "role": "assistant" } ]
def x(name): k = _winreg.OpenKey(_winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Windows\\CurrentVersion\\Explorer\\Shell Folders' ) try: return _winreg.QueryValueEx(k, name)[0] finally: _winreg.CloseKey(k)
winreg_getShellFolder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n k = _winreg.OpenKey(_winreg.HKEY_CURRENT_USER,\n 'Software\\\\Microsoft\\\\Windows\\\\CurrentVersion\\\\Explorer\\\\Shell Folders'\n )\n try:\n return _winreg.QueryValueEx(k, name)[0]\n finally:\n _winreg.CloseKey(k)\n", "role": "user" }, { "content": "winreg_getShellFolder", "role": "assistant" } ]
def x(): if shell: return shell_getShellFolder(shellcon.CSIDL_APPDATA) if _winreg: return _winreg_getShellFolder('AppData') for name in ['APPDATA', 'HOME']: if name in os.environ: return os.path.join(os.environ[name], '.config') possible = os.path.abspath(os.path.expanduser('~/.config')) if os.path.exists(possible): return possible raise OSError( "Unable to determine user's application-data directory, no ${HOME} or ${APPDATA} in environment" )
appdatadirectory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if shell:\n return shell_getShellFolder(shellcon.CSIDL_APPDATA)\n if _winreg:\n return _winreg_getShellFolder('AppData')\n for name in ['APPDATA', 'HOME']:\n if name in os.environ:\n return os.path.join(os.environ[name], '.config')\n possible = os.path.abspath(os.path.expanduser('~/.config'))\n if os.path.exists(possible):\n return possible\n raise OSError(\n \"Unable to determine user's application-data directory, no ${HOME} or ${APPDATA} in environment\"\n )\n", "role": "user" }, { "content": "appdatadirectory", "role": "assistant" } ]
def x(remove_dups=True, include_frames=False): gc.collect() tmp = gc.get_objects() tmp = [o for o in tmp if not isframe(o)] res = [] for o in tmp: refs = get_referents(o) for ref in refs: if not _is_containerobject(ref): res.append(ref) res.extend(tmp) if remove_dups: res = _remove_duplicates(res) if include_frames: for sf in stack()[2:]: res.append(sf[0]) 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(remove_dups=True, include_frames=False):\n gc.collect()\n tmp = gc.get_objects()\n tmp = [o for o in tmp if not isframe(o)]\n res = []\n for o in tmp:\n refs = get_referents(o)\n for ref in refs:\n if not _is_containerobject(ref):\n res.append(ref)\n res.extend(tmp)\n if remove_dups:\n res = _remove_duplicates(res)\n if include_frames:\n for sf in stack()[2:]:\n res.append(sf[0])\n return res\n", "role": "user" }, { "content": "get_objects", "role": "assistant" } ]
def x(objects): res = 0 for o in objects: try: res += _getsizeof(o) except AttributeError: print('IGNORING: type=%s; o=%s' % (str(type(o)), str(o))) return res
get_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objects):\n res = 0\n for o in objects:\n try:\n res += _getsizeof(o)\n except AttributeError:\n print('IGNORING: type=%s; o=%s' % (str(type(o)), str(o)))\n return res\n", "role": "user" }, { "content": "get_size", "role": "assistant" } ]
def x(left, right): res = {'+': [], '-': []} def x(objects): res = {} for o in objects: t = type(o) if type(o) not in res: res[t] = [] res[t].append(o) return res def x(foo, bar): res = [] for o in foo: if not compat.object_in_list(type(o), bar): res.append(o) elif not compat.object_in_list(o, bar[type(o)]): res.append(o) return res left_objects = partition(left) right_objects = partition(right) res['+'] = get_not_included(right, left_objects) res['-'] = get_not_included(left, right_objects) return res
get_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(left, right):\n res = {'+': [], '-': []}\n\n def x(objects):\n res = {}\n for o in objects:\n t = type(o)\n if type(o) not in res:\n res[t] = []\n res[t].append(o)\n return res\n\n def x(foo, bar):\n res = []\n for o in foo:\n if not compat.object_in_list(type(o), bar):\n res.append(o)\n elif not compat.object_in_list(o, bar[type(o)]):\n res.append(o)\n return res\n left_objects = partition(left)\n right_objects = partition(right)\n res['+'] = get_not_included(right, left_objects)\n res['-'] = get_not_included(left, right_objects)\n return res\n", "role": "user" }, { "content": "get_diff", "role": "assistant" } ]
def x(objects, Type=None, min=-1, max=-1): res = [] if min > max: raise ValueError('minimum must be smaller than maximum') if Type is not None: res = [o for o in objects if isinstance(o, Type)] if min > -1: res = [o for o in res if _getsizeof(o) < min] if max > -1: res = [o for o in res if _getsizeof(o) > max] return res
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objects, Type=None, min=-1, max=-1):\n res = []\n if min > max:\n raise ValueError('minimum must be smaller than maximum')\n if Type is not None:\n res = [o for o in objects if isinstance(o, Type)]\n if min > -1:\n res = [o for o in res if _getsizeof(o) < min]\n if max > -1:\n res = [o for o in res if _getsizeof(o) > max]\n return res\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(object, level=1): res = gc.get_referents(object) level -= 1 if level > 0: for o in res: res.extend(get_referents(o, level)) res = _remove_duplicates(res) return res
get_referents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(object, level=1):\n res = gc.get_referents(object)\n level -= 1\n if level > 0:\n for o in res:\n res.extend(get_referents(o, level))\n res = _remove_duplicates(res)\n return res\n", "role": "user" }, { "content": "get_referents", "role": "assistant" } ]
def x(function, *args): res = None def x(function, *args): s_before = summary.summarize(get_objects()) function(*args) s_after = summary.summarize(get_objects()) return s_before, s_after def x(function, *args): res = [] s_before, s_after = _get_summaries(function, *args) ignore = [] if s_before != s_after: ignore.append(s_before) for row in s_before: if len(gc.get_referrers(row)) == 2: ignore.append(row) for item in row: if len(gc.get_referrers(item)) == 2: ignore.append(item) for o in ignore: s_after = summary._subtract(s_after, o) res = summary.get_diff(s_before, s_after) return summary._sweep(res) def x(): pass offset = _get_usage(noop) offset = _get_usage(noop) tmp = _get_usage(function, *args) tmp = _get_usage(function, *args) tmp = summary.get_diff(offset, tmp) tmp = summary._sweep(tmp) if len(tmp) != 0: res = tmp return res
get_usage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function, *args):\n res = None\n\n def x(function, *args):\n s_before = summary.summarize(get_objects())\n function(*args)\n s_after = summary.summarize(get_objects())\n return s_before, s_after\n\n def x(function, *args):\n res = []\n s_before, s_after = _get_summaries(function, *args)\n ignore = []\n if s_before != s_after:\n ignore.append(s_before)\n for row in s_before:\n if len(gc.get_referrers(row)) == 2:\n ignore.append(row)\n for item in row:\n if len(gc.get_referrers(item)) == 2:\n ignore.append(item)\n for o in ignore:\n s_after = summary._subtract(s_after, o)\n res = summary.get_diff(s_before, s_after)\n return summary._sweep(res)\n\n def x():\n pass\n offset = _get_usage(noop)\n offset = _get_usage(noop)\n tmp = _get_usage(function, *args)\n tmp = _get_usage(function, *args)\n tmp = summary.get_diff(offset, tmp)\n tmp = summary._sweep(tmp)\n if len(tmp) != 0:\n res = tmp\n return res\n", "role": "user" }, { "content": "get_usage", "role": "assistant" } ]
def x(objects): seen = {} result = [] for item in objects: marker = id(item) if marker in seen: continue seen[marker] = 1 result.append(item) return result
remove_duplicates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objects):\n seen = {}\n result = []\n for item in objects:\n marker = id(item)\n if marker in seen:\n continue\n seen[marker] = 1\n result.append(item)\n return result\n", "role": "user" }, { "content": "remove_duplicates", "role": "assistant" } ]
def x(self, actions): boolean_actions = _StoreConstAction, _StoreFalseAction, _StoreTrueAction return [action for action in actions if action.option_strings and not action.choices and not isinstance(action, _CountAction) and not isinstance(action, _HelpAction) and type(action) not in boolean_actions ]
get_optionals_without_choices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, actions):\n boolean_actions = _StoreConstAction, _StoreFalseAction, _StoreTrueAction\n return [action for action in actions if action.option_strings and not\n action.choices and not isinstance(action, _CountAction) and not\n isinstance(action, _HelpAction) and type(action) not in boolean_actions\n ]\n", "role": "user" }, { "content": "get_optionals_without_choices", "role": "assistant" } ]
def x(self, actions): return [action for action in actions if isinstance(action, _StoreTrueAction) or isinstance(action, _StoreFalseAction) or isinstance(action, _StoreConstAction)]
get_flag_style_optionals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, actions):\n return [action for action in actions if isinstance(action,\n _StoreTrueAction) or isinstance(action, _StoreFalseAction) or\n isinstance(action, _StoreConstAction)]\n", "role": "user" }, { "content": "get_flag_style_optionals", "role": "assistant" } ]
def x(parent, _bitmap, target_height): image = wx.ImageFromBitmap(_bitmap) _width, _height = image.GetSize() if _height < target_height: return wx.StaticBitmap(parent, -1, wx.BitmapFromImage(image)) ratio = float(_width) / _height image = image.Scale(target_height * ratio, target_height, wx. IMAGE_QUALITY_HIGH) return wx.StaticBitmap(parent, -1, wx.BitmapFromImage(image))
resize_bitmap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parent, _bitmap, target_height):\n image = wx.ImageFromBitmap(_bitmap)\n _width, _height = image.GetSize()\n if _height < target_height:\n return wx.StaticBitmap(parent, -1, wx.BitmapFromImage(image))\n ratio = float(_width) / _height\n image = image.Scale(target_height * ratio, target_height, wx.\n IMAGE_QUALITY_HIGH)\n return wx.StaticBitmap(parent, -1, wx.BitmapFromImage(image))\n", "role": "user" }, { "content": "resize_bitmap", "role": "assistant" } ]
def x(seq1, seqs, max_dist=-1): for seq2 in seqs: dist = levenshtein(seq1, seq2, max_dist=max_dist) if dist != -1: yield dist, seq2
ilevenshtein
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seqs, max_dist=-1):\n for seq2 in seqs:\n dist = levenshtein(seq1, seq2, max_dist=max_dist)\n if dist != -1:\n yield dist, seq2\n", "role": "user" }, { "content": "ilevenshtein", "role": "assistant" } ]
def x(seq1, seqs, transpositions=False): for seq2 in seqs: dist = fast_comp(seq1, seq2, transpositions) if dist != -1: yield dist, seq2
ifast_comp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq1, seqs, transpositions=False):\n for seq2 in seqs:\n dist = fast_comp(seq1, seq2, transpositions)\n if dist != -1:\n yield dist, seq2\n", "role": "user" }, { "content": "ifast_comp", "role": "assistant" } ]
def x(objects): count = {} total_size = {} for o in objects: otype = _repr(o) if otype in count: count[otype] += 1 total_size[otype] += _getsizeof(o) else: count[otype] = 1 total_size[otype] = _getsizeof(o) rows = [] for otype in count: rows.append([otype, count[otype], total_size[otype]]) return rows
summarize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(objects):\n count = {}\n total_size = {}\n for o in objects:\n otype = _repr(o)\n if otype in count:\n count[otype] += 1\n total_size[otype] += _getsizeof(o)\n else:\n count[otype] = 1\n total_size[otype] = _getsizeof(o)\n rows = []\n for otype in count:\n rows.append([otype, count[otype], total_size[otype]])\n return rows\n", "role": "user" }, { "content": "summarize", "role": "assistant" } ]
def x(left, right): res = [] for row_r in right: found = False for row_l in left: if row_r[0] == row_l[0]: res.append([row_r[0], row_r[1] - row_l[1], row_r[2] - row_l[2]] ) found = True if not found: res.append(row_r) for row_l in left: found = False for row_r in right: if row_l[0] == row_r[0]: found = True if not found: res.append([row_l[0], -row_l[1], -row_l[2]]) return res
get_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(left, right):\n res = []\n for row_r in right:\n found = False\n for row_l in left:\n if row_r[0] == row_l[0]:\n res.append([row_r[0], row_r[1] - row_l[1], row_r[2] - row_l[2]]\n )\n found = True\n if not found:\n res.append(row_r)\n for row_l in left:\n found = False\n for row_r in right:\n if row_l[0] == row_r[0]:\n found = True\n if not found:\n res.append([row_l[0], -row_l[1], -row_l[2]])\n return res\n", "role": "user" }, { "content": "get_diff", "role": "assistant" } ]
def x(rows, limit=15, sort='size', order='descending'): localrows = [] for row in rows: localrows.append(list(row)) sortby = ['type', '#', 'size'] if sort not in sortby: raise ValueError('invalid sort, should be one of' + str(sortby)) orders = ['ascending', 'descending'] if order not in orders: raise ValueError('invalid order, should be one of' + str(orders)) if sortby.index(sort) == 0: if order == 'ascending': localrows.sort(key=lambda x: _repr(x[0])) elif order == 'descending': localrows.sort(key=lambda x: _repr(x[0]), reverse=True) elif order == 'ascending': localrows.sort(key=lambda x: x[sortby.index(sort)]) elif order == 'descending': localrows.sort(key=lambda x: x[sortby.index(sort)], reverse=True) localrows = localrows[0:limit] for row in localrows: row[2] = stringutils.pp(row[2]) localrows.insert(0, ['types', '# objects', 'total size']) _print_table(localrows)
print_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rows, limit=15, sort='size', order='descending'):\n localrows = []\n for row in rows:\n localrows.append(list(row))\n sortby = ['type', '#', 'size']\n if sort not in sortby:\n raise ValueError('invalid sort, should be one of' + str(sortby))\n orders = ['ascending', 'descending']\n if order not in orders:\n raise ValueError('invalid order, should be one of' + str(orders))\n if sortby.index(sort) == 0:\n if order == 'ascending':\n localrows.sort(key=lambda x: _repr(x[0]))\n elif order == 'descending':\n localrows.sort(key=lambda x: _repr(x[0]), reverse=True)\n elif order == 'ascending':\n localrows.sort(key=lambda x: x[sortby.index(sort)])\n elif order == 'descending':\n localrows.sort(key=lambda x: x[sortby.index(sort)], reverse=True)\n localrows = localrows[0:limit]\n for row in localrows:\n row[2] = stringutils.pp(row[2])\n localrows.insert(0, ['types', '# objects', 'total size'])\n _print_table(localrows)\n", "role": "user" }, { "content": "print_", "role": "assistant" } ]
def x(rows, header=True): border = '=' vdelim = ' | ' padding = 1 justify = 'right' justify = {'left': str.ljust, 'center': str.center, 'right': str.rjust}[ justify.lower()] cols = zip(*rows) colWidths = [max([(len(str(item)) + 2 * padding) for item in col]) for col in cols] borderline = vdelim.join([(w * border) for w in colWidths]) for row in rows: print(vdelim.join([justify(str(item), width) for item, width in zip (row, colWidths)])) if header: print(borderline) header = False
print_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rows, header=True):\n border = '='\n vdelim = ' | '\n padding = 1\n justify = 'right'\n justify = {'left': str.ljust, 'center': str.center, 'right': str.rjust}[\n justify.lower()]\n cols = zip(*rows)\n colWidths = [max([(len(str(item)) + 2 * padding) for item in col]) for\n col in cols]\n borderline = vdelim.join([(w * border) for w in colWidths])\n for row in rows:\n print(vdelim.join([justify(str(item), width) for item, width in zip\n (row, colWidths)]))\n if header:\n print(borderline)\n header = False\n", "role": "user" }, { "content": "print_table", "role": "assistant" } ]
def x(o, verbosity=1): res = '' t = type(o) if verbosity == 0 or t not in representations: res = str(t) else: verbosity -= 1 if len(representations[t]) < verbosity: verbosity = len(representations[t]) - 1 res = representations[t][verbosity](o) res = address.sub('', res) res = type_prefix.sub('', res) res = type_suffix.sub('', res) return res
repr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o, verbosity=1):\n res = ''\n t = type(o)\n if verbosity == 0 or t not in representations:\n res = str(t)\n else:\n verbosity -= 1\n if len(representations[t]) < verbosity:\n verbosity = len(representations[t]) - 1\n res = representations[t][verbosity](o)\n res = address.sub('', res)\n res = type_prefix.sub('', res)\n res = type_suffix.sub('', res)\n return res\n", "role": "user" }, { "content": "repr", "role": "assistant" } ]
def x(summary, function, *args): function(summary, *args) for row in summary: function(row, *args) for item in row: function(item, *args)
traverse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(summary, function, *args):\n function(summary, *args)\n for row in summary:\n function(row, *args)\n for item in row:\n function(item, *args)\n", "role": "user" }, { "content": "traverse", "role": "assistant" } ]
def x(summary, o): found = False row = [_repr(o), 1, _getsizeof(o)] for r in summary: if r[0] == row[0]: r[1], r[2] = r[1] - row[1], r[2] - row[2] found = True if not found: summary.append([row[0], -row[1], -row[2]]) return summary
subtract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(summary, o):\n found = False\n row = [_repr(o), 1, _getsizeof(o)]\n for r in summary:\n if r[0] == row[0]:\n r[1], r[2] = r[1] - row[1], r[2] - row[2]\n found = True\n if not found:\n summary.append([row[0], -row[1], -row[2]])\n return summary\n", "role": "user" }, { "content": "subtract", "role": "assistant" } ]
def x(filepath): if filepath.lower().endswith(tuple(img_filter)): try: im = PIL.Image.open(filepath) im.verify() except Exception as e: return str(e) return False else: return None
check_structure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath):\n if filepath.lower().endswith(tuple(img_filter)):\n try:\n im = PIL.Image.open(filepath)\n im.verify()\n except Exception as e:\n return str(e)\n return False\n else:\n return None\n", "role": "user" }, { "content": "check_structure", "role": "assistant" } ]
def x(filepath, blocksize=65536): hasher_md5 = hashlib.md5() hasher_sha1 = hashlib.sha1() with open(filepath, 'rb') as afile: buf = afile.read(blocksize) while len(buf) > 0: hasher_md5.update(buf) hasher_sha1.update(buf) buf = afile.read(blocksize) return hasher_md5.hexdigest(), hasher_sha1.hexdigest()
generate_hashes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath, blocksize=65536):\n hasher_md5 = hashlib.md5()\n hasher_sha1 = hashlib.sha1()\n with open(filepath, 'rb') as afile:\n buf = afile.read(blocksize)\n while len(buf) > 0:\n hasher_md5.update(buf)\n hasher_sha1.update(buf)\n buf = afile.read(blocksize)\n return hasher_md5.hexdigest(), hasher_sha1.hexdigest()\n", "role": "user" }, { "content": "generate_hashes", "role": "assistant" } ]
def x(self, poly=None): if not poly: return self.degree elif poly and hasattr('coefficients', poly): return len(poly.coefficients) - 1 else: while poly and poly[-1] == 0: poly.pop() return len(poly) - 1
get_degree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, poly=None):\n if not poly:\n return self.degree\n elif poly and hasattr('coefficients', poly):\n return len(poly.coefficients) - 1\n else:\n while poly and poly[-1] == 0:\n poly.pop()\n return len(poly) - 1\n", "role": "user" }, { "content": "get_degree", "role": "assistant" } ]
def x(self, other, k): if k > self.degree + other.degree or k > self.degree: return 0 term = 0 for i in _range(min(len(self), len(other))): coef1 = self.coefficients[-(k - i + 1)] coef2 = other.coefficients[-(i + 1)] if coef1 == 0 or coef2 == 0: continue term += coef1 * coef2 return term
mul_at
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other, k):\n if k > self.degree + other.degree or k > self.degree:\n return 0\n term = 0\n for i in _range(min(len(self), len(other))):\n coef1 = self.coefficients[-(k - i + 1)]\n coef2 = other.coefficients[-(i + 1)]\n if coef1 == 0 or coef2 == 0:\n continue\n term += coef1 * coef2\n return term\n", "role": "user" }, { "content": "mul_at", "role": "assistant" } ]
def x(self, scalar): return self.__class__([(self.coefficients[i] * scalar) for i in _range( len(self))])
scale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scalar):\n return self.__class__([(self.coefficients[i] * scalar) for i in _range(\n len(self))])\n", "role": "user" }, { "content": "scale", "role": "assistant" } ]
def x(dividend, divisor): msg_out = list(dividend) normalizer = divisor[0] for i in _range(len(dividend) - (len(divisor) - 1)): msg_out[i] /= normalizer coef = msg_out[i] if coef != 0: for j in _range(1, len(divisor)): if divisor[j] != 0: msg_out[i + j] += -divisor[j] * coef separator = -(len(divisor) - 1) return Polynomial(msg_out[:separator]), Polynomial(msg_out[separator:])
fastdivmod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dividend, divisor):\n msg_out = list(dividend)\n normalizer = divisor[0]\n for i in _range(len(dividend) - (len(divisor) - 1)):\n msg_out[i] /= normalizer\n coef = msg_out[i]\n if coef != 0:\n for j in _range(1, len(divisor)):\n if divisor[j] != 0:\n msg_out[i + j] += -divisor[j] * coef\n separator = -(len(divisor) - 1)\n return Polynomial(msg_out[:separator]), Polynomial(msg_out[separator:])\n", "role": "user" }, { "content": "fastdivmod", "role": "assistant" } ]
def x(dividend, divisor): msg_out = list(dividend) for i in _range(len(dividend) - (len(divisor) - 1)): coef = msg_out[i] if coef != 0: for j in _range(1, len(divisor)): msg_out[i + j] ^= divisor[j] * coef separator = -(len(divisor) - 1) return Polynomial(msg_out[:separator]), Polynomial(msg_out[separator:])
gffastdivmod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dividend, divisor):\n msg_out = list(dividend)\n for i in _range(len(dividend) - (len(divisor) - 1)):\n coef = msg_out[i]\n if coef != 0:\n for j in _range(1, len(divisor)):\n msg_out[i + j] ^= divisor[j] * coef\n separator = -(len(divisor) - 1)\n return Polynomial(msg_out[:separator]), Polynomial(msg_out[separator:])\n", "role": "user" }, { "content": "gffastdivmod", "role": "assistant" } ]
def x(self, x): y = self[0] for i in _range(1, len(self)): y = y * x + self.coefficients[i] return y
evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n y = self[0]\n for i in _range(1, len(self)):\n y = y * x + self.coefficients[i]\n return y\n", "role": "user" }, { "content": "evaluate", "role": "assistant" } ]
def x(self, x): x_gf = self.coefficients[0].__class__(x) arr = [(self.coefficients[-i] * x_gf ** (i - 1)) for i in _range(len( self), 0, -1)] return arr, sum(arr)
evaluate_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n x_gf = self.coefficients[0].__class__(x)\n arr = [(self.coefficients[-i] * x_gf ** (i - 1)) for i in _range(len(\n self), 0, -1)]\n return arr, sum(arr)\n", "role": "user" }, { "content": "evaluate_array", "role": "assistant" } ]
def x(self): L = len(self) - 1 return Polynomial([((L - i) * self[i]) for i in _range(0, len(self) - 1)])
derive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n L = len(self) - 1\n return Polynomial([((L - i) * self[i]) for i in _range(0, len(self) - 1)])\n", "role": "user" }, { "content": "derive", "role": "assistant" } ]
def x(x, xmin, xmax, a=0, b=1): return a + float(x - xmin) * (b - a) / (xmax - xmin)
feature_scaling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, xmin, xmax, a=0, b=1):\n return a + float(x - xmin) * (b - a) / (xmax - xmin)\n", "role": "user" }, { "content": "feature_scaling", "role": "assistant" } ]
def x(hasher, file, eccfile, entry_fields, max_block_size, header_size, resilience_rates, constantmode=False): eccfile.seek(entry_fields['ecc_field_pos'][0]) curpos = file.tell() ecc_curpos = eccfile.tell() while ecc_curpos < entry_fields['ecc_field_pos'][1]: if curpos < header_size or constantmode: rate = resilience_rates[0] else: rate = feature_scaling(curpos, header_size, entry_fields[ 'filesize'], resilience_rates[1], resilience_rates[2]) ecc_params = compute_ecc_params(max_block_size, rate, hasher) mes = file.read(ecc_params['message_size']) if len(mes) == 0: return buf = eccfile.read(ecc_params['hash_size'] + ecc_params['ecc_size']) hash = buf[:ecc_params['hash_size']] ecc = buf[ecc_params['hash_size']:] yield {'message': mes, 'hash': hash, 'ecc': ecc, 'rate': rate, 'ecc_params': ecc_params, 'curpos': curpos, 'ecc_curpos': ecc_curpos} curpos = file.tell() ecc_curpos = eccfile.tell() file.seek(0, os.SEEK_END) size = file.tell() if curpos < size: print( 'WARNING: end of ecc track reached but not the end of file! Either the ecc ending marker was misdetected, or either the file hash changed! Some blocks maybe may not have been properly checked!' )
stream_entry_assemble
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hasher, file, eccfile, entry_fields, max_block_size, header_size,\n resilience_rates, constantmode=False):\n eccfile.seek(entry_fields['ecc_field_pos'][0])\n curpos = file.tell()\n ecc_curpos = eccfile.tell()\n while ecc_curpos < entry_fields['ecc_field_pos'][1]:\n if curpos < header_size or constantmode:\n rate = resilience_rates[0]\n else:\n rate = feature_scaling(curpos, header_size, entry_fields[\n 'filesize'], resilience_rates[1], resilience_rates[2])\n ecc_params = compute_ecc_params(max_block_size, rate, hasher)\n mes = file.read(ecc_params['message_size'])\n if len(mes) == 0:\n return\n buf = eccfile.read(ecc_params['hash_size'] + ecc_params['ecc_size'])\n hash = buf[:ecc_params['hash_size']]\n ecc = buf[ecc_params['hash_size']:]\n yield {'message': mes, 'hash': hash, 'ecc': ecc, 'rate': rate,\n 'ecc_params': ecc_params, 'curpos': curpos, 'ecc_curpos':\n ecc_curpos}\n curpos = file.tell()\n ecc_curpos = eccfile.tell()\n file.seek(0, os.SEEK_END)\n size = file.tell()\n if curpos < size:\n print(\n 'WARNING: end of ecc track reached but not the end of file! Either the ecc ending marker was misdetected, or either the file hash changed! Some blocks maybe may not have been properly checked!'\n )\n", "role": "user" }, { "content": "stream_entry_assemble", "role": "assistant" } ]
def x(ecc_manager, hasher, file, max_block_size, header_size, resilience_rates ): curpos = file.tell() file.seek(0, os.SEEK_END) size = file.tell() file.seek(0, curpos) while curpos < size: if curpos < header_size: rate = resilience_rates[0] else: rate = feature_scaling(curpos, header_size, size, resilience_rates[1], resilience_rates[2]) ecc_params = compute_ecc_params(max_block_size, rate, hasher) mes = file.read(ecc_params['message_size']) hash = hasher.hash(mes) ecc = ecc_manager.encode(mes, k=ecc_params['message_size']) yield [hash, ecc, ecc_params] curpos = file.tell()
stream_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, file, max_block_size, header_size, resilience_rates\n ):\n curpos = file.tell()\n file.seek(0, os.SEEK_END)\n size = file.tell()\n file.seek(0, curpos)\n while curpos < size:\n if curpos < header_size:\n rate = resilience_rates[0]\n else:\n rate = feature_scaling(curpos, header_size, size,\n resilience_rates[1], resilience_rates[2])\n ecc_params = compute_ecc_params(max_block_size, rate, hasher)\n mes = file.read(ecc_params['message_size'])\n hash = hasher.hash(mes)\n ecc = ecc_manager.encode(mes, k=ecc_params['message_size'])\n yield [hash, ecc, ecc_params]\n curpos = file.tell()\n", "role": "user" }, { "content": "stream_compute_ecc_hash", "role": "assistant" } ]
def x(string, ecc_manager, hasher, max_block_size, resilience_rate): fpfile = StringIO(string) ecc_stream = ''.join([str(x[1]) for x in stream_compute_ecc_hash( ecc_manager, hasher, fpfile, max_block_size, len(string), [ resilience_rate])]) return ecc_stream
compute_ecc_hash_from_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, ecc_manager, hasher, max_block_size, resilience_rate):\n fpfile = StringIO(string)\n ecc_stream = ''.join([str(x[1]) for x in stream_compute_ecc_hash(\n ecc_manager, hasher, fpfile, max_block_size, len(string), [\n resilience_rate])])\n return ecc_stream\n", "role": "user" }, { "content": "compute_ecc_hash_from_string", "role": "assistant" } ]
def x(proc=-1, interval=0.1, timeout=None, run_in_place=False): ret = [] if timeout is not None: max_iter = timeout / interval elif isinstance(proc, int): max_iter = 1 else: max_iter = float('inf') if str(proc).endswith('.py'): filename = _find_script(proc) with open(filename) as f: proc = f.read() raise NotImplementedError if isinstance(proc, (list, tuple)): if len(proc) == 1: f, args, kw = proc[0], (), {} elif len(proc) == 2: f, args, kw = proc[0], proc[1], {} elif len(proc) == 3: f, args, kw = proc[0], proc[1], proc[2] else: raise ValueError try: import multiprocessing except ImportError: print( 'WARNING: cannot import module `multiprocessing`. Forcing to run inplace.' ) run_in_place = True if run_in_place: import threading main_thread = threading.Thread(target=f, args=args, kwargs=kw) else: main_thread = multiprocessing.Process(target=f, args=args, kwargs=kw) i = 0 main_thread.start() pid = getattr(main_thread, 'pid', os.getpid()) while i < max_iter and main_thread.is_alive(): m = _get_memory(pid) ret.append(m) time.sleep(interval) i += 1 main_thread.join() else: if proc == -1: proc = os.getpid() if max_iter == -1: max_iter = 1 for _ in range(max_iter): ret.append(_get_memory(proc)) time.sleep(interval) return ret
memory_usage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(proc=-1, interval=0.1, timeout=None, run_in_place=False):\n ret = []\n if timeout is not None:\n max_iter = timeout / interval\n elif isinstance(proc, int):\n max_iter = 1\n else:\n max_iter = float('inf')\n if str(proc).endswith('.py'):\n filename = _find_script(proc)\n with open(filename) as f:\n proc = f.read()\n raise NotImplementedError\n if isinstance(proc, (list, tuple)):\n if len(proc) == 1:\n f, args, kw = proc[0], (), {}\n elif len(proc) == 2:\n f, args, kw = proc[0], proc[1], {}\n elif len(proc) == 3:\n f, args, kw = proc[0], proc[1], proc[2]\n else:\n raise ValueError\n try:\n import multiprocessing\n except ImportError:\n print(\n 'WARNING: cannot import module `multiprocessing`. Forcing to run inplace.'\n )\n run_in_place = True\n if run_in_place:\n import threading\n main_thread = threading.Thread(target=f, args=args, kwargs=kw)\n else:\n main_thread = multiprocessing.Process(target=f, args=args,\n kwargs=kw)\n i = 0\n main_thread.start()\n pid = getattr(main_thread, 'pid', os.getpid())\n while i < max_iter and main_thread.is_alive():\n m = _get_memory(pid)\n ret.append(m)\n time.sleep(interval)\n i += 1\n main_thread.join()\n else:\n if proc == -1:\n proc = os.getpid()\n if max_iter == -1:\n max_iter = 1\n for _ in range(max_iter):\n ret.append(_get_memory(proc))\n time.sleep(interval)\n return ret\n", "role": "user" }, { "content": "memory_usage", "role": "assistant" } ]
def x(script_name): if os.path.isfile(script_name): return script_name path = os.getenv('PATH', os.defpath).split(os.pathsep) for dir in path: if dir == '': continue fn = os.path.join(dir, script_name) if os.path.isfile(fn): return fn print >> sys.stderr, 'Could not find script {0}'.format(script_name) raise SystemExit(1)
find_script
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script_name):\n if os.path.isfile(script_name):\n return script_name\n path = os.getenv('PATH', os.defpath).split(os.pathsep)\n for dir in path:\n if dir == '':\n continue\n fn = os.path.join(dir, script_name)\n if os.path.isfile(fn):\n return fn\n print >> sys.stderr, 'Could not find script {0}'.format(script_name)\n raise SystemExit(1)\n", "role": "user" }, { "content": "find_script", "role": "assistant" } ]