source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, region):
region = _convert_to_charp(region)
self._set_default_region_func(self.alpr_pointer, region)
|
set_default_region
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, region):\n region = _convert_to_charp(region)\n self._set_default_region_func(self.alpr_pointer, region)\n",
"role": "user"
},
{
"content": "set_default_region",
"role": "assistant"
}
] |
def x(self):
try:
[t for t in self.tokens]
ret = True
logger.debug('CallString [{}] is complete'.format(self.strip()))
except tokenize.TokenError:
logger.debug('CallString [{}] is NOT complete'.format(self.strip()))
ret = False
return ret
|
is_complete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n [t for t in self.tokens]\n ret = True\n logger.debug('CallString [{}] is complete'.format(self.strip()))\n except tokenize.TokenError:\n logger.debug('CallString [{}] is NOT complete'.format(self.strip()))\n ret = False\n return ret\n",
"role": "user"
},
{
"content": "is_complete",
"role": "assistant"
}
] |
def x(self, ast_tree, called_module, called_func):
s = set()
s.add('{}.{}'.format(called_module, called_func))
if hasattr(ast_tree, 'name'):
if ast_tree.name == called_func:
s.add(called_func)
if hasattr(ast_tree, 'body'):
if isinstance(ast_tree.body, Iterable):
for ast_body in ast_tree.body:
s.update(self._find_calls(ast_body, called_module, called_func)
)
elif hasattr(ast_tree, 'names'):
if hasattr(ast_tree, 'module'):
if ast_tree.module == called_module:
for ast_name in ast_tree.names:
if ast_name.name == called_func:
s.add(unicode(ast_name.asname if ast_name.asname is not
None else ast_name.name))
else:
for ast_name in ast_tree.names:
if hasattr(ast_name, 'name'
) and ast_name.name == called_module:
call = '{}.{}'.format(ast_name.asname if ast_name.
asname is not None else ast_name.name, called_func)
s.add(call)
return s
|
find_calls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ast_tree, called_module, called_func):\n s = set()\n s.add('{}.{}'.format(called_module, called_func))\n if hasattr(ast_tree, 'name'):\n if ast_tree.name == called_func:\n s.add(called_func)\n if hasattr(ast_tree, 'body'):\n if isinstance(ast_tree.body, Iterable):\n for ast_body in ast_tree.body:\n s.update(self._find_calls(ast_body, called_module, called_func)\n )\n elif hasattr(ast_tree, 'names'):\n if hasattr(ast_tree, 'module'):\n if ast_tree.module == called_module:\n for ast_name in ast_tree.names:\n if ast_name.name == called_func:\n s.add(unicode(ast_name.asname if ast_name.asname is not\n None else ast_name.name))\n else:\n for ast_name in ast_tree.names:\n if hasattr(ast_name, 'name'\n ) and ast_name.name == called_module:\n call = '{}.{}'.format(ast_name.asname if ast_name.\n asname is not None else ast_name.name, called_func)\n s.add(call)\n return s\n",
"role": "user"
},
{
"content": "find_calls",
"role": "assistant"
}
] |
def x(self):
ret_dict = {'args': [], 'line': 'Unknown', 'file': 'Unknown',
'arg_names': []}
arg_vals = self.arg_vals
c = self.call
ret_dict.update(c.info)
if len(arg_vals) > 0:
args = []
if len(ret_dict['arg_names']) > 0:
for i, arg_name in enumerate(ret_dict['arg_names']):
args.append({'name': arg_name, 'val': arg_vals[i]})
else:
for i, arg_val in enumerate(arg_vals):
args.append({'name': 'Unknown {}'.format(i), 'val': arg_val})
ret_dict['args'] = args
return ret_dict
|
get_arg_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret_dict = {'args': [], 'line': 'Unknown', 'file': 'Unknown',\n 'arg_names': []}\n arg_vals = self.arg_vals\n c = self.call\n ret_dict.update(c.info)\n if len(arg_vals) > 0:\n args = []\n if len(ret_dict['arg_names']) > 0:\n for i, arg_name in enumerate(ret_dict['arg_names']):\n args.append({'name': arg_name, 'val': arg_vals[i]})\n else:\n for i, arg_val in enumerate(arg_vals):\n args.append({'name': 'Unknown {}'.format(i), 'val': arg_val})\n ret_dict['args'] = args\n return ret_dict\n",
"role": "user"
},
{
"content": "get_arg_info",
"role": "assistant"
}
] |
def x(self, frames):
back_i = 0
pout_path = self._get_src_file(self.modname)
for frame_i, frame in enumerate(frames):
if frame[1] == pout_path:
back_i = frame_i
return Call(frames[back_i])
|
find_entry_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frames):\n back_i = 0\n pout_path = self._get_src_file(self.modname)\n for frame_i, frame in enumerate(frames):\n if frame[1] == pout_path:\n back_i = frame_i\n return Call(frames[back_i])\n",
"role": "user"
},
{
"content": "find_entry_call",
"role": "assistant"
}
] |
def x(self):
if self.requiredGPU_MB(self.required_mb):
self.analyzer = YoloV2Analyzer(verbose=self.verbose)
else:
self.warning_message = 'WARNING: not enough GPU memory!'
self.analyzer = None
|
postActivate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.requiredGPU_MB(self.required_mb):\n self.analyzer = YoloV2Analyzer(verbose=self.verbose)\n else:\n self.warning_message = 'WARNING: not enough GPU memory!'\n self.analyzer = None\n",
"role": "user"
},
{
"content": "postActivate_",
"role": "assistant"
}
] |
def x(blueprint_or_app, rules, endpoint=None, view_func=None, **options):
for rule in to_list(rules):
blueprint_or_app.add_url_rule(rule, endpoint=endpoint, view_func=
view_func, **options)
|
url_rule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(blueprint_or_app, rules, endpoint=None, view_func=None, **options):\n for rule in to_list(rules):\n blueprint_or_app.add_url_rule(rule, endpoint=endpoint, view_func=\n view_func, **options)\n",
"role": "user"
},
{
"content": "url_rule",
"role": "assistant"
}
] |
def x(item_or_list):
if isinstance(item_or_list, list):
return item_or_list
elif isinstance(item_or_list, (str, bytes)):
return [item_or_list]
elif isinstance(item_or_list, Iterable):
return list(item_or_list)
else:
return [item_or_list]
|
to_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item_or_list):\n if isinstance(item_or_list, list):\n return item_or_list\n elif isinstance(item_or_list, (str, bytes)):\n return [item_or_list]\n elif isinstance(item_or_list, Iterable):\n return list(item_or_list)\n else:\n return [item_or_list]\n",
"role": "user"
},
{
"content": "to_list",
"role": "assistant"
}
] |
def x(date_or_datetime):
if isinstance(date_or_datetime, date) and not isinstance(date_or_datetime,
datetime):
d = date_or_datetime
return datetime.strptime('%04d-%02d-%02d' % (d.year, d.month, d.day
), '%Y-%m-%d')
return date_or_datetime
|
to_datetime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_or_datetime):\n if isinstance(date_or_datetime, date) and not isinstance(date_or_datetime,\n datetime):\n d = date_or_datetime\n return datetime.strptime('%04d-%02d-%02d' % (d.year, d.month, d.day\n ), '%Y-%m-%d')\n return date_or_datetime\n",
"role": "user"
},
{
"content": "to_datetime",
"role": "assistant"
}
] |
def x(tz_str):
m = re.match('UTC([+|-]\\d{1,2}):(\\d{2})', tz_str)
if m:
delta_h = int(m.group(1))
delta_m = int(m.group(2)) if delta_h >= 0 else -int(m.group(2))
return timezone(timedelta(hours=delta_h, minutes=delta_m))
try:
return pytz.timezone(tz_str)
except pytz.exceptions.UnknownTimeZoneError:
return None
|
timezone_from_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tz_str):\n m = re.match('UTC([+|-]\\\\d{1,2}):(\\\\d{2})', tz_str)\n if m:\n delta_h = int(m.group(1))\n delta_m = int(m.group(2)) if delta_h >= 0 else -int(m.group(2))\n return timezone(timedelta(hours=delta_h, minutes=delta_m))\n try:\n return pytz.timezone(tz_str)\n except pytz.exceptions.UnknownTimeZoneError:\n return None\n",
"role": "user"
},
{
"content": "timezone_from_str",
"role": "assistant"
}
] |
def x(dir_path, yield_dir=False):
if not os.path.isdir(dir_path):
return
for item in os.listdir(dir_path):
new_path = os.path.join(dir_path, item)
if os.path.isdir(new_path):
if yield_dir:
yield new_path + os.path.sep
yield from traverse_directory(new_path, yield_dir)
else:
yield new_path
|
traverse_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dir_path, yield_dir=False):\n if not os.path.isdir(dir_path):\n return\n for item in os.listdir(dir_path):\n new_path = os.path.join(dir_path, item)\n if os.path.isdir(new_path):\n if yield_dir:\n yield new_path + os.path.sep\n yield from traverse_directory(new_path, yield_dir)\n else:\n yield new_path\n",
"role": "user"
},
{
"content": "traverse_directory",
"role": "assistant"
}
] |
def x(html_content):
from flask import current_app
from veripress.model.toc import HtmlTocParser
if current_app.config['SHOW_TOC']:
toc_parser = HtmlTocParser()
toc_parser.feed(html_content)
toc_html = toc_parser.toc_html(depth=current_app.config['TOC_DEPTH'
], lowest_level=current_app.config['TOC_LOWEST_LEVEL'])
toc = toc_parser.toc(depth=current_app.config['TOC_DEPTH'],
lowest_level=current_app.config['TOC_LOWEST_LEVEL'])
return toc_parser.html, toc, toc_html
else:
return html_content, None, None
|
parse_toc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_content):\n from flask import current_app\n from veripress.model.toc import HtmlTocParser\n if current_app.config['SHOW_TOC']:\n toc_parser = HtmlTocParser()\n toc_parser.feed(html_content)\n toc_html = toc_parser.toc_html(depth=current_app.config['TOC_DEPTH'\n ], lowest_level=current_app.config['TOC_LOWEST_LEVEL'])\n toc = toc_parser.toc(depth=current_app.config['TOC_DEPTH'],\n lowest_level=current_app.config['TOC_LOWEST_LEVEL'])\n return toc_parser.html, toc, toc_html\n else:\n return html_content, None, None\n",
"role": "user"
},
{
"content": "parse_toc",
"role": "assistant"
}
] |
def x(self, indent_count):
if indent_count < 1:
return self
s = [('\t' * indent_count + line) for line in self.splitlines(False)]
s = '\n'.join(s)
return type(self)(s)
|
indent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, indent_count):\n if indent_count < 1:\n return self\n s = [('\\t' * indent_count + line) for line in self.splitlines(False)]\n s = '\\n'.join(s)\n return type(self)(s)\n",
"role": "user"
},
{
"content": "indent",
"role": "assistant"
}
] |
def x(infile, outfile, T):
x264opts = '-x264opts keyint=10:min-keyint=10:bframes=0'
h264_dummystream_flavor = '-pix_fmt yuv420p -vprofile main'
opts = ('-vcodec h264 ' + h264_dummystream_flavor + ' ' + x264opts +
' -fflags +genpts -r 25 -t ' + str(T))
com = ('ffmpeg -y -loop 1 -fflags +genpts -r 25 -i ' + infile + ' ' +
opts + ' ' + outfile)
print(com)
os.system(com)
|
genH264
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(infile, outfile, T):\n x264opts = '-x264opts keyint=10:min-keyint=10:bframes=0'\n h264_dummystream_flavor = '-pix_fmt yuv420p -vprofile main'\n opts = ('-vcodec h264 ' + h264_dummystream_flavor + ' ' + x264opts +\n ' -fflags +genpts -r 25 -t ' + str(T))\n com = ('ffmpeg -y -loop 1 -fflags +genpts -r 25 -i ' + infile + ' ' +\n opts + ' ' + outfile)\n print(com)\n os.system(com)\n",
"role": "user"
},
{
"content": "genH264",
"role": "assistant"
}
] |
def x(self, row, column, parent):
if not self.hasIndex(row, column, parent):
return QtCore.QModelIndex()
if not parent.isValid():
parentItem = self.root
else:
parentItem = parent.internalPointer()
childItem = parentItem.getChild(row)
if childItem:
return self.createIndex(row, column, childItem)
"""
# .. that one does not work for PySide 5.12+
TypeError: 'PySide2.QtCore.QAbstractItemModel.createIndex' called with wrong argument types:
PySide2.QtCore.QAbstractItemModel.createIndex(int, int, ServerListItem)
Supported signatures:
PySide2.QtCore.QAbstractItemModel.createIndex(int, int, quintptr = 0)
PySide2.QtCore.QAbstractItemModel.createIndex(int, int, void = nullptr)
"""
else:
return QtCore.QModelIndex()
|
index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, column, parent):\n if not self.hasIndex(row, column, parent):\n return QtCore.QModelIndex()\n if not parent.isValid():\n parentItem = self.root\n else:\n parentItem = parent.internalPointer()\n childItem = parentItem.getChild(row)\n if childItem:\n return self.createIndex(row, column, childItem)\n \"\"\"\n # .. that one does not work for PySide 5.12+\n TypeError: 'PySide2.QtCore.QAbstractItemModel.createIndex' called with wrong argument types:\n PySide2.QtCore.QAbstractItemModel.createIndex(int, int, ServerListItem)\n Supported signatures:\n PySide2.QtCore.QAbstractItemModel.createIndex(int, int, quintptr = 0)\n PySide2.QtCore.QAbstractItemModel.createIndex(int, int, void = nullptr)\n \"\"\"\n else:\n return QtCore.QModelIndex()\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
def x(self, index):
if not index.isValid():
return QtCore.QModelIndex()
childItem = index.internalPointer()
parentItem = childItem.getParent()
if parentItem == self.root:
return QtCore.QModelIndex()
return self.createIndex(parentItem.row(), 0, parentItem)
|
parent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n if not index.isValid():\n return QtCore.QModelIndex()\n childItem = index.internalPointer()\n parentItem = childItem.getParent()\n if parentItem == self.root:\n return QtCore.QModelIndex()\n return self.createIndex(parentItem.row(), 0, parentItem)\n",
"role": "user"
},
{
"content": "parent",
"role": "assistant"
}
] |
def x(self, parent):
if parent.isValid():
return parent.internalPointer().columnCount()
else:
return self.root.columnCount()
|
columnCount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent):\n if parent.isValid():\n return parent.internalPointer().columnCount()\n else:\n return self.root.columnCount()\n",
"role": "user"
},
{
"content": "columnCount",
"role": "assistant"
}
] |
def x(self, parent):
if parent.column() > 0:
return 0
if not parent.isValid():
parentItem = self.root
else:
parentItem = parent.internalPointer()
return parentItem.childCount()
|
rowCount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parent):\n if parent.column() > 0:\n return 0\n if not parent.isValid():\n parentItem = self.root\n else:\n parentItem = parent.internalPointer()\n return parentItem.childCount()\n",
"role": "user"
},
{
"content": "rowCount",
"role": "assistant"
}
] |
def x(self, index):
if not index.isValid():
return QtCore.Qt.NoItemFlags
item = index.internalPointer()
return item.getFlags()
|
flags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n if not index.isValid():\n return QtCore.Qt.NoItemFlags\n item = index.internalPointer()\n return item.getFlags()\n",
"role": "user"
},
{
"content": "flags",
"role": "assistant"
}
] |
def x(self):
s = self.name_value()
s += self.path_value()
s += '\n\n'
return s
|
full_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s = self.name_value()\n s += self.path_value()\n s += '\\n\\n'\n return s\n",
"role": "user"
},
{
"content": "full_value",
"role": "assistant"
}
] |
def x(self, args, call_info=None):
s = '\n'
for arg in args:
s += arg
if call_info:
s += '({}:{})\n\n'.format(self._get_path(call_info['file']),
call_info['line'])
return s
|
printstr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args, call_info=None):\n s = '\\n'\n for arg in args:\n s += arg\n if call_info:\n s += '({}:{})\\n\\n'.format(self._get_path(call_info['file']),\n call_info['line'])\n return s\n",
"role": "user"
},
{
"content": "printstr",
"role": "assistant"
}
] |
def x(self, name, val):
s = ''
v = Value(val)
if name:
logger.debug('{} is type {}'.format(name, v.typename))
try:
count = len(val)
s = '{} ({}) = {}'.format(name, count, v.string_value())
except (TypeError, KeyError, AttributeError) as e:
logger.info(e, exc_info=True)
s = '{} = {}'.format(name, v.string_value())
else:
s = v.string_value()
return s
|
str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, val):\n s = ''\n v = Value(val)\n if name:\n logger.debug('{} is type {}'.format(name, v.typename))\n try:\n count = len(val)\n s = '{} ({}) = {}'.format(name, count, v.string_value())\n except (TypeError, KeyError, AttributeError) as e:\n logger.info(e, exc_info=True)\n s = '{} = {}'.format(name, v.string_value())\n else:\n s = v.string_value()\n return s\n",
"role": "user"
},
{
"content": "str",
"role": "assistant"
}
] |
def x(self):
ret = []
if self.logger_name:
if isinstance(self.logger_name, logging.Logger):
ret.append((self.logger_name.name, self.logger_name))
else:
ret.append((self.logger_name, logging.getLogger(self.logger_name)))
else:
ret = list(logging.Logger.manager.loggerDict.items())
ret.append(('root', logging.getLogger()))
return ret
|
loggers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ret = []\n if self.logger_name:\n if isinstance(self.logger_name, logging.Logger):\n ret.append((self.logger_name.name, self.logger_name))\n else:\n ret.append((self.logger_name, logging.getLogger(self.logger_name)))\n else:\n ret = list(logging.Logger.manager.loggerDict.items())\n ret.append(('root', logging.getLogger()))\n return ret\n",
"role": "user"
},
{
"content": "loggers",
"role": "assistant"
}
] |
def x(self, frames, inspect_packages=False, depth=0):
calls = []
for count, f in enumerate(frames, 1):
call = self.call_class(f)
s = self._get_call_summary(call, inspect_packages=inspect_packages,
index=count)
calls.append(s)
if depth and count > depth:
break
return calls[::-1]
|
get_backtrace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frames, inspect_packages=False, depth=0):\n calls = []\n for count, f in enumerate(frames, 1):\n call = self.call_class(f)\n s = self._get_call_summary(call, inspect_packages=inspect_packages,\n index=count)\n calls.append(s)\n if depth and count > depth:\n break\n return calls[::-1]\n",
"role": "user"
},
{
"content": "get_backtrace",
"role": "assistant"
}
] |
def x(self, call, index=0, inspect_packages=True):
call_info = call.info
inspect_regex = re.compile('[\\\\\\\\/]python\\d(?:\\.\\d+)?', re.I)
f = call_info['file']
if len(f) > 75:
f = '{}...{}'.format(f[0:30], f[-45:])
if inspect_packages or not inspect_regex.search(call_info['file']):
s = '{}:{}\n\n{}\n\n'.format(f, call_info['line'], String(call_info
['call']).indent(1))
else:
s = '{}:{}\n'.format(f, call_info['line'])
if index > 0:
s = '{:02d} - {}'.format(index, s)
return s
|
get_call_summary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, call, index=0, inspect_packages=True):\n call_info = call.info\n inspect_regex = re.compile('[\\\\\\\\\\\\\\\\/]python\\\\d(?:\\\\.\\\\d+)?', re.I)\n f = call_info['file']\n if len(f) > 75:\n f = '{}...{}'.format(f[0:30], f[-45:])\n if inspect_packages or not inspect_regex.search(call_info['file']):\n s = '{}:{}\\n\\n{}\\n\\n'.format(f, call_info['line'], String(call_info\n ['call']).indent(1))\n else:\n s = '{}:{}\\n'.format(f, call_info['line'])\n if index > 0:\n s = '{:02d} - {}'.format(index, s)\n return s\n",
"role": "user"
},
{
"content": "get_call_summary",
"role": "assistant"
}
] |
def x(self, device):
self.report('setDevice :', device)
if self.mvision_process == None:
return
if not device and not self.device:
return
if self.device:
if self.device == device:
self.report('setDevice : same device')
return
if self.filterchain:
self.clearDevice()
self.device = device
self.video.setDevice(self.device)
self.filterchain = self.filterchain_group.get(_id=self.device._id)
if self.filterchain:
self.viewport.setXScreenNum(self.n_xscreen)
self.viewport.setWindowId(int(self.video.winId()))
self.filterchain.addViewPort(self.viewport)
self.shmem_name = self.filterchain.getShmem()
print(self.pre, 'setDevice : got shmem name', self.shmem_name)
self.mvision_widget = self.mvision_process.getWidget()
self.mvision_widget.setParent(self.main_widget)
self.main_layout.addWidget(self.mvision_widget)
self.mvision_process.activate(n_buffer=constant.shmem_n_buffer,
image_dimensions=constant.shmem_image_dimensions, shmem_name=
self.shmem_name)
self.thread.addProcess(self.mvision_process)
if hasattr(self.mvision_process.signals, 'bboxes'):
print(self.pre, 'setDevice : connecting bboxes signal')
self.mvision_process.signals.bboxes.connect(self.
set_bounding_boxes_slot)
|
setDevice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device):\n self.report('setDevice :', device)\n if self.mvision_process == None:\n return\n if not device and not self.device:\n return\n if self.device:\n if self.device == device:\n self.report('setDevice : same device')\n return\n if self.filterchain:\n self.clearDevice()\n self.device = device\n self.video.setDevice(self.device)\n self.filterchain = self.filterchain_group.get(_id=self.device._id)\n if self.filterchain:\n self.viewport.setXScreenNum(self.n_xscreen)\n self.viewport.setWindowId(int(self.video.winId()))\n self.filterchain.addViewPort(self.viewport)\n self.shmem_name = self.filterchain.getShmem()\n print(self.pre, 'setDevice : got shmem name', self.shmem_name)\n self.mvision_widget = self.mvision_process.getWidget()\n self.mvision_widget.setParent(self.main_widget)\n self.main_layout.addWidget(self.mvision_widget)\n self.mvision_process.activate(n_buffer=constant.shmem_n_buffer,\n image_dimensions=constant.shmem_image_dimensions, shmem_name=\n self.shmem_name)\n self.thread.addProcess(self.mvision_process)\n if hasattr(self.mvision_process.signals, 'bboxes'):\n print(self.pre, 'setDevice : connecting bboxes signal')\n self.mvision_process.signals.bboxes.connect(self.\n set_bounding_boxes_slot)\n",
"role": "user"
},
{
"content": "setDevice",
"role": "assistant"
}
] |
def x(self):
print(self.pre, 'clearDevice: ')
self.report('clearDevice')
if not self.device:
return
if self.mvision_process == None:
return
self.filterchain.delViewPort(self.viewport)
self.filterchain.releaseShmem(self.shmem_name)
self.mvision_process.deactivate()
self.main_layout.removeWidget(self.mvision_widget)
self.filterchain = None
self.device = None
self.video.update()
|
clearDevice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print(self.pre, 'clearDevice: ')\n self.report('clearDevice')\n if not self.device:\n return\n if self.mvision_process == None:\n return\n self.filterchain.delViewPort(self.viewport)\n self.filterchain.releaseShmem(self.shmem_name)\n self.mvision_process.deactivate()\n self.main_layout.removeWidget(self.mvision_widget)\n self.filterchain = None\n self.device = None\n self.video.update()\n",
"role": "user"
},
{
"content": "clearDevice",
"role": "assistant"
}
] |
def x(format_name, ext_names=None):
def x(cls):
format_name_lower = format_name.lower()
if ext_names is None:
_ext_format_mapping[format_name_lower] = format_name_lower
else:
for ext in to_list(ext_names):
_ext_format_mapping[ext.lower()] = format_name_lower
_format_parser_mapping[format_name_lower] = cls()
return cls
return decorator
|
parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(format_name, ext_names=None):\n\n def x(cls):\n format_name_lower = format_name.lower()\n if ext_names is None:\n _ext_format_mapping[format_name_lower] = format_name_lower\n else:\n for ext in to_list(ext_names):\n _ext_format_mapping[ext.lower()] = format_name_lower\n _format_parser_mapping[format_name_lower] = cls()\n return cls\n return decorator\n",
"role": "user"
},
{
"content": "parser",
"role": "assistant"
}
] |
def x(self, raw_content):
if self._read_more_exp is None:
return self.parse_whole(raw_content), False
sp = self._read_more_exp.split(raw_content, maxsplit=1)
if len(sp) == 2 and sp[0]:
has_more_content = True
result = sp[0].rstrip()
else:
has_more_content = False
result = raw_content
return self.parse_whole(result), has_more_content
|
parse_preview
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_content):\n if self._read_more_exp is None:\n return self.parse_whole(raw_content), False\n sp = self._read_more_exp.split(raw_content, maxsplit=1)\n if len(sp) == 2 and sp[0]:\n has_more_content = True\n result = sp[0].rstrip()\n else:\n has_more_content = False\n result = raw_content\n return self.parse_whole(result), has_more_content\n",
"role": "user"
},
{
"content": "parse_preview",
"role": "assistant"
}
] |
def x(self, raw_content):
if self._read_more_exp is None:
return raw_content
sp = self._read_more_exp.split(raw_content, maxsplit=1)
if len(sp) == 2 and sp[0]:
result = '\n\n'.join((sp[0].rstrip(), sp[1].lstrip()))
else:
result = raw_content
return result
|
remove_read_more_sep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw_content):\n if self._read_more_exp is None:\n return raw_content\n sp = self._read_more_exp.split(raw_content, maxsplit=1)\n if len(sp) == 2 and sp[0]:\n result = '\\n\\n'.join((sp[0].rstrip(), sp[1].lstrip()))\n else:\n result = raw_content\n return result\n",
"role": "user"
},
{
"content": "remove_read_more_sep",
"role": "assistant"
}
] |
def x(self):
if self.requiredGPU_MB(self.required_mb):
self.analyzer = YoloV3TinyAnalyzer(verbose=self.verbose)
else:
self.warning_message = 'WARNING: not enough GPU memory!'
self.analyzer = None
|
postActivate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.requiredGPU_MB(self.required_mb):\n self.analyzer = YoloV3TinyAnalyzer(verbose=self.verbose)\n else:\n self.warning_message = 'WARNING: not enough GPU memory!'\n self.analyzer = None\n",
"role": "user"
},
{
"content": "postActivate_",
"role": "assistant"
}
] |
def x(path=''):
if not path:
path = os.path.join(os.getcwd(), '{}.txt'.format(__name__))
global stream
orig_stream = stream
try:
stream = FileStream(path)
yield stream
finally:
stream = orig_stream
|
tofile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=''):\n if not path:\n path = os.path.join(os.getcwd(), '{}.txt'.format(__name__))\n global stream\n orig_stream = stream\n try:\n stream = FileStream(path)\n yield stream\n finally:\n stream = orig_stream\n",
"role": "user"
},
{
"content": "tofile",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not args:
raise ValueError("you didn't pass any arguments to print out")
with Reflect.context(args, **kwargs) as r:
instance = V_CLASS(r, stream, **kwargs)
instance()
|
v
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not args:\n raise ValueError(\"you didn't pass any arguments to print out\")\n with Reflect.context(args, **kwargs) as r:\n instance = V_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "v",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not args:
raise ValueError("you didn't pass any arguments to print out")
with Reflect.context(args, **kwargs) as r:
instance = V_CLASS(r, stream, **kwargs)
instance.writeline(instance.value())
|
vs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not args:\n raise ValueError(\"you didn't pass any arguments to print out\")\n with Reflect.context(args, **kwargs) as r:\n instance = V_CLASS(r, stream, **kwargs)\n instance.writeline(instance.value())\n",
"role": "user"
},
{
"content": "vs",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not args:
raise ValueError("you didn't pass any arguments to print out")
with Reflect.context(args, **kwargs) as r:
instance = V_CLASS(r, stream, **kwargs)
return instance.full_value().strip()
|
s
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not args:\n raise ValueError(\"you didn't pass any arguments to print out\")\n with Reflect.context(args, **kwargs) as r:\n instance = V_CLASS(r, stream, **kwargs)\n return instance.full_value().strip()\n",
"role": "user"
},
{
"content": "s",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not args:
raise ValueError("you didn't pass any arguments to print out")
with Reflect.context(args, **kwargs) as r:
instance = V_CLASS(r, stream, **kwargs)
return instance.value().strip()
|
ss
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not args:\n raise ValueError(\"you didn't pass any arguments to print out\")\n with Reflect.context(args, **kwargs) as r:\n instance = V_CLASS(r, stream, **kwargs)\n return instance.value().strip()\n",
"role": "user"
},
{
"content": "ss",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if len(args) <= 0:
raise ValueError("you didn't pass any arguments to print out")
with Reflect.context(args, **kwargs) as r:
instance = R_CLASS(r, stream, **kwargs)
instance()
|
r
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if len(args) <= 0:\n raise ValueError(\"you didn't pass any arguments to print out\")\n with Reflect.context(args, **kwargs) as r:\n instance = R_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "r",
"role": "assistant"
}
] |
def x(*args, **kwargs):
with Reflect.context(args, **kwargs) as r:
instance = V_CLASS(r, stream, **kwargs)
if args:
instance()
else:
instance.writelines(['exit at line {}\n'.format(instance.
reflect.info['line']), instance.path_value()])
exit_code = 1
sys.exit(exit_code)
|
x
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n with Reflect.context(args, **kwargs) as r:\n instance = V_CLASS(r, stream, **kwargs)\n if args:\n instance()\n else:\n instance.writelines(['exit at line {}\\n'.format(instance.\n reflect.info['line']), instance.path_value()])\n exit_code = 1\n sys.exit(exit_code)\n",
"role": "user"
},
{
"content": "x",
"role": "assistant"
}
] |
def x(count=0, **kwargs):
with Reflect.context(**kwargs) as r:
kwargs['count'] = count
instance = H_CLASS(r, stream, **kwargs)
instance()
|
h
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(count=0, **kwargs):\n with Reflect.context(**kwargs) as r:\n kwargs['count'] = count\n instance = H_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "h",
"role": "assistant"
}
] |
def x(*args, **kwargs):
with Reflect.context(**kwargs) as r:
kwargs['args'] = args
instance = B_CLASS(r, stream, **kwargs)
instance()
|
b
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n with Reflect.context(**kwargs) as r:\n kwargs['args'] = args\n instance = B_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "b",
"role": "assistant"
}
] |
def x(*args, **kwargs):
with Reflect.context(**kwargs) as r:
kwargs['args'] = args
instance = C_CLASS(r, stream, **kwargs)
instance()
|
c
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n with Reflect.context(**kwargs) as r:\n kwargs['args'] = args\n instance = C_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "c",
"role": "assistant"
}
] |
def x(*args, **kwargs):
if not args:
raise ValueError("you didn't pass any arguments to print out")
with Reflect.context(args, **kwargs) as r:
instance = J_CLASS(r, stream, **kwargs)
instance()
|
j
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n if not args:\n raise ValueError(\"you didn't pass any arguments to print out\")\n with Reflect.context(args, **kwargs) as r:\n instance = J_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "j",
"role": "assistant"
}
] |
def x(name='', **kwargs):
with Reflect.context(**kwargs) as r:
kwargs['name'] = name
instance = M_CLASS(r, stream, **kwargs)
instance()
|
m
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name='', **kwargs):\n with Reflect.context(**kwargs) as r:\n kwargs['name'] = name\n instance = M_CLASS(r, stream, **kwargs)\n instance()\n",
"role": "user"
},
{
"content": "m",
"role": "assistant"
}
] |
def x(name='', **kwargs):
with Reflect.context(**kwargs) as r:
if name:
instance = P_CLASS(r, stream, name, **kwargs)
else:
instance = P_CLASS.pop(r)
instance()
return instance
|
p
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name='', **kwargs):\n with Reflect.context(**kwargs) as r:\n if name:\n instance = P_CLASS(r, stream, name, **kwargs)\n else:\n instance = P_CLASS.pop(r)\n instance()\n return instance\n",
"role": "user"
},
{
"content": "p",
"role": "assistant"
}
] |
def x(seconds, **kwargs):
if seconds <= 0.0:
raise ValueError('Invalid seconds {}'.format(seconds))
with Reflect.context(**kwargs) as r:
instance = V_CLASS(r, stream, **kwargs)
instance.writeline('Sleeping {} second{} at {}'.format(seconds, 's' if
seconds != 1.0 else '', instance.path_value()))
time.sleep(seconds)
instance.writelines(['...Done Sleeping\n', instance.path_value()])
|
sleep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seconds, **kwargs):\n if seconds <= 0.0:\n raise ValueError('Invalid seconds {}'.format(seconds))\n with Reflect.context(**kwargs) as r:\n instance = V_CLASS(r, stream, **kwargs)\n instance.writeline('Sleeping {} second{} at {}'.format(seconds, 's' if\n seconds != 1.0 else '', instance.path_value()))\n time.sleep(seconds)\n instance.writelines(['...Done Sleeping\\n', instance.path_value()])\n",
"role": "user"
},
{
"content": "sleep",
"role": "assistant"
}
] |
def x(inspect_packages=False, depth=0, **kwargs):
try:
frames = inspect.stack()
kwargs['frames'] = frames
kwargs['inspect_packages'] = inspect_packages
kwargs['depth'] = depth
with Reflect.context(**kwargs) as r:
instance = T_CLASS(r, stream, **kwargs)
instance()
finally:
del frames
|
t
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inspect_packages=False, depth=0, **kwargs):\n try:\n frames = inspect.stack()\n kwargs['frames'] = frames\n kwargs['inspect_packages'] = inspect_packages\n kwargs['depth'] = depth\n with Reflect.context(**kwargs) as r:\n instance = T_CLASS(r, stream, **kwargs)\n instance()\n finally:\n del frames\n",
"role": "user"
},
{
"content": "t",
"role": "assistant"
}
] |
def x():
try:
from .compat import builtins
module = sys.modules[__name__]
setattr(builtins, __name__, module)
except ImportError:
pass
|
inject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n try:\n from .compat import builtins\n module = sys.modules[__name__]\n setattr(builtins, __name__, module)\n except ImportError:\n pass\n",
"role": "user"
},
{
"content": "inject",
"role": "assistant"
}
] |
def x(verbose=False):
import glob
from subprocess import Popen, PIPE
cams = []
for device in glob.glob('/sys/class/video4linux/*'):
devname = device.split('/')[-1]
devfile = os.path.join('/dev', devname)
lis = ('v4l2-ctl --list-formats -d ' + devfile).split()
p = Popen(lis, stdout=PIPE, stderr=PIPE)
st = p.stdout.read().decode('utf-8')
if st.lower().find('h264') > -1:
namefile = os.path.join(device, 'name')
f = open(namefile, 'r')
name = f.read()
f.close()
fullname = name.strip() + ' (' + devname + ')'
cams.append((devfile, fullname))
if verbose:
for cam in cams:
print(cam)
return cams
|
getH264V4l2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(verbose=False):\n import glob\n from subprocess import Popen, PIPE\n cams = []\n for device in glob.glob('/sys/class/video4linux/*'):\n devname = device.split('/')[-1]\n devfile = os.path.join('/dev', devname)\n lis = ('v4l2-ctl --list-formats -d ' + devfile).split()\n p = Popen(lis, stdout=PIPE, stderr=PIPE)\n st = p.stdout.read().decode('utf-8')\n if st.lower().find('h264') > -1:\n namefile = os.path.join(device, 'name')\n f = open(namefile, 'r')\n name = f.read()\n f.close()\n fullname = name.strip() + ' (' + devname + ')'\n cams.append((devfile, fullname))\n if verbose:\n for cam in cams:\n print(cam)\n return cams\n",
"role": "user"
},
{
"content": "getH264V4l2",
"role": "assistant"
}
] |
def x(config_filename, instance_path=None):
app_ = CustomFlask(__name__, instance_path=instance_path or os.environ.
get('VERIPRESS_INSTANCE_PATH') or os.getcwd(),
instance_relative_config=True)
app_.config.update(dict(STORAGE_TYPE='file', THEME='default',
CACHE_TYPE='simple', MODE='view-only', ENTRIES_PER_PAGE=5,
FEED_COUNT=10, SHOW_TOC=True, TOC_DEPTH=3, TOC_LOWEST_LEVEL=3,
ALLOW_SEARCH_PAGES=True, PAGE_SOURCE_ACCESSIBLE=False))
app_.config.from_pyfile(config_filename, silent=True)
theme_folder = os.path.join(app_.instance_path, 'themes', app_.config[
'THEME'])
app_.template_folder = os.path.join(theme_folder, 'templates')
app_.theme_static_folder = os.path.join(theme_folder, 'static')
app_.static_folder = os.path.join(app_.instance_path, 'static')
return app_
|
create_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_filename, instance_path=None):\n app_ = CustomFlask(__name__, instance_path=instance_path or os.environ.\n get('VERIPRESS_INSTANCE_PATH') or os.getcwd(),\n instance_relative_config=True)\n app_.config.update(dict(STORAGE_TYPE='file', THEME='default',\n CACHE_TYPE='simple', MODE='view-only', ENTRIES_PER_PAGE=5,\n FEED_COUNT=10, SHOW_TOC=True, TOC_DEPTH=3, TOC_LOWEST_LEVEL=3,\n ALLOW_SEARCH_PAGES=True, PAGE_SOURCE_ACCESSIBLE=False))\n app_.config.from_pyfile(config_filename, silent=True)\n theme_folder = os.path.join(app_.instance_path, 'themes', app_.config[\n 'THEME'])\n app_.template_folder = os.path.join(theme_folder, 'templates')\n app_.theme_static_folder = os.path.join(theme_folder, 'static')\n app_.static_folder = os.path.join(app_.instance_path, 'static')\n return app_\n",
"role": "user"
},
{
"content": "create_app",
"role": "assistant"
}
] |
def x(self, filename):
if self.config['MODE'] == 'api-only':
abort(404)
theme_static_folder = getattr(self, 'theme_static_folder', None)
if theme_static_folder:
try:
return send_from_directory(theme_static_folder, filename)
except NotFound:
pass
return super(CustomFlask, self).send_static_file(filename)
|
send_static_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n if self.config['MODE'] == 'api-only':\n abort(404)\n theme_static_folder = getattr(self, 'theme_static_folder', None)\n if theme_static_folder:\n try:\n return send_from_directory(theme_static_folder, filename)\n except NotFound:\n pass\n return super(CustomFlask, self).send_static_file(filename)\n",
"role": "user"
},
{
"content": "send_static_file",
"role": "assistant"
}
] |
def x(self, device):
print(self.pre, 'setDevice :', device)
if not device and not self.device:
return
if self.device:
if self.device == device:
print(self.pre, 'setDevice : same device')
return
if self.filterchain:
self.clearDevice()
self.device = device
self.video.setDevice(self.device)
self.filterchain = self.filterchain_group.get(_id=self.device._id)
if self.filterchain:
self.viewport.setXScreenNum(self.n_xscreen)
self.viewport.setWindowId(int(self.video.winId()))
self.filterchain.addViewPort(self.viewport)
|
setDevice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, device):\n print(self.pre, 'setDevice :', device)\n if not device and not self.device:\n return\n if self.device:\n if self.device == device:\n print(self.pre, 'setDevice : same device')\n return\n if self.filterchain:\n self.clearDevice()\n self.device = device\n self.video.setDevice(self.device)\n self.filterchain = self.filterchain_group.get(_id=self.device._id)\n if self.filterchain:\n self.viewport.setXScreenNum(self.n_xscreen)\n self.viewport.setWindowId(int(self.video.winId()))\n self.filterchain.addViewPort(self.viewport)\n",
"role": "user"
},
{
"content": "setDevice",
"role": "assistant"
}
] |
def x(self):
print(self.pre, 'clearDevice')
if not self.device:
return
self.filterchain.delViewPort(self.viewport)
self.filterchain = None
self.device = None
self.video.update()
|
clearDevice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print(self.pre, 'clearDevice')\n if not self.device:\n return\n self.filterchain.delViewPort(self.viewport)\n self.filterchain = None\n self.device = None\n self.video.update()\n",
"role": "user"
},
{
"content": "clearDevice",
"role": "assistant"
}
] |
def x(self, info):
print(self.pre, ': mouseGestureHandler: ')
if info.fsingle:
print(self.pre, ': mouseGestureHandler: single click')
if info.button == QtCore.Qt.LeftButton:
print(self.pre, ': mouseGestureHandler: Left button clicked')
elif info.button == QtCore.Qt.RightButton:
print(self.pre, ': mouseGestureHandler: Right button clicked')
self.handle_right_single_click(info)
elif info.fdouble:
if info.button == QtCore.Qt.LeftButton:
print(self.pre, ': mouseGestureHandler: Left button double-clicked'
)
self.handle_left_double_click(info)
elif info.button == QtCore.Qt.RightButton:
print(self.pre,
': mouseGestureHandler: Right button double-clicked')
|
mouseGestureHandler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info):\n print(self.pre, ': mouseGestureHandler: ')\n if info.fsingle:\n print(self.pre, ': mouseGestureHandler: single click')\n if info.button == QtCore.Qt.LeftButton:\n print(self.pre, ': mouseGestureHandler: Left button clicked')\n elif info.button == QtCore.Qt.RightButton:\n print(self.pre, ': mouseGestureHandler: Right button clicked')\n self.handle_right_single_click(info)\n elif info.fdouble:\n if info.button == QtCore.Qt.LeftButton:\n print(self.pre, ': mouseGestureHandler: Left button double-clicked'\n )\n self.handle_left_double_click(info)\n elif info.button == QtCore.Qt.RightButton:\n print(self.pre,\n ': mouseGestureHandler: Right button double-clicked')\n",
"role": "user"
},
{
"content": "mouseGestureHandler",
"role": "assistant"
}
] |
def x(self, info):
if self.double_click_focus == False:
print(self.pre, 'handle_left_double_click: focus on')
self.cb_focus()
else:
print(self.pre, 'handle_left_double_click: focus off')
self.cb_unfocus()
self.double_click_focus = not self.double_click_focus
|
handle_left_double_click
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info):\n if self.double_click_focus == False:\n print(self.pre, 'handle_left_double_click: focus on')\n self.cb_focus()\n else:\n print(self.pre, 'handle_left_double_click: focus off')\n self.cb_unfocus()\n self.double_click_focus = not self.double_click_focus\n",
"role": "user"
},
{
"content": "handle_left_double_click",
"role": "assistant"
}
] |
def x():
storage_ = getattr(g, '_storage', None)
if storage_ is None:
storage_type = current_app.config['STORAGE_TYPE']
if storage_type == 'file':
storage_ = g._storage = storages.FileStorage()
else:
raise ConfigurationError('Storage type "{}" is not supported.'.
format(storage_type))
return storage_
|
get_storage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n storage_ = getattr(g, '_storage', None)\n if storage_ is None:\n storage_type = current_app.config['STORAGE_TYPE']\n if storage_type == 'file':\n storage_ = g._storage = storages.FileStorage()\n else:\n raise ConfigurationError('Storage type \"{}\" is not supported.'.\n format(storage_type))\n return storage_\n",
"role": "user"
},
{
"content": "get_storage",
"role": "assistant"
}
] |
def x(self, element, element_old):
self.current_slot = None
if verbose:
print(self.pre, 'chooseForm_slot :', element)
if isinstance(element, type(None)):
self.current_row = None
self.element = None
else:
assert hasattr(element, '_id')
assert hasattr(element, 'classname')
try:
self.current_row = self.row_instance_by_name[element.classname]
except KeyError:
print(self.pre,
'chooseForm_slot : no such classname for this FormSet : ',
element.classname)
self.current_row = None
self.element = None
else:
self.resetForm()
self.current_row.get(self.collection, element._id)
self.element = element
self.current_slot = self.current_row.get_column_value('slot')
self.showCurrent()
|
chooseForm_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, element_old):\n self.current_slot = None\n if verbose:\n print(self.pre, 'chooseForm_slot :', element)\n if isinstance(element, type(None)):\n self.current_row = None\n self.element = None\n else:\n assert hasattr(element, '_id')\n assert hasattr(element, 'classname')\n try:\n self.current_row = self.row_instance_by_name[element.classname]\n except KeyError:\n print(self.pre,\n 'chooseForm_slot : no such classname for this FormSet : ',\n element.classname)\n self.current_row = None\n self.element = None\n else:\n self.resetForm()\n self.current_row.get(self.collection, element._id)\n self.element = element\n self.current_slot = self.current_row.get_column_value('slot')\n self.showCurrent()\n",
"role": "user"
},
{
"content": "chooseForm_slot",
"role": "assistant"
}
] |
def x(self):
self.dropdown_widget.clear()
self.row_instance_by_index = []
for i, key in enumerate(self.row_instance_by_name.keys()):
row_instance = self.row_instance_by_name[key]
if row_instance.isActive():
self.row_instance_by_index.append(row_instance)
display_name = row_instance.getName()
self.dropdown_widget.insertItem(i, display_name)
row_instance.updateWidget()
|
update_dropdown_list_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.dropdown_widget.clear()\n self.row_instance_by_index = []\n for i, key in enumerate(self.row_instance_by_name.keys()):\n row_instance = self.row_instance_by_name[key]\n if row_instance.isActive():\n self.row_instance_by_index.append(row_instance)\n display_name = row_instance.getName()\n self.dropdown_widget.insertItem(i, display_name)\n row_instance.updateWidget()\n",
"role": "user"
},
{
"content": "update_dropdown_list_slot",
"role": "assistant"
}
] |
def x(self):
self.reset()
for dic in self.datamodel.camera_collection.get():
if self.verbose:
print(self.pre, 'read : dic', dic)
if dic['classname'] == DataModel.RTSPCameraRow.__name__:
affinity = -1
if self.cpu_scheme:
affinity = self.cpu_scheme.getAV()
dic.pop('classname')
device = DataModel.RTSPCameraDevice(**dic)
print('FilterChainGroup : read : slot =', device.
getLiveMainSlot())
print('FilterChainGroup : read : address =', device.
getMainAddress())
print('FilterChainGroup : read : _id =', device._id)
chain = LiveManagedFilterchain(livethread=self.livethread,
openglthreads=self.gpu_handler.openglthreads, address=
device.getMainAddress(), slot=device.getLiveMainSlot(), _id
=device._id, affinity=affinity, msreconnect=10000, verbose=
False, shmem_image_dimensions=constant.
shmem_image_dimensions, shmem_n_buffer=constant.
shmem_n_buffer, shmem_image_interval=constant.
shmem_image_interval)
self.chains.append(chain)
elif dic['classname'] == DataModel.USBCameraRow.__name__:
affinity = -1
if self.cpu_scheme:
affinity = self.cpu_scheme.getAV()
dic.pop('classname')
device = DataModel.USBCameraDevice(**dic)
print('FilterChainGroup : read : slot =', device.
getLiveMainSlot())
print('FilterChainGroup : read : address =', device.
getMainAddress())
print('FilterChainGroup : read : _id =', device._id)
chain = USBManagedFilterchain(usbthread=self.usbthread,
openglthreads=self.gpu_handler.openglthreads, address=
device.getMainAddress(), slot=device.getLiveMainSlot(), _id
=device._id, affinity=affinity, msreconnect=10000, verbose=
False, shmem_image_dimensions=constant.
shmem_image_dimensions, shmem_n_buffer=constant.
shmem_n_buffer, shmem_image_interval=constant.
shmem_image_interval)
self.chains.append(chain)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.reset()\n for dic in self.datamodel.camera_collection.get():\n if self.verbose:\n print(self.pre, 'read : dic', dic)\n if dic['classname'] == DataModel.RTSPCameraRow.__name__:\n affinity = -1\n if self.cpu_scheme:\n affinity = self.cpu_scheme.getAV()\n dic.pop('classname')\n device = DataModel.RTSPCameraDevice(**dic)\n print('FilterChainGroup : read : slot =', device.\n getLiveMainSlot())\n print('FilterChainGroup : read : address =', device.\n getMainAddress())\n print('FilterChainGroup : read : _id =', device._id)\n chain = LiveManagedFilterchain(livethread=self.livethread,\n openglthreads=self.gpu_handler.openglthreads, address=\n device.getMainAddress(), slot=device.getLiveMainSlot(), _id\n =device._id, affinity=affinity, msreconnect=10000, verbose=\n False, shmem_image_dimensions=constant.\n shmem_image_dimensions, shmem_n_buffer=constant.\n shmem_n_buffer, shmem_image_interval=constant.\n shmem_image_interval)\n self.chains.append(chain)\n elif dic['classname'] == DataModel.USBCameraRow.__name__:\n affinity = -1\n if self.cpu_scheme:\n affinity = self.cpu_scheme.getAV()\n dic.pop('classname')\n device = DataModel.USBCameraDevice(**dic)\n print('FilterChainGroup : read : slot =', device.\n getLiveMainSlot())\n print('FilterChainGroup : read : address =', device.\n getMainAddress())\n print('FilterChainGroup : read : _id =', device._id)\n chain = USBManagedFilterchain(usbthread=self.usbthread,\n openglthreads=self.gpu_handler.openglthreads, address=\n device.getMainAddress(), slot=device.getLiveMainSlot(), _id\n =device._id, affinity=affinity, msreconnect=10000, verbose=\n False, shmem_image_dimensions=constant.\n shmem_image_dimensions, shmem_n_buffer=constant.\n shmem_n_buffer, shmem_image_interval=constant.\n shmem_image_interval)\n self.chains.append(chain)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
raise AssertionError('out of date')
new_ids = []
old_ids = []
for chain in self.chains:
if self.verbose:
print(self.pre, 'old :', chain, chain.get__id(), chain.
get_address(), chain._id)
old_ids.append(chain.get__id())
devices = []
for dic in self.datamodel.camera_collection.get():
if self.verbose:
print(self.pre, 'update : dic', dic)
if dic['classname'] == DataModel.RTSPCameraRow.__name__:
devices.append(dic)
devices_by_id = {}
for dic in devices:
_id = dic['_id']
new_ids.append(_id)
devices_by_id[_id] = dic
if self.verbose:
print(self.pre, 'update : new_ids =', new_ids)
print(self.pre, 'update : old_ids =', old_ids)
add_list = list(set(new_ids).difference(set(old_ids)))
rem_list = list(set(old_ids).difference(set(new_ids)))
if self.verbose:
print(self.pre, 'update : add_list =', add_list)
print(self.pre, 'update : rem_list =', rem_list)
for i, chain in enumerate(self.chains):
if chain.get__id() in rem_list:
chain_ = self.chains.pop(i)
if self.verbose:
print(self.pre, 'closing chain', chain_)
chain_.close()
for new_address in add_list:
dic = devices_by_id[new_address]
chain = ManagedFilterchain(livethread=self.livethread,
openglthreads=self.gpu_handler.openglthreads, address=DataModel
.RTSPCameraRow.getMainAddressFromDict(dic), slot=dic['slot'],
_id=dic['_id'], msreconnect=10000, verbose=True)
if self.verbose:
print(self.pre, 'adding chain', chain)
self.chains.append(chain)
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n raise AssertionError('out of date')\n new_ids = []\n old_ids = []\n for chain in self.chains:\n if self.verbose:\n print(self.pre, 'old :', chain, chain.get__id(), chain.\n get_address(), chain._id)\n old_ids.append(chain.get__id())\n devices = []\n for dic in self.datamodel.camera_collection.get():\n if self.verbose:\n print(self.pre, 'update : dic', dic)\n if dic['classname'] == DataModel.RTSPCameraRow.__name__:\n devices.append(dic)\n devices_by_id = {}\n for dic in devices:\n _id = dic['_id']\n new_ids.append(_id)\n devices_by_id[_id] = dic\n if self.verbose:\n print(self.pre, 'update : new_ids =', new_ids)\n print(self.pre, 'update : old_ids =', old_ids)\n add_list = list(set(new_ids).difference(set(old_ids)))\n rem_list = list(set(old_ids).difference(set(new_ids)))\n if self.verbose:\n print(self.pre, 'update : add_list =', add_list)\n print(self.pre, 'update : rem_list =', rem_list)\n for i, chain in enumerate(self.chains):\n if chain.get__id() in rem_list:\n chain_ = self.chains.pop(i)\n if self.verbose:\n print(self.pre, 'closing chain', chain_)\n chain_.close()\n for new_address in add_list:\n dic = devices_by_id[new_address]\n chain = ManagedFilterchain(livethread=self.livethread,\n openglthreads=self.gpu_handler.openglthreads, address=DataModel\n .RTSPCameraRow.getMainAddressFromDict(dic), slot=dic['slot'],\n _id=dic['_id'], msreconnect=10000, verbose=True)\n if self.verbose:\n print(self.pre, 'adding chain', chain)\n self.chains.append(chain)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, **kwargs):
for chain in self.chains:
for key in kwargs:
getter_name = 'get_' + key
if hasattr(chain, getter_name):
getter = getattr(chain, getter_name)
if getter() == kwargs[key]:
return chain
return None
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for chain in self.chains:\n for key in kwargs:\n getter_name = 'get_' + key\n if hasattr(chain, getter_name):\n getter = getattr(chain, getter_name)\n if getter() == kwargs[key]:\n return chain\n return None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, **kwargs):
filterchain = self.get(**kwargs)
if not filterchain:
return None
pars = filterchain.getParDic(DataModel.RTSPCameraDevice.parameter_defs)
device = DataModel.RTSPCameraDevice(**pars)
print(self.pre, 'getDevice :', pars, device)
return device
|
getDevice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n filterchain = self.get(**kwargs)\n if not filterchain:\n return None\n pars = filterchain.getParDic(DataModel.RTSPCameraDevice.parameter_defs)\n device = DataModel.RTSPCameraDevice(**pars)\n print(self.pre, 'getDevice :', pars, device)\n return device\n",
"role": "user"
},
{
"content": "getDevice",
"role": "assistant"
}
] |
def x(self):
return {k: getattr(self, k) for k in filter(lambda k: not k.startswith(
'_') and k != 'to_dict', dir(self))}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {k: getattr(self, k) for k in filter(lambda k: not k.startswith(\n '_') and k != 'to_dict', dir(self))}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self):
return {'level': self.level, 'id': self.id, 'text': self.text,
'inner_html': self.inner_html, 'children': [child.to_dict() for
child in self.children]}
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'level': self.level, 'id': self.id, 'text': self.text,\n 'inner_html': self.inner_html, 'children': [child.to_dict() for\n child in self.children]}\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, depth=6, lowest_level=6):
depth = min(max(depth, 0), 6)
depth = 6 if depth == 0 else depth
lowest_level = min(max(lowest_level, 1), 6)
toc = self._root.to_dict()['children']
def x(curr_toc, dep, lowest_lvl, curr_depth=1):
if curr_depth > dep:
curr_toc.clear()
return
items_to_remove = []
for item in curr_toc:
if item['level'] > lowest_lvl:
items_to_remove.append(item)
else:
traverse(item['children'], dep, lowest_lvl, curr_depth + 1)
[curr_toc.remove(item) for item in items_to_remove]
traverse(toc, depth, lowest_level)
return toc
|
toc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, depth=6, lowest_level=6):\n depth = min(max(depth, 0), 6)\n depth = 6 if depth == 0 else depth\n lowest_level = min(max(lowest_level, 1), 6)\n toc = self._root.to_dict()['children']\n\n def x(curr_toc, dep, lowest_lvl, curr_depth=1):\n if curr_depth > dep:\n curr_toc.clear()\n return\n items_to_remove = []\n for item in curr_toc:\n if item['level'] > lowest_lvl:\n items_to_remove.append(item)\n else:\n traverse(item['children'], dep, lowest_lvl, curr_depth + 1)\n [curr_toc.remove(item) for item in items_to_remove]\n traverse(toc, depth, lowest_level)\n return toc\n",
"role": "user"
},
{
"content": "toc",
"role": "assistant"
}
] |
def x(self, depth=6, lowest_level=6):
toc = self.toc(depth=depth, lowest_level=lowest_level)
if not toc:
return ''
def x(toc_list):
result = ''
if toc_list:
result += '<ul>\n'
result += ''.join(map(lambda x:
'<li><a href="#{}">{}</a>{}</li>\n'.format(x['id'], x[
'inner_html'], map_toc_list(x['children'])), toc_list))
result += '</ul>'
return result
return map_toc_list(toc)
|
toc_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, depth=6, lowest_level=6):\n toc = self.toc(depth=depth, lowest_level=lowest_level)\n if not toc:\n return ''\n\n def x(toc_list):\n result = ''\n if toc_list:\n result += '<ul>\\n'\n result += ''.join(map(lambda x:\n '<li><a href=\"#{}\">{}</a>{}</li>\\n'.format(x['id'], x[\n 'inner_html'], map_toc_list(x['children'])), toc_list))\n result += '</ul>'\n return result\n return map_toc_list(toc)\n",
"role": "user"
},
{
"content": "toc_html",
"role": "assistant"
}
] |
def x(tag):
m = re.match('^h([123456])$', tag, flags=re.IGNORECASE)
if not m:
return None
return int(m.group(1))
|
get_level
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tag):\n m = re.match('^h([123456])$', tag, flags=re.IGNORECASE)\n if not m:\n return None\n return int(m.group(1))\n",
"role": "user"
},
{
"content": "get_level",
"role": "assistant"
}
] |
def x(self, n):
from darknet.core import darknet_with_cuda
if darknet_with_cuda():
free = getFreeGPU_MB()
print('Yolo: requiredGPU_MB: required, free', n, free)
if free == -1:
return True
return free >= n
else:
return True
|
requiredGPU_MB
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n):\n from darknet.core import darknet_with_cuda\n if darknet_with_cuda():\n free = getFreeGPU_MB()\n print('Yolo: requiredGPU_MB: required, free', n, free)\n if free == -1:\n return True\n return free >= n\n else:\n return True\n",
"role": "user"
},
{
"content": "requiredGPU_MB",
"role": "assistant"
}
] |
def x(self):
if self.requiredGPU_MB(self.required_mb):
self.analyzer = YoloV3Analyzer(verbose=self.verbose)
else:
self.warning_message = 'WARNING: not enough GPU memory!'
self.analyzer = None
|
postActivate_
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.requiredGPU_MB(self.required_mb):\n self.analyzer = YoloV3Analyzer(verbose=self.verbose)\n else:\n self.warning_message = 'WARNING: not enough GPU memory!'\n self.analyzer = None\n",
"role": "user"
},
{
"content": "postActivate_",
"role": "assistant"
}
] |
def x(self):
self.widget = QtWidgets.QTextEdit()
self.widget.setStyleSheet(style.detector_test)
self.widget.setReadOnly(True)
self.signals.objects.connect(self.objects_slot)
return self.widget
|
getWidget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.widget = QtWidgets.QTextEdit()\n self.widget.setStyleSheet(style.detector_test)\n self.widget.setReadOnly(True)\n self.signals.objects.connect(self.objects_slot)\n return self.widget\n",
"role": "user"
},
{
"content": "getWidget",
"role": "assistant"
}
] |
def x(self):
t = 'DEFAULT'
if self.is_primitive():
t = 'DEFAULT'
elif self.is_dict():
t = 'DICT'
elif self.is_list():
t = 'LIST'
elif self.is_array():
t = 'ARRAY'
elif self.is_tuple():
t = 'TUPLE'
elif self.is_type():
t = 'TYPE'
elif self.is_binary():
t = 'BINARY'
elif self.is_str():
t = 'STRING'
elif self.is_exception():
t = 'EXCEPTION'
elif self.is_module():
t = 'MODULE'
elif self.is_callable():
t = 'FUNCTION'
elif self.is_dict_proxy():
t = 'DICT_PROXY'
elif self.is_generator():
t = 'GENERATOR'
elif self.is_set():
t = 'SET'
elif self.is_object():
t = 'OBJECT'
elif self.is_regex():
t = 'REGEX'
else:
t = 'DEFAULT'
return t
|
typename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = 'DEFAULT'\n if self.is_primitive():\n t = 'DEFAULT'\n elif self.is_dict():\n t = 'DICT'\n elif self.is_list():\n t = 'LIST'\n elif self.is_array():\n t = 'ARRAY'\n elif self.is_tuple():\n t = 'TUPLE'\n elif self.is_type():\n t = 'TYPE'\n elif self.is_binary():\n t = 'BINARY'\n elif self.is_str():\n t = 'STRING'\n elif self.is_exception():\n t = 'EXCEPTION'\n elif self.is_module():\n t = 'MODULE'\n elif self.is_callable():\n t = 'FUNCTION'\n elif self.is_dict_proxy():\n t = 'DICT_PROXY'\n elif self.is_generator():\n t = 'GENERATOR'\n elif self.is_set():\n t = 'SET'\n elif self.is_object():\n t = 'OBJECT'\n elif self.is_regex():\n t = 'REGEX'\n else:\n t = 'DEFAULT'\n return t\n",
"role": "user"
},
{
"content": "typename",
"role": "assistant"
}
] |
def x(self):
if is_py2:
return isinstance(self.val, (types.NoneType, types.BooleanType,
types.IntType, types.LongType, types.FloatType))
else:
return isinstance(self.val, (type(None), bool, int, float))
|
is_primitive
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if is_py2:\n return isinstance(self.val, (types.NoneType, types.BooleanType,\n types.IntType, types.LongType, types.FloatType))\n else:\n return isinstance(self.val, (type(None), bool, int, float))\n",
"role": "user"
},
{
"content": "is_primitive",
"role": "assistant"
}
] |
def x(self, iterator, name_callback=None, prefix='\n', left_paren='[',
right_paren=']', depth=0):
indent = 1 if depth > 0 else 0
s = []
s.append('{}{}'.format(prefix, self._add_indent(left_paren, indent)))
s_body = []
for k, v in iterator:
k = k if name_callback is None else name_callback(k)
v = Value(v, depth + 1)
try:
if k is None:
s_body.append('{}'.format(v))
else:
s_body.append('{}: {}'.format(k, v))
except RuntimeError as e:
s_body.append('{}: ... Recursion error ...'.format(k))
except UnicodeError as e:
print(v.val)
print(type(v.val))
s_body = ',\n'.join(s_body)
s_body = self._add_indent(s_body, indent + 1)
s.append(s_body)
s.append('{}'.format(self._add_indent(right_paren, indent)))
return '\n'.join(s)
|
str_iterator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iterator, name_callback=None, prefix='\\n', left_paren='[',\n right_paren=']', depth=0):\n indent = 1 if depth > 0 else 0\n s = []\n s.append('{}{}'.format(prefix, self._add_indent(left_paren, indent)))\n s_body = []\n for k, v in iterator:\n k = k if name_callback is None else name_callback(k)\n v = Value(v, depth + 1)\n try:\n if k is None:\n s_body.append('{}'.format(v))\n else:\n s_body.append('{}: {}'.format(k, v))\n except RuntimeError as e:\n s_body.append('{}: ... Recursion error ...'.format(k))\n except UnicodeError as e:\n print(v.val)\n print(type(v.val))\n s_body = ',\\n'.join(s_body)\n s_body = self._add_indent(s_body, indent + 1)\n s.append(s_body)\n s.append('{}'.format(self._add_indent(right_paren, indent)))\n return '\\n'.join(s)\n",
"role": "user"
},
{
"content": "str_iterator",
"role": "assistant"
}
] |
def x(self, val, indent_count):
if isinstance(val, Value):
val = val.string_value()
return String(val).indent(indent_count)
|
add_indent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val, indent_count):\n if isinstance(val, Value):\n val = val.string_value()\n return String(val).indent(indent_count)\n",
"role": "user"
},
{
"content": "add_indent",
"role": "assistant"
}
] |
def x(self, val, key, default_val):
try:
ret = getattr(val, key, default_val)
except Exception as e:
logger.exception(e)
ret = default_val
return ret
|
getattr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val, key, default_val):\n try:\n ret = getattr(val, key, default_val)\n except Exception as e:\n logger.exception(e)\n ret = default_val\n return ret\n",
"role": "user"
},
{
"content": "getattr",
"role": "assistant"
}
] |
def x(self, val, src_file, default='Unknown'):
module_name = ''
if src_file:
module_name = '{}.'.format(self._getattr(val, '__module__', default)
).lstrip('.')
class_name = self._getattr(val, '__name__', None)
if not class_name:
class_name = default
cls = self._getattr(val, '__class__', None)
if cls:
class_name = self._getattr(cls, '__name__', default)
full_name = '{}{}'.format(module_name, class_name)
return full_name
|
get_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val, src_file, default='Unknown'):\n module_name = ''\n if src_file:\n module_name = '{}.'.format(self._getattr(val, '__module__', default)\n ).lstrip('.')\n class_name = self._getattr(val, '__name__', None)\n if not class_name:\n class_name = default\n cls = self._getattr(val, '__class__', None)\n if cls:\n class_name = self._getattr(cls, '__name__', default)\n full_name = '{}{}'.format(module_name, class_name)\n return full_name\n",
"role": "user"
},
{
"content": "get_name",
"role": "assistant"
}
] |
def x(self, val, default='Unknown'):
path = default
try:
source_file = inspect.getsourcefile(val)
if not source_file:
source_file = inspect.getfile(val)
if source_file:
path = os.path.realpath(source_file)
except TypeError as e:
path = default
return path
|
get_src_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val, default='Unknown'):\n path = default\n try:\n source_file = inspect.getsourcefile(val)\n if not source_file:\n source_file = inspect.getfile(val)\n if source_file:\n path = os.path.realpath(source_file)\n except TypeError as e:\n path = default\n return path\n",
"role": "user"
},
{
"content": "get_src_file",
"role": "assistant"
}
] |
def x(e):
count = e.end - e.start
global ENCODING_REPLACE_CHAR
return ENCODING_REPLACE_CHAR * count, e.end
|
handle_decode_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(e):\n count = e.end - e.start\n global ENCODING_REPLACE_CHAR\n return ENCODING_REPLACE_CHAR * count, e.end\n",
"role": "user"
},
{
"content": "handle_decode_replace",
"role": "assistant"
}
] |
def x(self, qscreen: QtGui.QScreen):
self.window = self.ContainerWindow(self.signals, self.title, self.parent)
self.window.show()
self.window.windowHandle().setScreen(qscreen)
self.n_xscreen = self.gpu_handler.getXScreenNum(qscreen)
self.main_widget = self.ContainerWidget(self.window)
self.main_layout = QtWidgets.QVBoxLayout(self.main_widget)
self.window.setCentralWidget(self.main_widget)
self.grid_widget = self.GridWidget(self.main_widget)
self.main_layout.addWidget(self.grid_widget)
self.grid_layout = QtWidgets.QGridLayout(self.grid_widget)
self.grid_layout.setHorizontalSpacing(2)
self.grid_layout.setVerticalSpacing(2)
self.grid_layout.setContentsMargins(0, 0, 0, 0)
class ScreenMenu(QuickMenu):
title = 'Change Screen'
elements = [QuickMenuElement(title='Screen 1'), QuickMenuElement(
title='Screen 2')]
""" TODO: activate after gpu-hopping has been debugged
self.screenmenu = ScreenMenu(self.window)
self.screenmenu.screen_1.triggered.connect(self.test_slot)
self.screenmenu.screen_2.triggered.connect(self.test_slot)
"""
if len(self.gpu_handler.true_screens) > 1:
self.button = QtWidgets.QPushButton('Change Screen', self.main_widget)
self.main_layout.addWidget(self.button)
self.button.setSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.
QSizePolicy.Minimum)
self.button.clicked.connect(self.change_xscreen_slot)
self.placeChildren()
|
makeWidget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qscreen: QtGui.QScreen):\n self.window = self.ContainerWindow(self.signals, self.title, self.parent)\n self.window.show()\n self.window.windowHandle().setScreen(qscreen)\n self.n_xscreen = self.gpu_handler.getXScreenNum(qscreen)\n self.main_widget = self.ContainerWidget(self.window)\n self.main_layout = QtWidgets.QVBoxLayout(self.main_widget)\n self.window.setCentralWidget(self.main_widget)\n self.grid_widget = self.GridWidget(self.main_widget)\n self.main_layout.addWidget(self.grid_widget)\n self.grid_layout = QtWidgets.QGridLayout(self.grid_widget)\n self.grid_layout.setHorizontalSpacing(2)\n self.grid_layout.setVerticalSpacing(2)\n self.grid_layout.setContentsMargins(0, 0, 0, 0)\n\n\n class ScreenMenu(QuickMenu):\n title = 'Change Screen'\n elements = [QuickMenuElement(title='Screen 1'), QuickMenuElement(\n title='Screen 2')]\n \"\"\" TODO: activate after gpu-hopping has been debugged\n self.screenmenu = ScreenMenu(self.window)\n self.screenmenu.screen_1.triggered.connect(self.test_slot)\n self.screenmenu.screen_2.triggered.connect(self.test_slot)\n \"\"\"\n if len(self.gpu_handler.true_screens) > 1:\n self.button = QtWidgets.QPushButton('Change Screen', self.main_widget)\n self.main_layout.addWidget(self.button)\n self.button.setSizePolicy(QtWidgets.QSizePolicy.Minimum, QtWidgets.\n QSizePolicy.Minimum)\n self.button.clicked.connect(self.change_xscreen_slot)\n self.placeChildren()\n",
"role": "user"
},
{
"content": "makeWidget",
"role": "assistant"
}
] |
def x(self):
if self.closed:
return
print(self.pre, 'close')
for child in self.children:
child.close()
self.openglthread = None
self.gpu_handler = None
self.closed = True
self.window.unSetPropagate()
self.window.close()
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.closed:\n return\n print(self.pre, 'close')\n for child in self.children:\n child.close()\n self.openglthread = None\n self.gpu_handler = None\n self.closed = True\n self.window.unSetPropagate()\n self.window.close()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
ids = []
for child in self.children:
device = child.getDevice()
if device:
ids.append(device._id)
else:
ids.append(None)
dic = {'classname': self.__class__.__name__, 'kwargs': {'title': self.
title, 'n_xscreen': self.n_xscreen, 'child_class': self.child_class,
'child_class_pars': self.get_child_class_pars()}, 'x': self.window.
x(), 'y': self.window.y(), 'width': self.window.width(), 'height':
self.window.height(), 'ids': ids}
return dic
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ids = []\n for child in self.children:\n device = child.getDevice()\n if device:\n ids.append(device._id)\n else:\n ids.append(None)\n dic = {'classname': self.__class__.__name__, 'kwargs': {'title': self.\n title, 'n_xscreen': self.n_xscreen, 'child_class': self.child_class,\n 'child_class_pars': self.get_child_class_pars()}, 'x': self.window.\n x(), 'y': self.window.y(), 'width': self.window.width(), 'height':\n self.window.height(), 'ids': ids}\n return dic\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self):
self.prevframe = None
self.wasmoving = False
self.t0 = 0
self.ismoving = False
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.prevframe = None\n self.wasmoving = False\n self.t0 = 0\n self.ismoving = False\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self):
widget = QtWidgets.QLabel('NO MOVEMENT YET')
widget.setStyleSheet(style.detector_test)
self.signals.start_move.connect(lambda : widget.setText('MOVEMENT START'))
self.signals.stop_move.connect(lambda : widget.setText('MOVEMENT STOP'))
return widget
|
getWidget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n widget = QtWidgets.QLabel('NO MOVEMENT YET')\n widget.setStyleSheet(style.detector_test)\n self.signals.start_move.connect(lambda : widget.setText('MOVEMENT START'))\n self.signals.stop_move.connect(lambda : widget.setText('MOVEMENT STOP'))\n return widget\n",
"role": "user"
},
{
"content": "getWidget",
"role": "assistant"
}
] |
def x(rules, strict_slashes=False, api_func=None, *args, **kwargs):
return url_rule(api_blueprint, rules, *args, strict_slashes=
strict_slashes, view_func=json_api(api_func) if api_func else None,
**kwargs)
|
rule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rules, strict_slashes=False, api_func=None, *args, **kwargs):\n return url_rule(api_blueprint, rules, *args, strict_slashes=\n strict_slashes, view_func=json_api(api_func) if api_func else None,\n **kwargs)\n",
"role": "user"
},
{
"content": "rule",
"role": "assistant"
}
] |
def x(self):
qapp = QtCore.QCoreApplication.instance()
if not qapp:
return
screens = qapp.screens()
"""
let's find out which screens are virtual
screen, siblings:
One big virtual desktop:
A [A, B, C]
B [A, B, C]
C [A, B, C]
A & B in one xscreen, C in another:
A [A, B]
B [A, B]
C [C]
"""
virtual_screens = set()
for screen in screens:
if screen not in virtual_screens:
siblings = screen.virtualSiblings()
virtual_screens.update(set(siblings).difference(set([screen])))
true_screens = list(set(screens) - virtual_screens)
for screen in true_screens:
self.true_screens.insert(screens.index(screen), screen)
print('GPUHandler: findXScreens: true screens:', self.true_screens)
|
findXScreens
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n qapp = QtCore.QCoreApplication.instance()\n if not qapp:\n return\n screens = qapp.screens()\n \"\"\"\n let's find out which screens are virtual\n\n screen, siblings:\n\n One big virtual desktop:\n\n A [A, B, C]\n B [A, B, C]\n C [A, B, C]\n\n A & B in one xscreen, C in another:\n\n A [A, B]\n B [A, B]\n C [C]\n\n \"\"\"\n virtual_screens = set()\n for screen in screens:\n if screen not in virtual_screens:\n siblings = screen.virtualSiblings()\n virtual_screens.update(set(siblings).difference(set([screen])))\n true_screens = list(set(screens) - virtual_screens)\n for screen in true_screens:\n self.true_screens.insert(screens.index(screen), screen)\n print('GPUHandler: findXScreens: true screens:', self.true_screens)\n",
"role": "user"
},
{
"content": "findXScreens",
"role": "assistant"
}
] |
def x(self):
self.dm = DataModel(directory=tools.getConfigDir())
if self.first_start:
print(pre, 'readDB : first start')
self.dm.clearAll()
self.dm.saveAll()
if not self.dm.checkCameraCollection():
self.dm.clearCameraCollection()
|
readDB
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.dm = DataModel(directory=tools.getConfigDir())\n if self.first_start:\n print(pre, 'readDB : first start')\n self.dm.clearAll()\n self.dm.saveAll()\n if not self.dm.checkCameraCollection():\n self.dm.clearCameraCollection()\n",
"role": "user"
},
{
"content": "readDB",
"role": "assistant"
}
] |
def x(self):
for i in range(1, 5):
self.make_grid_slot(i, i)
for cl in self.mvision_classes:
self.make_mvision_slot(cl)
|
generateMethods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for i in range(1, 5):\n self.make_grid_slot(i, i)\n for cl in self.mvision_classes:\n self.make_mvision_slot(cl)\n",
"role": "user"
},
{
"content": "generateMethods",
"role": "assistant"
}
] |
def x(self, widget, name, blocking=False, nude=False):
class QuickWindow(QtWidgets.QMainWindow):
class Signals(QtCore.QObject):
close = QtCore.Signal()
show = QtCore.Signal()
def x(self, blocking=False, parent=None, nude=False):
super().__init__(parent)
self.propagate = True
self.setStyleSheet(style.main_gui)
if blocking:
self.setWindowModality(QtCore.Qt.ApplicationModal)
if nude:
self.setWindowFlags(QtCore.Qt.Dialog)
self.signals = self.Signals()
def x(self, e):
if self.propagate:
self.signals.close.emit()
e.accept()
def x(self, e):
if self.propagate:
self.signals.show.emit()
e.accept()
def x(self):
self.propagate = True
def x(self):
self.propagate = False
win = QuickWindow(blocking=blocking, nude=nude)
win.setCentralWidget(widget)
win.setLayout(QtWidgets.QHBoxLayout())
win.setWindowTitle(name)
return win
|
QCapsulate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, widget, name, blocking=False, nude=False):\n\n\n class QuickWindow(QtWidgets.QMainWindow):\n\n\n class Signals(QtCore.QObject):\n close = QtCore.Signal()\n show = QtCore.Signal()\n\n def x(self, blocking=False, parent=None, nude=False):\n super().__init__(parent)\n self.propagate = True\n self.setStyleSheet(style.main_gui)\n if blocking:\n self.setWindowModality(QtCore.Qt.ApplicationModal)\n if nude:\n self.setWindowFlags(QtCore.Qt.Dialog)\n self.signals = self.Signals()\n\n def x(self, e):\n if self.propagate:\n self.signals.close.emit()\n e.accept()\n\n def x(self, e):\n if self.propagate:\n self.signals.show.emit()\n e.accept()\n\n def x(self):\n self.propagate = True\n\n def x(self):\n self.propagate = False\n win = QuickWindow(blocking=blocking, nude=nude)\n win.setCentralWidget(widget)\n win.setLayout(QtWidgets.QHBoxLayout())\n win.setWindowTitle(name)\n return win\n",
"role": "user"
},
{
"content": "QCapsulate",
"role": "assistant"
}
] |
def x(self, name, widget_list, blocking=False):
class QuickWindow(QtWidgets.QMainWindow):
class Signals(QtCore.QObject):
close = QtCore.Signal()
show = QtCore.Signal()
def x(self, blocking=False, parent=None):
super().__init__(parent)
self.propagate = True
self.setStyleSheet(style.main_gui)
if blocking:
self.setWindowModality(QtCore.Qt.ApplicationModal)
self.signals = self.Signals()
self.tab = QtWidgets.QTabWidget()
self.setCentralWidget(self.tab)
self.setLayout(QtWidgets.QHBoxLayout())
def x(self, e):
if self.propagate:
self.signals.close.emit()
e.accept()
def x(self, e):
if self.propagate:
self.signals.show.emit()
e.accept()
def x(self):
self.propagate = True
def x(self):
self.propagate = False
win = QuickWindow(blocking=blocking)
win.setWindowTitle(name)
for w in widget_list:
win.tab.addTab(w[0], w[1])
return win
|
QTabCapsulate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, widget_list, blocking=False):\n\n\n class QuickWindow(QtWidgets.QMainWindow):\n\n\n class Signals(QtCore.QObject):\n close = QtCore.Signal()\n show = QtCore.Signal()\n\n def x(self, blocking=False, parent=None):\n super().__init__(parent)\n self.propagate = True\n self.setStyleSheet(style.main_gui)\n if blocking:\n self.setWindowModality(QtCore.Qt.ApplicationModal)\n self.signals = self.Signals()\n self.tab = QtWidgets.QTabWidget()\n self.setCentralWidget(self.tab)\n self.setLayout(QtWidgets.QHBoxLayout())\n\n def x(self, e):\n if self.propagate:\n self.signals.close.emit()\n e.accept()\n\n def x(self, e):\n if self.propagate:\n self.signals.show.emit()\n e.accept()\n\n def x(self):\n self.propagate = True\n\n def x(self):\n self.propagate = False\n win = QuickWindow(blocking=blocking)\n win.setWindowTitle(name)\n for w in widget_list:\n win.tab.addTab(w[0], w[1])\n return win\n",
"role": "user"
},
{
"content": "QTabCapsulate",
"role": "assistant"
}
] |
def x(self):
self.treelist.reset_()
self.server = ServerListItem(name='Localhost', ip='127.0.0.1', parent=
self.root)
"""
self.server1 = ServerListItem(
name="First Server", ip="192.168.1.20", parent=self.root)
"""
"""
self.camera1 = RTSPCameraListItem(camera=RTSPCameraDevice(
ip="192.168.1.4", username="admin", password="1234"), parent=self.server1)
self.camera2 = RTSPCameraListItem(camera=RTSPCameraDevice(
ip="192.168.1.4", username="admin", password="1234"), parent=self.server1)
"""
devices = []
for row in self.dm.camera_collection.get():
if row['classname'] == DataModel.RTSPCameraRow.__name__:
row.pop('classname')
devices.append(RTSPCameraListItem(camera=DataModel.
RTSPCameraDevice(**row), parent=self.server))
elif row['classname'] == DataModel.USBCameraRow.__name__:
row.pop('classname')
devices.append(USBCameraListItem(camera=DataModel.
USBCameraDevice(**row), parent=self.server))
self.treelist.update()
self.treelist.expandAll()
|
updateCameraTree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.treelist.reset_()\n self.server = ServerListItem(name='Localhost', ip='127.0.0.1', parent=\n self.root)\n \"\"\"\n self.server1 = ServerListItem(\n name=\"First Server\", ip=\"192.168.1.20\", parent=self.root)\n \"\"\"\n \"\"\"\n self.camera1 = RTSPCameraListItem(camera=RTSPCameraDevice(\n ip=\"192.168.1.4\", username=\"admin\", password=\"1234\"), parent=self.server1)\n self.camera2 = RTSPCameraListItem(camera=RTSPCameraDevice(\n ip=\"192.168.1.4\", username=\"admin\", password=\"1234\"), parent=self.server1)\n \"\"\"\n devices = []\n for row in self.dm.camera_collection.get():\n if row['classname'] == DataModel.RTSPCameraRow.__name__:\n row.pop('classname')\n devices.append(RTSPCameraListItem(camera=DataModel.\n RTSPCameraDevice(**row), parent=self.server))\n elif row['classname'] == DataModel.USBCameraRow.__name__:\n row.pop('classname')\n devices.append(USBCameraListItem(camera=DataModel.\n USBCameraDevice(**row), parent=self.server))\n self.treelist.update()\n self.treelist.expandAll()\n",
"role": "user"
},
{
"content": "updateCameraTree",
"role": "assistant"
}
] |
def x(self):
self.filemenu.exit.triggered.connect(self.exit_slot)
self.filemenu.save_window_layout.triggered.connect(self.
save_window_layout_slot)
self.filemenu.load_window_layout.triggered.connect(self.
load_window_layout_slot)
"""
self.configmenu.manage_cameras. triggered.connect(
self.manage_cameras_slot)
self.configmenu.memory_usage. triggered.connect(
self.memory_usage_slot)
"""
self.configmenu.configuration_dialog.triggered.connect(self.
config_dialog_slot)
self.viewmenu.camera_list.triggered.connect(self.camera_list_slot)
self.aboutmenu.about_valkka_live.triggered.connect(self.about_slot)
for i in range(1, 5):
slot_func = getattr(self, 'grid_%ix%i_slot' % (i, i))
menu_func = getattr(self.viewmenu.video_grid, 'grid_%ix%i' % (i, i))
menu_func.triggered.connect(slot_func)
for cl in self.mvision_classes:
getattr(self.mvisionmenu, cl.name).triggered.connect(getattr(self,
cl.name + '_slot'))
|
makeLogic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.filemenu.exit.triggered.connect(self.exit_slot)\n self.filemenu.save_window_layout.triggered.connect(self.\n save_window_layout_slot)\n self.filemenu.load_window_layout.triggered.connect(self.\n load_window_layout_slot)\n \"\"\"\n self.configmenu.manage_cameras. triggered.connect(\n self.manage_cameras_slot)\n self.configmenu.memory_usage. triggered.connect(\n self.memory_usage_slot)\n \"\"\"\n self.configmenu.configuration_dialog.triggered.connect(self.\n config_dialog_slot)\n self.viewmenu.camera_list.triggered.connect(self.camera_list_slot)\n self.aboutmenu.about_valkka_live.triggered.connect(self.about_slot)\n for i in range(1, 5):\n slot_func = getattr(self, 'grid_%ix%i_slot' % (i, i))\n menu_func = getattr(self.viewmenu.video_grid, 'grid_%ix%i' % (i, i))\n menu_func.triggered.connect(slot_func)\n for cl in self.mvision_classes:\n getattr(self.mvisionmenu, cl.name).triggered.connect(getattr(self, \n cl.name + '_slot'))\n",
"role": "user"
},
{
"content": "makeLogic",
"role": "assistant"
}
] |
def x(self):
""" each serialized container looks like this:
dic={# these are used when re-instantiating the view
"classname" : self.__class__.__name__,
"kwargs" : {}, # parameters that we're used to instantiate this class
# these parameters are used by deserialize
"x" : self.window.x(),
"y" : self.window.y(),
"width" : self.window.width(),
"height" : self.window.height(),
"streams" : streams
}
"""
container_list = []
mvision_container_list = []
for container in self.containers:
print('gui: serialize containers : container=', container)
container_list.append(container.serialize())
for container in self.mvision_containers:
mvision_container_list.append(container.serialize())
return {'container_list': container_list, 'mvision_container_list':
mvision_container_list}
|
serializeContainers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n \"\"\" each serialized container looks like this:\n dic={# these are used when re-instantiating the view\n \"classname\" : self.__class__.__name__,\n \"kwargs\" : {}, # parameters that we're used to instantiate this class\n # these parameters are used by deserialize\n \"x\" : self.window.x(),\n \"y\" : self.window.y(),\n \"width\" : self.window.width(),\n \"height\" : self.window.height(),\n \"streams\" : streams\n }\n \"\"\"\n container_list = []\n mvision_container_list = []\n for container in self.containers:\n print('gui: serialize containers : container=', container)\n container_list.append(container.serialize())\n for container in self.mvision_containers:\n mvision_container_list.append(container.serialize())\n return {'container_list': container_list, 'mvision_container_list':\n mvision_container_list}\n",
"role": "user"
},
{
"content": "serializeContainers",
"role": "assistant"
}
] |
def x(self):
self.process_map = {}
for mvision_class in self.mvision_classes:
name = mvision_class.name
tag = mvision_class.tag
num = mvision_class.max_instances
if tag not in self.process_map:
self.process_map[tag] = []
for n in range(0, num):
p = mvision_class()
p.start()
self.process_map[tag].append(p)
|
startProcesses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.process_map = {}\n for mvision_class in self.mvision_classes:\n name = mvision_class.name\n tag = mvision_class.tag\n num = mvision_class.max_instances\n if tag not in self.process_map:\n self.process_map[tag] = []\n for n in range(0, num):\n p = mvision_class()\n p.start()\n self.process_map[tag].append(p)\n",
"role": "user"
},
{
"content": "startProcesses",
"role": "assistant"
}
] |
def x(self, n, m):
def x():
cont = container.VideoContainerNxM(gpu_handler=self.gpu_handler,
filterchain_group=self.filterchain_group, n_dim=n, m_dim=m)
cont.signals.closing.connect(self.rem_container_slot)
self.containers.append(cont)
setattr(self, 'grid_%ix%i_slot' % (n, m), slot_func)
|
make_grid_slot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n, m):\n\n def x():\n cont = container.VideoContainerNxM(gpu_handler=self.gpu_handler,\n filterchain_group=self.filterchain_group, n_dim=n, m_dim=m)\n cont.signals.closing.connect(self.rem_container_slot)\n self.containers.append(cont)\n setattr(self, 'grid_%ix%i_slot' % (n, m), slot_func)\n",
"role": "user"
},
{
"content": "make_grid_slot",
"role": "assistant"
}
] |
def x(args):
ret = 0
try:
filepath = SiteCustomizeFile()
if filepath.is_injected():
logger.info('Pout has already been injected into {}'.format(
filepath))
elif filepath.inject():
logger.info('Injected pout into {}'.format(filepath))
else:
logger.info('Failed to inject pout into {}'.format(filepath))
except IOError as e:
ret = 1
logger.info(str(e))
return ret
|
main_inject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n ret = 0\n try:\n filepath = SiteCustomizeFile()\n if filepath.is_injected():\n logger.info('Pout has already been injected into {}'.format(\n filepath))\n elif filepath.inject():\n logger.info('Injected pout into {}'.format(filepath))\n else:\n logger.info('Failed to inject pout into {}'.format(filepath))\n except IOError as e:\n ret = 1\n logger.info(str(e))\n return ret\n",
"role": "user"
},
{
"content": "main_inject",
"role": "assistant"
}
] |
def x(args):
if args.site_packages:
logger.info(SitePackagesDir())
else:
logger.info('Python executable: {}'.format(sys.executable))
logger.info('Python version: {}'.format(platform.python_version()))
logger.info('Python site-packages: {}'.format(SitePackagesDir()))
logger.info('Python sitecustomize: {}'.format(SiteCustomizeFile()))
logger.info('Pout executable: {}'.format(os.path.abspath(os.path.
expanduser(str(sys.argv[0])))))
logger.info('Pout version: {}'.format(pout.__version__))
filepath = SiteCustomizeFile()
logger.info('Pout injected: {}'.format(filepath.is_injected()))
|
main_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if args.site_packages:\n logger.info(SitePackagesDir())\n else:\n logger.info('Python executable: {}'.format(sys.executable))\n logger.info('Python version: {}'.format(platform.python_version()))\n logger.info('Python site-packages: {}'.format(SitePackagesDir()))\n logger.info('Python sitecustomize: {}'.format(SiteCustomizeFile()))\n logger.info('Pout executable: {}'.format(os.path.abspath(os.path.\n expanduser(str(sys.argv[0])))))\n logger.info('Pout version: {}'.format(pout.__version__))\n filepath = SiteCustomizeFile()\n logger.info('Pout injected: {}'.format(filepath.is_injected()))\n",
"role": "user"
},
{
"content": "main_info",
"role": "assistant"
}
] |
def x(func, *args, **kwargs):
try:
func(*args, **kwargs)
except Exception as e:
return e
|
catch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n try:\n func(*args, **kwargs)\n except Exception as e:\n return e\n",
"role": "user"
},
{
"content": "catch",
"role": "assistant"
}
] |
def x(func, *args, **kwargs):
start_time = time_module.time()
func(*args, **kwargs)
end_time = time_module.time()
return end_time - start_time
|
time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *args, **kwargs):\n start_time = time_module.time()\n func(*args, **kwargs)\n end_time = time_module.time()\n return end_time - start_time\n",
"role": "user"
},
{
"content": "time",
"role": "assistant"
}
] |
def x():
pdb.Pdb(stdout=sys.__stdout__).set_trace(sys._getframe().f_back)
|
set_trace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pdb.Pdb(stdout=sys.__stdout__).set_trace(sys._getframe().f_back)\n",
"role": "user"
},
{
"content": "set_trace",
"role": "assistant"
}
] |
def x(self, data=[], lmom_ratios=[]):
n_min = self.numargs + 2
if len(data) > 0:
if len(data) <= n_min:
raise ValueError('At least {} data points must be provided.'.
format(n_min))
lmom_ratios = lm.lmom_ratios(data, nmom=n_min)
elif not lmom_ratios:
raise Exception('Either `data` or `lmom_ratios` must be provided.')
elif len(lmom_ratios) < n_min:
raise ValueError('At least {} number of L-moments must be provided.'
.format(n_min))
return self._lmom_fit(lmom_ratios)
|
lmom_fit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=[], lmom_ratios=[]):\n n_min = self.numargs + 2\n if len(data) > 0:\n if len(data) <= n_min:\n raise ValueError('At least {} data points must be provided.'.\n format(n_min))\n lmom_ratios = lm.lmom_ratios(data, nmom=n_min)\n elif not lmom_ratios:\n raise Exception('Either `data` or `lmom_ratios` must be provided.')\n elif len(lmom_ratios) < n_min:\n raise ValueError('At least {} number of L-moments must be provided.'\n .format(n_min))\n return self._lmom_fit(lmom_ratios)\n",
"role": "user"
},
{
"content": "lmom_fit",
"role": "assistant"
}
] |
def x(self, *args, nmom=5, **kwds):
ratios = self.lmom_ratios(*args, nmom=nmom, **kwds)
moments = ratios[0:2]
moments += [(ratio * moments[1]) for ratio in ratios[2:]]
return moments
|
lmom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, nmom=5, **kwds):\n ratios = self.lmom_ratios(*args, nmom=nmom, **kwds)\n moments = ratios[0:2]\n moments += [(ratio * moments[1]) for ratio in ratios[2:]]\n return moments\n",
"role": "user"
},
{
"content": "lmom",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.