source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(path, mode=511): parent = os.path.dirname(path) if parent: make_all_dirs(parent, mode) return path
make_parent_dirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, mode=511):\n parent = os.path.dirname(path)\n if parent:\n make_all_dirs(parent, mode)\n return path\n", "role": "user" }, { "content": "make_parent_dirs", "role": "assistant" } ]
def x(dest_path, make_parents=False, backup_suffix=None, suffix='.partial.%s'): if dest_path == os.devnull: yield dest_path else: tmp_path = ('%s' + suffix) % (dest_path, new_uid()) if make_parents: make_parent_dirs(tmp_path) yield tmp_path if not os.path.exists(tmp_path): raise IOError( "failure in writing file '%s': target file '%s' missing" % (dest_path, tmp_path)) if backup_suffix: move_to_backup(dest_path, backup_suffix=backup_suffix) if os.path.isdir(dest_path): shutil.rmtree(dest_path) shutil.move(tmp_path, dest_path)
atomic_output_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dest_path, make_parents=False, backup_suffix=None, suffix='.partial.%s'):\n if dest_path == os.devnull:\n yield dest_path\n else:\n tmp_path = ('%s' + suffix) % (dest_path, new_uid())\n if make_parents:\n make_parent_dirs(tmp_path)\n yield tmp_path\n if not os.path.exists(tmp_path):\n raise IOError(\n \"failure in writing file '%s': target file '%s' missing\" %\n (dest_path, tmp_path))\n if backup_suffix:\n move_to_backup(dest_path, backup_suffix=backup_suffix)\n if os.path.isdir(dest_path):\n shutil.rmtree(dest_path)\n shutil.move(tmp_path, dest_path)\n", "role": "user" }, { "content": "atomic_output_file", "role": "assistant" } ]
def x(prefix='tmp', suffix='', dir=None, make_parents=False, always_clean=False ): return _temp_output(False, prefix=prefix, suffix=suffix, dir=dir, make_parents=make_parents, always_clean=always_clean)
temp_output_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix='tmp', suffix='', dir=None, make_parents=False, always_clean=False\n ):\n return _temp_output(False, prefix=prefix, suffix=suffix, dir=dir,\n make_parents=make_parents, always_clean=always_clean)\n", "role": "user" }, { "content": "temp_output_file", "role": "assistant" } ]
def x(prefix='tmp', suffix='', dir=None, make_parents=False, always_clean=False ): return _temp_output(True, prefix=prefix, suffix=suffix, dir=dir, make_parents=make_parents, always_clean=always_clean)
temp_output_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix='tmp', suffix='', dir=None, make_parents=False, always_clean=False\n ):\n return _temp_output(True, prefix=prefix, suffix=suffix, dir=dir,\n make_parents=make_parents, always_clean=always_clean)\n", "role": "user" }, { "content": "temp_output_dir", "role": "assistant" } ]
def x(path, encoding='utf8'): with codecs.open(path, 'rb', encoding=encoding) as f: value = f.read() return value
read_string_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, encoding='utf8'):\n with codecs.open(path, 'rb', encoding=encoding) as f:\n value = f.read()\n return value\n", "role": "user" }, { "content": "read_string_from_file", "role": "assistant" } ]
def x(path, string, make_parents=False, backup_suffix=BACKUP_SUFFIX, encoding='utf8'): with atomic_output_file(path, make_parents=make_parents, backup_suffix= backup_suffix) as tmp_path: with codecs.open(tmp_path, 'wb', encoding=encoding) as f: f.write(string)
write_string_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, string, make_parents=False, backup_suffix=BACKUP_SUFFIX,\n encoding='utf8'):\n with atomic_output_file(path, make_parents=make_parents, backup_suffix=\n backup_suffix) as tmp_path:\n with codecs.open(tmp_path, 'wb', encoding=encoding) as f:\n f.write(string)\n", "role": "user" }, { "content": "write_string_to_file", "role": "assistant" } ]
def x(path, mtime, atime=None): if not atime: atime = mtime f = open(path, 'a') try: os.utime(path, (atime, mtime)) finally: f.close()
set_file_mtime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, mtime, atime=None):\n if not atime:\n atime = mtime\n f = open(path, 'a')\n try:\n os.utime(path, (atime, mtime))\n finally:\n f.close()\n", "role": "user" }, { "content": "set_file_mtime", "role": "assistant" } ]
def x(source_path, dest_path, make_parents=False, backup_suffix=None): with atomic_output_file(dest_path, make_parents=make_parents, backup_suffix=backup_suffix) as tmp_path: shutil.copyfile(source_path, tmp_path) set_file_mtime(tmp_path, os.path.getmtime(source_path))
copyfile_atomic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_path, dest_path, make_parents=False, backup_suffix=None):\n with atomic_output_file(dest_path, make_parents=make_parents,\n backup_suffix=backup_suffix) as tmp_path:\n shutil.copyfile(source_path, tmp_path)\n set_file_mtime(tmp_path, os.path.getmtime(source_path))\n", "role": "user" }, { "content": "copyfile_atomic", "role": "assistant" } ]
def x(source_path, dest_path, make_parents=False, backup_suffix=None, symlinks=False): if os.path.isdir(source_path): with atomic_output_file(dest_path, make_parents=make_parents, backup_suffix=backup_suffix) as tmp_path: shutil.copytree(source_path, tmp_path, symlinks=symlinks) else: copyfile_atomic(source_path, dest_path, make_parents=make_parents, backup_suffix=backup_suffix)
copytree_atomic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_path, dest_path, make_parents=False, backup_suffix=None,\n symlinks=False):\n if os.path.isdir(source_path):\n with atomic_output_file(dest_path, make_parents=make_parents,\n backup_suffix=backup_suffix) as tmp_path:\n shutil.copytree(source_path, tmp_path, symlinks=symlinks)\n else:\n copyfile_atomic(source_path, dest_path, make_parents=make_parents,\n backup_suffix=backup_suffix)\n", "role": "user" }, { "content": "copytree_atomic", "role": "assistant" } ]
def x(source_path, dest_path, make_parents=False, backup_suffix=None): if make_parents: make_parent_dirs(dest_path) move_to_backup(dest_path, backup_suffix=backup_suffix) shutil.move(source_path, dest_path)
movefile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_path, dest_path, make_parents=False, backup_suffix=None):\n if make_parents:\n make_parent_dirs(dest_path)\n move_to_backup(dest_path, backup_suffix=backup_suffix)\n shutil.move(source_path, dest_path)\n", "role": "user" }, { "content": "movefile", "role": "assistant" } ]
def x(path, ignore_errors=False, onerror=None): if ignore_errors and not os.path.exists(path): return if os.path.isdir(path) and not os.path.islink(path): shutil.rmtree(path, ignore_errors=ignore_errors, onerror=onerror) else: os.unlink(path)
rmtree_or_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, ignore_errors=False, onerror=None):\n if ignore_errors and not os.path.exists(path):\n return\n if os.path.isdir(path) and not os.path.islink(path):\n shutil.rmtree(path, ignore_errors=ignore_errors, onerror=onerror)\n else:\n os.unlink(path)\n", "role": "user" }, { "content": "rmtree_or_file", "role": "assistant" } ]
def x(path, mode_expression, recursive=False): popenargs = ['chmod'] if recursive: popenargs.append('-R') popenargs.append(mode_expression) popenargs.append(path) subprocess.check_call(popenargs)
chmod_native
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, mode_expression, recursive=False):\n popenargs = ['chmod']\n if recursive:\n popenargs.append('-R')\n popenargs.append(mode_expression)\n popenargs.append(path)\n subprocess.check_call(popenargs)\n", "role": "user" }, { "content": "chmod_native", "role": "assistant" } ]
def x(path): sha1 = hashlib.sha1() with open(path, 'rb') as f: while True: block = f.read(2 ** 10) if not block: break sha1.update(block) return sha1.hexdigest()
file_sha1
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n sha1 = hashlib.sha1()\n with open(path, 'rb') as f:\n while True:\n block = f.read(2 ** 10)\n if not block:\n break\n sha1.update(block)\n return sha1.hexdigest()\n", "role": "user" }, { "content": "file_sha1", "role": "assistant" } ]
async def get_image(self, input_source: str, output_format: str=IMAGE_JPEG, extra_cmd: Optional[str]=None, timeout: int=15) ->Optional[bytes]: """Open FFmpeg process as capture 1 frame.""" command = ['-an', '-frames:v', '1', '-c:v', output_format] is_open = await self.open(cmd=command, input_source=input_source, output='-f image2pipe -', extra_cmd=extra_cmd) if not is_open: _LOGGER.warning('Error starting FFmpeg.') return None try: proc_func = functools.partial(self._proc.communicate, timeout=timeout) image, _ = await self._loop.run_in_executor(None, proc_func) return image except (subprocess.TimeoutExpired, ValueError): _LOGGER.warning('Timeout reading image.') self.kill() return None
get_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_image(self, input_source: str, output_format: str=IMAGE_JPEG,\n extra_cmd: Optional[str]=None, timeout: int=15) ->Optional[bytes]:\n \"\"\"Open FFmpeg process as capture 1 frame.\"\"\"\n command = ['-an', '-frames:v', '1', '-c:v', output_format]\n is_open = await self.open(cmd=command, input_source=input_source,\n output='-f image2pipe -', extra_cmd=extra_cmd)\n if not is_open:\n _LOGGER.warning('Error starting FFmpeg.')\n return None\n try:\n proc_func = functools.partial(self._proc.communicate, timeout=timeout)\n image, _ = await self._loop.run_in_executor(None, proc_func)\n return image\n except (subprocess.TimeoutExpired, ValueError):\n _LOGGER.warning('Timeout reading image.')\n self.kill()\n return None\n", "role": "user" }, { "content": "get_image", "role": "assistant" } ]
async def get_version(self, timeout: int=15) ->Optional[str]: """Execute FFmpeg process and parse the version information. Return full FFmpeg version string. Such as 3.4.2-tessus """ command = ['-version'] is_open = await self.open(cmd=command, input_source=None, output='') if not is_open: _LOGGER.warning('Error starting FFmpeg.') return try: proc_func = functools.partial(self._proc.communicate, timeout=timeout) output, _ = await self._loop.run_in_executor(None, proc_func) result = re.search('ffmpeg version (\\S*)', output.decode()) if result is not None: return result.group(1) except (subprocess.TimeoutExpired, ValueError): _LOGGER.warning('Timeout reading stdout.') self.kill() return None
get_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_version(self, timeout: int=15) ->Optional[str]:\n \"\"\"Execute FFmpeg process and parse the version information.\n\n Return full FFmpeg version string. Such as 3.4.2-tessus\n \"\"\"\n command = ['-version']\n is_open = await self.open(cmd=command, input_source=None, output='')\n if not is_open:\n _LOGGER.warning('Error starting FFmpeg.')\n return\n try:\n proc_func = functools.partial(self._proc.communicate, timeout=timeout)\n output, _ = await self._loop.run_in_executor(None, proc_func)\n result = re.search('ffmpeg version (\\\\S*)', output.decode())\n if result is not None:\n return result.group(1)\n except (subprocess.TimeoutExpired, ValueError):\n _LOGGER.warning('Timeout reading stdout.')\n self.kill()\n return None\n", "role": "user" }, { "content": "get_version", "role": "assistant" } ]
def x(self, input_source: str, extra_cmd: Optional[str]=None) ->Coroutine: command = ['-an', '-c:v', 'mjpeg'] return self.open(cmd=command, input_source=input_source, output= '-f mpjpeg -', extra_cmd=extra_cmd)
open_camera
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_source: str, extra_cmd: Optional[str]=None) ->Coroutine:\n command = ['-an', '-c:v', 'mjpeg']\n return self.open(cmd=command, input_source=input_source, output=\n '-f mpjpeg -', extra_cmd=extra_cmd)\n", "role": "user" }, { "content": "open_camera", "role": "assistant" } ]
def x(self, lib_path): if sizeof(c_void_p) == 8: if system() == 'Windows': def_lib_name = 'nvrtc64_92.dll' elif system() == 'Darwin': def_lib_name = 'libnvrtc.dylib' else: def_lib_name = 'libnvrtc.so' else: raise NVRTCException('NVRTC is not supported on 32-bit platforms.') if len(lib_path) == 0: name = def_lib_name else: name = lib_path self._lib = cdll.LoadLibrary(name) self._lib.nvrtcCreateProgram.argtypes = [POINTER(c_void_p), c_char_p, c_char_p, c_int, POINTER(c_char_p), POINTER(c_char_p)] self._lib.nvrtcCreateProgram.restype = c_int self._lib.nvrtcDestroyProgram.argtypes = [POINTER(c_void_p)] self._lib.nvrtcDestroyProgram.restype = c_int self._lib.nvrtcCompileProgram.argtypes = [c_void_p, c_int, POINTER( c_char_p)] self._lib.nvrtcCompileProgram.restype = c_int self._lib.nvrtcGetPTXSize.argtypes = [c_void_p, POINTER(c_size_t)] self._lib.nvrtcGetPTXSize.restype = c_int self._lib.nvrtcGetPTX.argtypes = [c_void_p, c_char_p] self._lib.nvrtcGetPTX.restype = c_int self._lib.nvrtcGetProgramLogSize.argtypes = [c_void_p, POINTER(c_size_t)] self._lib.nvrtcGetProgramLogSize.restype = c_int self._lib.nvrtcGetProgramLog.argtypes = [c_void_p, c_char_p] self._lib.nvrtcGetProgramLog.restype = c_int self._lib.nvrtcAddNameExpression.argtypes = [c_void_p, c_char_p] self._lib.nvrtcAddNameExpression.restype = c_int self._lib.nvrtcGetLoweredName.argtypes = [c_void_p, c_char_p, POINTER( c_char_p)] self._lib.nvrtcGetLoweredName.restype = c_int self._lib.nvrtcGetErrorString.argtypes = [c_int] self._lib.nvrtcGetErrorString.restype = c_char_p self._lib.nvrtcVersion.argtypes = [POINTER(c_int), POINTER(c_int)] self._lib.nvrtcVersion.restype = c_int
load_nvrtc_lib
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lib_path):\n if sizeof(c_void_p) == 8:\n if system() == 'Windows':\n def_lib_name = 'nvrtc64_92.dll'\n elif system() == 'Darwin':\n def_lib_name = 'libnvrtc.dylib'\n else:\n def_lib_name = 'libnvrtc.so'\n else:\n raise NVRTCException('NVRTC is not supported on 32-bit platforms.')\n if len(lib_path) == 0:\n name = def_lib_name\n else:\n name = lib_path\n self._lib = cdll.LoadLibrary(name)\n self._lib.nvrtcCreateProgram.argtypes = [POINTER(c_void_p), c_char_p,\n c_char_p, c_int, POINTER(c_char_p), POINTER(c_char_p)]\n self._lib.nvrtcCreateProgram.restype = c_int\n self._lib.nvrtcDestroyProgram.argtypes = [POINTER(c_void_p)]\n self._lib.nvrtcDestroyProgram.restype = c_int\n self._lib.nvrtcCompileProgram.argtypes = [c_void_p, c_int, POINTER(\n c_char_p)]\n self._lib.nvrtcCompileProgram.restype = c_int\n self._lib.nvrtcGetPTXSize.argtypes = [c_void_p, POINTER(c_size_t)]\n self._lib.nvrtcGetPTXSize.restype = c_int\n self._lib.nvrtcGetPTX.argtypes = [c_void_p, c_char_p]\n self._lib.nvrtcGetPTX.restype = c_int\n self._lib.nvrtcGetProgramLogSize.argtypes = [c_void_p, POINTER(c_size_t)]\n self._lib.nvrtcGetProgramLogSize.restype = c_int\n self._lib.nvrtcGetProgramLog.argtypes = [c_void_p, c_char_p]\n self._lib.nvrtcGetProgramLog.restype = c_int\n self._lib.nvrtcAddNameExpression.argtypes = [c_void_p, c_char_p]\n self._lib.nvrtcAddNameExpression.restype = c_int\n self._lib.nvrtcGetLoweredName.argtypes = [c_void_p, c_char_p, POINTER(\n c_char_p)]\n self._lib.nvrtcGetLoweredName.restype = c_int\n self._lib.nvrtcGetErrorString.argtypes = [c_int]\n self._lib.nvrtcGetErrorString.restype = c_char_p\n self._lib.nvrtcVersion.argtypes = [POINTER(c_int), POINTER(c_int)]\n self._lib.nvrtcVersion.restype = c_int\n", "role": "user" }, { "content": "load_nvrtc_lib", "role": "assistant" } ]
def x(self, src, name, headers, include_names): res = c_void_p() headers_array = (c_char_p * len(headers))() headers_array[:] = encode_str_list(headers) include_names_array = (c_char_p * len(include_names))() include_names_array[:] = encode_str_list(include_names) code = self._lib.nvrtcCreateProgram(byref(res), c_char_p(encode_str(src )), c_char_p(encode_str(name)), len(headers), headers_array, include_names_array) self._throw_on_error(code) return res
nvrtcCreateProgram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src, name, headers, include_names):\n res = c_void_p()\n headers_array = (c_char_p * len(headers))()\n headers_array[:] = encode_str_list(headers)\n include_names_array = (c_char_p * len(include_names))()\n include_names_array[:] = encode_str_list(include_names)\n code = self._lib.nvrtcCreateProgram(byref(res), c_char_p(encode_str(src\n )), c_char_p(encode_str(name)), len(headers), headers_array,\n include_names_array)\n self._throw_on_error(code)\n return res\n", "role": "user" }, { "content": "nvrtcCreateProgram", "role": "assistant" } ]
def x(self, prog): code = self._lib.nvrtcDestroyProgram(byref(prog)) self._throw_on_error(code) return
nvrtcDestroyProgram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prog):\n code = self._lib.nvrtcDestroyProgram(byref(prog))\n self._throw_on_error(code)\n return\n", "role": "user" }, { "content": "nvrtcDestroyProgram", "role": "assistant" } ]
def x(self, prog, options): options_array = (c_char_p * len(options))() options_array[:] = encode_str_list(options) code = self._lib.nvrtcCompileProgram(prog, len(options), options_array) self._throw_on_error(code) return
nvrtcCompileProgram
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prog, options):\n options_array = (c_char_p * len(options))()\n options_array[:] = encode_str_list(options)\n code = self._lib.nvrtcCompileProgram(prog, len(options), options_array)\n self._throw_on_error(code)\n return\n", "role": "user" }, { "content": "nvrtcCompileProgram", "role": "assistant" } ]
def x(self, prog): size = c_size_t() code = self._lib.nvrtcGetPTXSize(prog, byref(size)) self._throw_on_error(code) buf = create_string_buffer(size.value) code = self._lib.nvrtcGetPTX(prog, buf) self._throw_on_error(code) return buf.value.decode('utf-8')
nvrtcGetPTX
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prog):\n size = c_size_t()\n code = self._lib.nvrtcGetPTXSize(prog, byref(size))\n self._throw_on_error(code)\n buf = create_string_buffer(size.value)\n code = self._lib.nvrtcGetPTX(prog, buf)\n self._throw_on_error(code)\n return buf.value.decode('utf-8')\n", "role": "user" }, { "content": "nvrtcGetPTX", "role": "assistant" } ]
def x(self, prog): size = c_size_t() code = self._lib.nvrtcGetProgramLogSize(prog, byref(size)) self._throw_on_error(code) buf = create_string_buffer(size.value) code = self._lib.nvrtcGetProgramLog(prog, buf) self._throw_on_error(code) return buf.value.decode('utf-8')
nvrtcGetProgramLog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prog):\n size = c_size_t()\n code = self._lib.nvrtcGetProgramLogSize(prog, byref(size))\n self._throw_on_error(code)\n buf = create_string_buffer(size.value)\n code = self._lib.nvrtcGetProgramLog(prog, buf)\n self._throw_on_error(code)\n return buf.value.decode('utf-8')\n", "role": "user" }, { "content": "nvrtcGetProgramLog", "role": "assistant" } ]
def x(self, prog, name_expression): code = self._lib.nvrtcAddNameExpression(prog, c_char_p(encode_str( name_expression))) self._throw_on_error(code) return
nvrtcAddNameExpression
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prog, name_expression):\n code = self._lib.nvrtcAddNameExpression(prog, c_char_p(encode_str(\n name_expression)))\n self._throw_on_error(code)\n return\n", "role": "user" }, { "content": "nvrtcAddNameExpression", "role": "assistant" } ]
def x(self, prog, name_expression): lowered_name = c_char_p() code = self._lib.nvrtcGetLoweredName(prog, c_char_p(encode_str( name_expression)), byref(lowered_name)) self._throw_on_error(code) return lowered_name.value.decode('utf-8')
nvrtcGetLoweredName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prog, name_expression):\n lowered_name = c_char_p()\n code = self._lib.nvrtcGetLoweredName(prog, c_char_p(encode_str(\n name_expression)), byref(lowered_name))\n self._throw_on_error(code)\n return lowered_name.value.decode('utf-8')\n", "role": "user" }, { "content": "nvrtcGetLoweredName", "role": "assistant" } ]
def x(self, code): code_int = c_int(code) res = self._lib.nvrtcGetErrorString(code_int) return res.decode('utf-8')
nvrtcGetErrorString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code):\n code_int = c_int(code)\n res = self._lib.nvrtcGetErrorString(code_int)\n return res.decode('utf-8')\n", "role": "user" }, { "content": "nvrtcGetErrorString", "role": "assistant" } ]
def x(self): major = c_int() minor = c_int() code = self._lib.nvrtcVersion(byref(major), byref(minor)) self._throw_on_error(code) return major.value, minor.value
nvrtcVersion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n major = c_int()\n minor = c_int()\n code = self._lib.nvrtcVersion(byref(major), byref(minor))\n self._throw_on_error(code)\n return major.value, minor.value\n", "role": "user" }, { "content": "nvrtcVersion", "role": "assistant" } ]
def x(self) ->bool: if self._proc is None or self._proc.returncode is not None: return False return True
is_running
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->bool:\n if self._proc is None or self._proc.returncode is not None:\n return False\n return True\n", "role": "user" }, { "content": "is_running", "role": "assistant" } ]
def x(self, cmd: List[str], input_source: Optional[str], output: Optional[ str], extra_cmd: Optional[str]=None) ->None: self._argv = [self._ffmpeg] if input_source is not None: self._put_input(input_source) self._argv.extend(cmd) if extra_cmd is not None: self._argv.extend(shlex.split(extra_cmd)) self._merge_filters() self._put_output(output)
generate_ffmpeg_cmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd: List[str], input_source: Optional[str], output: Optional[\n str], extra_cmd: Optional[str]=None) ->None:\n self._argv = [self._ffmpeg]\n if input_source is not None:\n self._put_input(input_source)\n self._argv.extend(cmd)\n if extra_cmd is not None:\n self._argv.extend(shlex.split(extra_cmd))\n self._merge_filters()\n self._put_output(output)\n", "role": "user" }, { "content": "generate_ffmpeg_cmd", "role": "assistant" } ]
def x(self, input_source: str) ->None: input_cmd = shlex.split(str(input_source)) if len(input_cmd) > 1: self._argv.extend(input_cmd) else: self._argv.extend(['-i', input_source])
put_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_source: str) ->None:\n input_cmd = shlex.split(str(input_source))\n if len(input_cmd) > 1:\n self._argv.extend(input_cmd)\n else:\n self._argv.extend(['-i', input_source])\n", "role": "user" }, { "content": "put_input", "role": "assistant" } ]
def x(self, output: Optional[str]) ->None: if output is None: self._argv.extend(['-f', 'null', '-']) return output_cmd = shlex.split(str(output)) if len(output_cmd) > 1: self._argv.extend(output_cmd) else: self._argv.append(output)
put_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, output: Optional[str]) ->None:\n if output is None:\n self._argv.extend(['-f', 'null', '-'])\n return\n output_cmd = shlex.split(str(output))\n if len(output_cmd) > 1:\n self._argv.extend(output_cmd)\n else:\n self._argv.append(output)\n", "role": "user" }, { "content": "put_output", "role": "assistant" } ]
def x(self) ->None: for opts in (['-filter:a', '-af'], ['-filter:v', '-vf']): filter_list = [] new_argv = [] cmd_iter = iter(self._argv) for element in cmd_iter: if element in opts: filter_list.insert(0, next(cmd_iter)) else: new_argv.append(element) if filter_list: new_argv.extend([opts[0], ','.join(filter_list)]) self._argv = new_argv.copy()
merge_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n for opts in (['-filter:a', '-af'], ['-filter:v', '-vf']):\n filter_list = []\n new_argv = []\n cmd_iter = iter(self._argv)\n for element in cmd_iter:\n if element in opts:\n filter_list.insert(0, next(cmd_iter))\n else:\n new_argv.append(element)\n if filter_list:\n new_argv.extend([opts[0], ','.join(filter_list)])\n self._argv = new_argv.copy()\n", "role": "user" }, { "content": "merge_filters", "role": "assistant" } ]
async def open(self, cmd: List[str], input_source: Optional[str], output: Optional[str]='-', extra_cmd: Optional[str]=None, stdout_pipe: bool= True, stderr_pipe: bool=False) ->bool: """Start a ffmpeg instance and pipe output.""" stdout = subprocess.PIPE if stdout_pipe else subprocess.DEVNULL stderr = subprocess.PIPE if stderr_pipe else subprocess.DEVNULL if self.is_running: _LOGGER.warning('FFmpeg is already running!') return True self._generate_ffmpeg_cmd(cmd, input_source, output, extra_cmd) _LOGGER.debug('Start FFmpeg with %s', str(self._argv)) try: proc_func = functools.partial(subprocess.Popen, self._argv, bufsize =0, stdin=subprocess.PIPE, stdout=stdout, stderr=stderr) self._proc = await self._loop.run_in_executor(None, proc_func) except Exception as err: _LOGGER.exception('FFmpeg fails %s', err) self._clear() return False return self._proc is not None
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def open(self, cmd: List[str], input_source: Optional[str], output:\n Optional[str]='-', extra_cmd: Optional[str]=None, stdout_pipe: bool=\n True, stderr_pipe: bool=False) ->bool:\n \"\"\"Start a ffmpeg instance and pipe output.\"\"\"\n stdout = subprocess.PIPE if stdout_pipe else subprocess.DEVNULL\n stderr = subprocess.PIPE if stderr_pipe else subprocess.DEVNULL\n if self.is_running:\n _LOGGER.warning('FFmpeg is already running!')\n return True\n self._generate_ffmpeg_cmd(cmd, input_source, output, extra_cmd)\n _LOGGER.debug('Start FFmpeg with %s', str(self._argv))\n try:\n proc_func = functools.partial(subprocess.Popen, self._argv, bufsize\n =0, stdin=subprocess.PIPE, stdout=stdout, stderr=stderr)\n self._proc = await self._loop.run_in_executor(None, proc_func)\n except Exception as err:\n _LOGGER.exception('FFmpeg fails %s', err)\n self._clear()\n return False\n return self._proc is not None\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
async def close(self, timeout=5) ->None: """Stop a ffmpeg instance.""" if not self.is_running: _LOGGER.warning("FFmpeg isn't running!") return def x(): self._proc.stdin.write(b'q') self._proc.wait(timeout=timeout) try: await self._loop.run_in_executor(None, _close) _LOGGER.debug('Close FFmpeg process') except (subprocess.TimeoutExpired, ValueError): _LOGGER.warning('Timeout while waiting of FFmpeg') self.kill() finally: self._clear()
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def close(self, timeout=5) ->None:\n \"\"\"Stop a ffmpeg instance.\"\"\"\n if not self.is_running:\n _LOGGER.warning(\"FFmpeg isn't running!\")\n return\n\n def x():\n self._proc.stdin.write(b'q')\n self._proc.wait(timeout=timeout)\n try:\n await self._loop.run_in_executor(None, _close)\n _LOGGER.debug('Close FFmpeg process')\n except (subprocess.TimeoutExpired, ValueError):\n _LOGGER.warning('Timeout while waiting of FFmpeg')\n self.kill()\n finally:\n self._clear()\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self) ->None: self._proc.kill() self._loop.run_in_executor(None, self._proc.communicate)
kill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n self._proc.kill()\n self._loop.run_in_executor(None, self._proc.communicate)\n", "role": "user" }, { "content": "kill", "role": "assistant" } ]
async def get_reader(self, source=FFMPEG_STDOUT) ->asyncio.StreamReader: """Create and return streamreader.""" reader = asyncio.StreamReader(loop=self._loop) reader_protocol = asyncio.StreamReaderProtocol(reader) if source == FFMPEG_STDOUT: await self._loop.connect_read_pipe(lambda : reader_protocol, self. _proc.stdout) else: await self._loop.connect_read_pipe(lambda : reader_protocol, self. _proc.stderr) return reader
get_reader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_reader(self, source=FFMPEG_STDOUT) ->asyncio.StreamReader:\n \"\"\"Create and return streamreader.\"\"\"\n reader = asyncio.StreamReader(loop=self._loop)\n reader_protocol = asyncio.StreamReaderProtocol(reader)\n if source == FFMPEG_STDOUT:\n await self._loop.connect_read_pipe(lambda : reader_protocol, self.\n _proc.stdout)\n else:\n await self._loop.connect_read_pipe(lambda : reader_protocol, self.\n _proc.stderr)\n return reader\n", "role": "user" }, { "content": "get_reader", "role": "assistant" } ]
def x(self, timeout: int=5) ->None: if self._read_task is not None and not self._read_task.cancelled(): self._read_task.cancel() return super().close(timeout)
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout: int=5) ->None:\n if self._read_task is not None and not self._read_task.cancelled():\n self._read_task.cancel()\n return super().close(timeout)\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
async def _process_lines(self, pattern: Optional[str]=None) ->None: """Read line from pipe they match with pattern.""" if pattern is not None: cmp = re.compile(pattern) _LOGGER.debug("Start working with pattern '%s'.", pattern) while self.is_running: try: line = await self._input.readline() if not line: break line = line.decode() except Exception: break match = True if pattern is None else cmp.search(line) if match: _LOGGER.debug('Process: %s', line) await self._que.put(line) try: await self._loop.run_in_executor(None, self._proc.wait) finally: await self._que.put(None) _LOGGER.debug('Close read ffmpeg output.')
process_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _process_lines(self, pattern: Optional[str]=None) ->None:\n \"\"\"Read line from pipe they match with pattern.\"\"\"\n if pattern is not None:\n cmp = re.compile(pattern)\n _LOGGER.debug(\"Start working with pattern '%s'.\", pattern)\n while self.is_running:\n try:\n line = await self._input.readline()\n if not line:\n break\n line = line.decode()\n except Exception:\n break\n match = True if pattern is None else cmp.search(line)\n if match:\n _LOGGER.debug('Process: %s', line)\n await self._que.put(line)\n try:\n await self._loop.run_in_executor(None, self._proc.wait)\n finally:\n await self._que.put(None)\n _LOGGER.debug('Close read ffmpeg output.')\n", "role": "user" }, { "content": "process_lines", "role": "assistant" } ]
async def start_worker(self, cmd: List[str], input_source: str, output: Optional[str]=None, extra_cmd: Optional[str]=None, pattern: Optional[ str]=None, reading: str=FFMPEG_STDERR) ->None: """Start ffmpeg do process data from output.""" if self.is_running: _LOGGER.warning("Can't start worker. It is allready running!") return if reading == FFMPEG_STDERR: stdout = False stderr = True else: stdout = True stderr = False await self.open(cmd=cmd, input_source=input_source, output=output, extra_cmd=extra_cmd, stdout_pipe=stdout, stderr_pipe=stderr) self._input = await self.get_reader(reading) self._read_task = self._loop.create_task(self._process_lines(pattern)) self._loop.create_task(self._worker_process())
start_worker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def start_worker(self, cmd: List[str], input_source: str, output:\n Optional[str]=None, extra_cmd: Optional[str]=None, pattern: Optional[\n str]=None, reading: str=FFMPEG_STDERR) ->None:\n \"\"\"Start ffmpeg do process data from output.\"\"\"\n if self.is_running:\n _LOGGER.warning(\"Can't start worker. It is allready running!\")\n return\n if reading == FFMPEG_STDERR:\n stdout = False\n stderr = True\n else:\n stdout = True\n stderr = False\n await self.open(cmd=cmd, input_source=input_source, output=output,\n extra_cmd=extra_cmd, stdout_pipe=stdout, stderr_pipe=stderr)\n self._input = await self.get_reader(reading)\n self._read_task = self._loop.create_task(self._process_lines(pattern))\n self._loop.create_task(self._worker_process())\n", "role": "user" }, { "content": "start_worker", "role": "assistant" } ]
def x(self, options=[]): try: self._interface.nvrtcCompileProgram(self._program, options) ptx = self._interface.nvrtcGetPTX(self._program) return ptx except NVRTCException as e: log = self._interface.nvrtcGetProgramLog(self._program) raise ProgramException(log)
compile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, options=[]):\n try:\n self._interface.nvrtcCompileProgram(self._program, options)\n ptx = self._interface.nvrtcGetPTX(self._program)\n return ptx\n except NVRTCException as e:\n log = self._interface.nvrtcGetProgramLog(self._program)\n raise ProgramException(log)\n", "role": "user" }, { "content": "compile", "role": "assistant" } ]
def x(self, time_duration: int=1, time_reset: int=2, peak: int=-30) ->None: self._time_duration = time_duration self._time_reset = time_reset self._peak = peak
set_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_duration: int=1, time_reset: int=2, peak: int=-30) ->None:\n self._time_duration = time_duration\n self._time_reset = time_reset\n self._peak = peak\n", "role": "user" }, { "content": "set_options", "role": "assistant" } ]
def x(self, input_source: str, output_dest: Optional[str]=None, extra_cmd: Optional[str]=None) ->Coroutine: command = ['-vn', '-filter:a', 'silencedetect=n={}dB:d=1'.format(self. _peak)] return self.start_worker(cmd=command, input_source=input_source, output =output_dest, extra_cmd=extra_cmd, pattern='silence')
open_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_source: str, output_dest: Optional[str]=None, extra_cmd:\n Optional[str]=None) ->Coroutine:\n command = ['-vn', '-filter:a', 'silencedetect=n={}dB:d=1'.format(self.\n _peak)]\n return self.start_worker(cmd=command, input_source=input_source, output\n =output_dest, extra_cmd=extra_cmd, pattern='silence')\n", "role": "user" }, { "content": "open_sensor", "role": "assistant" } ]
async def _worker_process(self) ->None: """This function processing data.""" state = self.STATE_DETECT timeout = self._time_duration self._loop.call_soon(self._callback, False) re_start = re.compile('silence_start') re_end = re.compile('silence_end') while True: try: _LOGGER.debug('Reading State: %d, timeout: %s', state, timeout) with async_timeout.timeout(timeout, loop=self._loop): data = await self._que.get() timeout = None if data is None: self._loop.call_soon(self._callback, None) return except asyncio.TimeoutError: _LOGGER.debug('Blocking timeout') if state == self.STATE_DETECT: self._loop.call_soon(self._callback, True) state = self.STATE_NOISE elif state == self.STATE_END: self._loop.call_soon(self._callback, False) state = self.STATE_NONE timeout = None continue if re_start.search(data): if state == self.STATE_NOISE: state = self.STATE_END timeout = self._time_reset elif state == self.STATE_DETECT: state = self.STATE_NONE continue if re_end.search(data): if state == self.STATE_NONE: state = self.STATE_DETECT timeout = self._time_duration elif state == self.STATE_END: state = self.STATE_NOISE continue _LOGGER.warning('Unknown data from queue!')
worker_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _worker_process(self) ->None:\n \"\"\"This function processing data.\"\"\"\n state = self.STATE_DETECT\n timeout = self._time_duration\n self._loop.call_soon(self._callback, False)\n re_start = re.compile('silence_start')\n re_end = re.compile('silence_end')\n while True:\n try:\n _LOGGER.debug('Reading State: %d, timeout: %s', state, timeout)\n with async_timeout.timeout(timeout, loop=self._loop):\n data = await self._que.get()\n timeout = None\n if data is None:\n self._loop.call_soon(self._callback, None)\n return\n except asyncio.TimeoutError:\n _LOGGER.debug('Blocking timeout')\n if state == self.STATE_DETECT:\n self._loop.call_soon(self._callback, True)\n state = self.STATE_NOISE\n elif state == self.STATE_END:\n self._loop.call_soon(self._callback, False)\n state = self.STATE_NONE\n timeout = None\n continue\n if re_start.search(data):\n if state == self.STATE_NOISE:\n state = self.STATE_END\n timeout = self._time_reset\n elif state == self.STATE_DETECT:\n state = self.STATE_NONE\n continue\n if re_end.search(data):\n if state == self.STATE_NONE:\n state = self.STATE_DETECT\n timeout = self._time_duration\n elif state == self.STATE_END:\n state = self.STATE_NOISE\n continue\n _LOGGER.warning('Unknown data from queue!')\n", "role": "user" }, { "content": "worker_process", "role": "assistant" } ]
def x(self, time_reset: int=60, time_repeat: int=0, repeat: int=0, changes: int=10) ->None: self._time_reset = time_reset self._time_repeat = time_repeat self._repeat = repeat self._changes = changes
set_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time_reset: int=60, time_repeat: int=0, repeat: int=0, changes:\n int=10) ->None:\n self._time_reset = time_reset\n self._time_repeat = time_repeat\n self._repeat = repeat\n self._changes = changes\n", "role": "user" }, { "content": "set_options", "role": "assistant" } ]
def x(self, input_source: str, extra_cmd: Optional[str]=None) ->Coroutine: command = ['-an', '-filter:v', 'select=gt(scene\\,{0})'.format(self. _changes / 100)] return self.start_worker(cmd=command, input_source=input_source, output ='-f framemd5 -', extra_cmd=extra_cmd, pattern=self.MATCH, reading= FFMPEG_STDOUT)
open_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, input_source: str, extra_cmd: Optional[str]=None) ->Coroutine:\n command = ['-an', '-filter:v', 'select=gt(scene\\\\,{0})'.format(self.\n _changes / 100)]\n return self.start_worker(cmd=command, input_source=input_source, output\n ='-f framemd5 -', extra_cmd=extra_cmd, pattern=self.MATCH, reading=\n FFMPEG_STDOUT)\n", "role": "user" }, { "content": "open_sensor", "role": "assistant" } ]
async def _worker_process(self) ->None: """This function processing data.""" state = self.STATE_NONE timeout = None self._loop.call_soon(self._callback, False) re_frame = 0 re_time = 0 re_data = re.compile(self.MATCH) while True: try: _LOGGER.debug('Reading State: %d, timeout: %s', state, timeout) with async_timeout.timeout(timeout, loop=self._loop): data = await self._que.get() if data is None: self._loop.call_soon(self._callback, None) return except asyncio.TimeoutError: _LOGGER.debug('Blocking timeout') if state == self.STATE_MOTION: state = self.STATE_NONE self._loop.call_soon(self._callback, False) timeout = None if state == self.STATE_REPEAT: state = self.STATE_NONE timeout = None continue frames = re_data.search(data) if frames: if self._repeat == 0 and state == self.STATE_NONE: state = self.STATE_MOTION self._loop.call_soon(self._callback, True) timeout = self._time_reset if state == self.STATE_NONE: state = self.STATE_REPEAT timeout = self._time_repeat re_frame = 0 re_time = time() elif state == self.STATE_REPEAT: re_frame += 1 if re_frame >= self._repeat: state = self.STATE_MOTION self._loop.call_soon(self._callback, True) timeout = self._time_reset else: past = time() - re_time timeout -= past if timeout <= 0: _LOGGER.debug('Reset repeat to none') state = self.STATE_NONE timeout = None continue _LOGGER.warning('Unknown data from queue!')
worker_process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _worker_process(self) ->None:\n \"\"\"This function processing data.\"\"\"\n state = self.STATE_NONE\n timeout = None\n self._loop.call_soon(self._callback, False)\n re_frame = 0\n re_time = 0\n re_data = re.compile(self.MATCH)\n while True:\n try:\n _LOGGER.debug('Reading State: %d, timeout: %s', state, timeout)\n with async_timeout.timeout(timeout, loop=self._loop):\n data = await self._que.get()\n if data is None:\n self._loop.call_soon(self._callback, None)\n return\n except asyncio.TimeoutError:\n _LOGGER.debug('Blocking timeout')\n if state == self.STATE_MOTION:\n state = self.STATE_NONE\n self._loop.call_soon(self._callback, False)\n timeout = None\n if state == self.STATE_REPEAT:\n state = self.STATE_NONE\n timeout = None\n continue\n frames = re_data.search(data)\n if frames:\n if self._repeat == 0 and state == self.STATE_NONE:\n state = self.STATE_MOTION\n self._loop.call_soon(self._callback, True)\n timeout = self._time_reset\n if state == self.STATE_NONE:\n state = self.STATE_REPEAT\n timeout = self._time_repeat\n re_frame = 0\n re_time = time()\n elif state == self.STATE_REPEAT:\n re_frame += 1\n if re_frame >= self._repeat:\n state = self.STATE_MOTION\n self._loop.call_soon(self._callback, True)\n timeout = self._time_reset\n else:\n past = time() - re_time\n timeout -= past\n if timeout <= 0:\n _LOGGER.debug('Reset repeat to none')\n state = self.STATE_NONE\n timeout = None\n continue\n _LOGGER.warning('Unknown data from queue!')\n", "role": "user" }, { "content": "worker_process", "role": "assistant" } ]
def x(jclassname, driver_args, jars=None, libs=None): if _gateway_is_running(): gateway = java_gateway.JavaGateway() else: driver_args = [driver_args] if isinstance(driver_args, str ) else driver_args if jars: classpath = os.pathsep.join(jars) if isinstance(jars, list ) else jars else: classpath = None if libs: javaopts = libs if isinstance(libs, list) else [libs] else: javaopts = [] gateway = java_gateway.JavaGateway.launch_gateway(port=25333, classpath=classpath, javaopts=javaopts, die_on_exit=True) java_gateway.java_import(gateway.jvm, 'java.sql.DriverManager') gateway.jvm.Class.forName(jclassname) connection = gateway.jvm.DriverManager.getConnection(*driver_args) if _converters is None: types_map = {} for type in gateway.jvm.Class.forName('java.sql.Types').getFields(): types_map[type.getName()] = type.getInt(None) _init_converters(types_map) return Connection(connection, _converters)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(jclassname, driver_args, jars=None, libs=None):\n if _gateway_is_running():\n gateway = java_gateway.JavaGateway()\n else:\n driver_args = [driver_args] if isinstance(driver_args, str\n ) else driver_args\n if jars:\n classpath = os.pathsep.join(jars) if isinstance(jars, list\n ) else jars\n else:\n classpath = None\n if libs:\n javaopts = libs if isinstance(libs, list) else [libs]\n else:\n javaopts = []\n gateway = java_gateway.JavaGateway.launch_gateway(port=25333,\n classpath=classpath, javaopts=javaopts, die_on_exit=True)\n java_gateway.java_import(gateway.jvm, 'java.sql.DriverManager')\n gateway.jvm.Class.forName(jclassname)\n connection = gateway.jvm.DriverManager.getConnection(*driver_args)\n if _converters is None:\n types_map = {}\n for type in gateway.jvm.Class.forName('java.sql.Types').getFields():\n types_map[type.getName()] = type.getInt(None)\n _init_converters(types_map)\n return Connection(connection, _converters)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, device_id, _resource_path, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.add_resource_subscription_with_http_info(device_id, _resource_path, **kwargs) else: data = self.add_resource_subscription_with_http_info(device_id, _resource_path, **kwargs) return data
add_resource_subscription
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id, _resource_path, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.add_resource_subscription_with_http_info(device_id,\n _resource_path, **kwargs)\n else:\n data = self.add_resource_subscription_with_http_info(device_id,\n _resource_path, **kwargs)\n return data\n", "role": "user" }, { "content": "add_resource_subscription", "role": "assistant" } ]
def x(self, device_id, _resource_path, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.check_resource_subscription_with_http_info(device_id, _resource_path, **kwargs) else: data = self.check_resource_subscription_with_http_info(device_id, _resource_path, **kwargs) return data
check_resource_subscription
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id, _resource_path, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.check_resource_subscription_with_http_info(device_id,\n _resource_path, **kwargs)\n else:\n data = self.check_resource_subscription_with_http_info(device_id,\n _resource_path, **kwargs)\n return data\n", "role": "user" }, { "content": "check_resource_subscription", "role": "assistant" } ]
def x(self, device_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.delete_endpoint_subscriptions_with_http_info(device_id, **kwargs) else: data = self.delete_endpoint_subscriptions_with_http_info(device_id, **kwargs) return data
delete_endpoint_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.delete_endpoint_subscriptions_with_http_info(device_id,\n **kwargs)\n else:\n data = self.delete_endpoint_subscriptions_with_http_info(device_id,\n **kwargs)\n return data\n", "role": "user" }, { "content": "delete_endpoint_subscriptions", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.delete_pre_subscriptions_with_http_info(**kwargs) else: data = self.delete_pre_subscriptions_with_http_info(**kwargs) return data
delete_pre_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.delete_pre_subscriptions_with_http_info(**kwargs)\n else:\n data = self.delete_pre_subscriptions_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "delete_pre_subscriptions", "role": "assistant" } ]
def x(self, device_id, _resource_path, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.delete_resource_subscription_with_http_info(device_id, _resource_path, **kwargs) else: data = self.delete_resource_subscription_with_http_info(device_id, _resource_path, **kwargs) return data
delete_resource_subscription
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id, _resource_path, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.delete_resource_subscription_with_http_info(device_id,\n _resource_path, **kwargs)\n else:\n data = self.delete_resource_subscription_with_http_info(device_id,\n _resource_path, **kwargs)\n return data\n", "role": "user" }, { "content": "delete_resource_subscription", "role": "assistant" } ]
def x(self, device_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.get_endpoint_subscriptions_with_http_info(device_id, ** kwargs) else: data = self.get_endpoint_subscriptions_with_http_info(device_id, ** kwargs) return data
get_endpoint_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.get_endpoint_subscriptions_with_http_info(device_id, **\n kwargs)\n else:\n data = self.get_endpoint_subscriptions_with_http_info(device_id, **\n kwargs)\n return data\n", "role": "user" }, { "content": "get_endpoint_subscriptions", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.get_pre_subscriptions_with_http_info(**kwargs) else: data = self.get_pre_subscriptions_with_http_info(**kwargs) return data
get_pre_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.get_pre_subscriptions_with_http_info(**kwargs)\n else:\n data = self.get_pre_subscriptions_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "get_pre_subscriptions", "role": "assistant" } ]
def x(self, presubsription, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.update_pre_subscriptions_with_http_info(presubsription, **kwargs) else: data = self.update_pre_subscriptions_with_http_info(presubsription, **kwargs) return data
update_pre_subscriptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, presubsription, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.update_pre_subscriptions_with_http_info(presubsription,\n **kwargs)\n else:\n data = self.update_pre_subscriptions_with_http_info(presubsription,\n **kwargs)\n return data\n", "role": "user" }, { "content": "update_pre_subscriptions", "role": "assistant" } ]
def x(self, **kwargs): api = self._get_api(bootstrap.PreSharedKeysApi) item = PreSharedKey._create_request_map(kwargs) item = models.PreSharedKey(**item) api.upload_pre_shared_key(item) return PreSharedKey(item)
add_psk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n api = self._get_api(bootstrap.PreSharedKeysApi)\n item = PreSharedKey._create_request_map(kwargs)\n item = models.PreSharedKey(**item)\n api.upload_pre_shared_key(item)\n return PreSharedKey(item)\n", "role": "user" }, { "content": "add_psk", "role": "assistant" } ]
def x(self, endpoint_name, **kwargs): api = self._get_api(bootstrap.PreSharedKeysApi) return PreSharedKey(api.get_pre_shared_key(endpoint_name=endpoint_name))
get_psk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint_name, **kwargs):\n api = self._get_api(bootstrap.PreSharedKeysApi)\n return PreSharedKey(api.get_pre_shared_key(endpoint_name=endpoint_name))\n", "role": "user" }, { "content": "get_psk", "role": "assistant" } ]
def x(self, **kwargs): api = self._get_api(bootstrap.PreSharedKeysApi) return PaginatedResponse(api.list_pre_shared_keys, lwrap_type= PreSharedKey, **kwargs)
list_psks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n api = self._get_api(bootstrap.PreSharedKeysApi)\n return PaginatedResponse(api.list_pre_shared_keys, lwrap_type=\n PreSharedKey, **kwargs)\n", "role": "user" }, { "content": "list_psks", "role": "assistant" } ]
def x(self, endpoint_name, **kwargs): api = self._get_api(bootstrap.PreSharedKeysApi) return api.delete_pre_shared_key(endpoint_name=endpoint_name)
delete_psk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint_name, **kwargs):\n api = self._get_api(bootstrap.PreSharedKeysApi)\n return api.delete_pre_shared_key(endpoint_name=endpoint_name)\n", "role": "user" }, { "content": "delete_psk", "role": "assistant" } ]
def x(self, ca_id): if ca_id is not None and len(ca_id) > 500: raise ValueError( 'Invalid value for `ca_id`, length must be less than or equal to `500`' ) self._ca_id = ca_id
ca_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ca_id):\n if ca_id is not None and len(ca_id) > 500:\n raise ValueError(\n 'Invalid value for `ca_id`, length must be less than or equal to `500`'\n )\n self._ca_id = ca_id\n", "role": "user" }, { "content": "ca_id", "role": "assistant" } ]
def x(self, deployed_state): allowed_values = ['development', 'production'] if deployed_state not in allowed_values: raise ValueError( 'Invalid value for `deployed_state` ({0}), must be one of {1}'. format(deployed_state, allowed_values)) self._deployed_state = deployed_state
deployed_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, deployed_state):\n allowed_values = ['development', 'production']\n if deployed_state not in allowed_values:\n raise ValueError(\n 'Invalid value for `deployed_state` ({0}), must be one of {1}'.\n format(deployed_state, allowed_values))\n self._deployed_state = deployed_state\n", "role": "user" }, { "content": "deployed_state", "role": "assistant" } ]
def x(self, device_class): if device_class is not None and len(device_class) > 32: raise ValueError( 'Invalid value for `device_class`, length must be less than or equal to `32`' ) self._device_class = device_class
device_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_class):\n if device_class is not None and len(device_class) > 32:\n raise ValueError(\n 'Invalid value for `device_class`, length must be less than or equal to `32`'\n )\n self._device_class = device_class\n", "role": "user" }, { "content": "device_class", "role": "assistant" } ]
def x(self, device_key): if device_key is not None and len(device_key) > 512: raise ValueError( 'Invalid value for `device_key`, length must be less than or equal to `512`' ) self._device_key = device_key
device_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_key):\n if device_key is not None and len(device_key) > 512:\n raise ValueError(\n 'Invalid value for `device_key`, length must be less than or equal to `512`'\n )\n self._device_key = device_key\n", "role": "user" }, { "content": "device_key", "role": "assistant" } ]
def x(self, endpoint_type): if endpoint_type is not None and len(endpoint_type) > 64: raise ValueError( 'Invalid value for `endpoint_type`, length must be less than or equal to `64`' ) self._endpoint_type = endpoint_type
endpoint_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint_type):\n if endpoint_type is not None and len(endpoint_type) > 64:\n raise ValueError(\n 'Invalid value for `endpoint_type`, length must be less than or equal to `64`'\n )\n self._endpoint_type = endpoint_type\n", "role": "user" }, { "content": "endpoint_type", "role": "assistant" } ]
def x(self, mechanism): allowed_values = ['connector', 'direct'] if mechanism not in allowed_values: raise ValueError( 'Invalid value for `mechanism` ({0}), must be one of {1}'. format(mechanism, allowed_values)) self._mechanism = mechanism
mechanism
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mechanism):\n allowed_values = ['connector', 'direct']\n if mechanism not in allowed_values:\n raise ValueError(\n 'Invalid value for `mechanism` ({0}), must be one of {1}'.\n format(mechanism, allowed_values))\n self._mechanism = mechanism\n", "role": "user" }, { "content": "mechanism", "role": "assistant" } ]
def x(self, api_parent_class=None): clients = [self.api_clients[api_parent_class] ] if api_parent_class else self.api_clients.values() for api_client in clients: api_client.configuration.host = self.config.get('host' ) or api_client.configuration.host api_client.configuration.api_key['Authorization'] = self.config[ 'api_key']
update_api_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, api_parent_class=None):\n clients = [self.api_clients[api_parent_class]\n ] if api_parent_class else self.api_clients.values()\n for api_client in clients:\n api_client.configuration.host = self.config.get('host'\n ) or api_client.configuration.host\n api_client.configuration.api_key['Authorization'] = self.config[\n 'api_key']\n", "role": "user" }, { "content": "update_api_client", "role": "assistant" } ]
def x(self, kwargs, obj, encode=False): return (filters.legacy_filter_formatter if encode else filters. filter_formatter)(kwargs, obj._get_attributes_map())
verify_filters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs, obj, encode=False):\n return (filters.legacy_filter_formatter if encode else filters.\n filter_formatter)(kwargs, obj._get_attributes_map())\n", "role": "user" }, { "content": "verify_filters", "role": "assistant" } ]
def x(self): last_metadata = None for key, api in iteritems(self.apis): api_client = api.api_client if api_client is not None: metadata = api_client.get_last_metadata() if metadata is not None and metadata.get('timestamp', None ) is not None: if last_metadata is None: last_metadata = metadata elif metadata['timestamp'] >= last_metadata['timestamp']: last_metadata = metadata if last_metadata is not None: last_metadata = ApiMetadata(last_metadata.get('url'), last_metadata .get('method'), last_metadata.get('response', None), last_metadata.get('return_data', None), last_metadata.get( 'exception', None)) return last_metadata
get_last_api_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n last_metadata = None\n for key, api in iteritems(self.apis):\n api_client = api.api_client\n if api_client is not None:\n metadata = api_client.get_last_metadata()\n if metadata is not None and metadata.get('timestamp', None\n ) is not None:\n if last_metadata is None:\n last_metadata = metadata\n elif metadata['timestamp'] >= last_metadata['timestamp']:\n last_metadata = metadata\n if last_metadata is not None:\n last_metadata = ApiMetadata(last_metadata.get('url'), last_metadata\n .get('method'), last_metadata.get('response', None),\n last_metadata.get('return_data', None), last_metadata.get(\n 'exception', None))\n return last_metadata\n", "role": "user" }, { "content": "get_last_api_metadata", "role": "assistant" } ]
def x(self, **kwargs): response = {'success': True} response.update(kwargs) response.update(self.kwargs) response['test_argument3'] = datetime.timedelta(days=1) + response[ 'test_argument3'] return response
success
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n response = {'success': True}\n response.update(kwargs)\n response.update(self.kwargs)\n response['test_argument3'] = datetime.timedelta(days=1) + response[\n 'test_argument3']\n return response\n", "role": "user" }, { "content": "success", "role": "assistant" } ]
def x(self, updates): if not isinstance(updates, dict): updates = updates.to_dict() for sdk_key, spec_key in self._get_attributes_map().items(): attr = '_%s' % sdk_key if spec_key in updates and not hasattr(self, attr): setattr(self, attr, updates[spec_key])
update_attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, updates):\n if not isinstance(updates, dict):\n updates = updates.to_dict()\n for sdk_key, spec_key in self._get_attributes_map().items():\n attr = '_%s' % sdk_key\n if spec_key in updates and not hasattr(self, attr):\n setattr(self, attr, updates[spec_key])\n", "role": "user" }, { "content": "update_attributes", "role": "assistant" } ]
def x(cls, input_map): field_map = cls._get_attributes_map() return {field_map[k]: v for k, v in input_map.items() if k in field_map}
create_request_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, input_map):\n field_map = cls._get_attributes_map()\n return {field_map[k]: v for k, v in input_map.items() if k in field_map}\n", "role": "user" }, { "content": "create_request_map", "role": "assistant" } ]
def x(self): dictionary = {} for key, value in iteritems(self.__dict__): property_name = key[1:] if hasattr(self, property_name): dictionary.update({property_name: getattr(self, property_name, None)}) return dictionary
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 dictionary = {}\n for key, value in iteritems(self.__dict__):\n property_name = key[1:]\n if hasattr(self, property_name):\n dictionary.update({property_name: getattr(self, property_name,\n None)})\n return dictionary\n", "role": "user" }, { "content": "to_dict", "role": "assistant" } ]
def x(self, etag): if etag is None: raise ValueError('Invalid value for `etag`, must not be `None`') if etag is not None and not re.search('[A-Za-z0-9]{0,256}', etag): raise ValueError( 'Invalid value for `etag`, must be a follow pattern or equal to `/[A-Za-z0-9]{0,256}/`' ) self._etag = etag
etag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, etag):\n if etag is None:\n raise ValueError('Invalid value for `etag`, must not be `None`')\n if etag is not None and not re.search('[A-Za-z0-9]{0,256}', etag):\n raise ValueError(\n 'Invalid value for `etag`, must be a follow pattern or equal to `/[A-Za-z0-9]{0,256}/`'\n )\n self._etag = etag\n", "role": "user" }, { "content": "etag", "role": "assistant" } ]
def x(self, id): if id is None: raise ValueError('Invalid value for `id`, must not be `None`') if id is not None and not re.search('^[A-Za-z0-9]{32}', id): raise ValueError( 'Invalid value for `id`, must be a follow pattern or equal to `/^[A-Za-z0-9]{32}/`' ) self._id = id
id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n if id is None:\n raise ValueError('Invalid value for `id`, must not be `None`')\n if id is not None and not re.search('^[A-Za-z0-9]{32}', id):\n raise ValueError(\n 'Invalid value for `id`, must be a follow pattern or equal to `/^[A-Za-z0-9]{32}/`'\n )\n self._id = id\n", "role": "user" }, { "content": "id", "role": "assistant" } ]
def x(self, mfa_status): allowed_values = ['enforced', 'optional'] if mfa_status not in allowed_values: raise ValueError( 'Invalid value for `mfa_status` ({0}), must be one of {1}'. format(mfa_status, allowed_values)) self._mfa_status = mfa_status
mfa_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mfa_status):\n allowed_values = ['enforced', 'optional']\n if mfa_status not in allowed_values:\n raise ValueError(\n 'Invalid value for `mfa_status` ({0}), must be one of {1}'.\n format(mfa_status, allowed_values))\n self._mfa_status = mfa_status\n", "role": "user" }, { "content": "mfa_status", "role": "assistant" } ]
def x(self, device, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_create_with_http_info(device, **kwargs) else: data = self.device_create_with_http_info(device, **kwargs) return data
device_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_create_with_http_info(device, **kwargs)\n else:\n data = self.device_create_with_http_info(device, **kwargs)\n return data\n", "role": "user" }, { "content": "device_create", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_destroy_with_http_info(id, **kwargs) else: data = self.device_destroy_with_http_info(id, **kwargs) return data
device_destroy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_destroy_with_http_info(id, **kwargs)\n else:\n data = self.device_destroy_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "device_destroy", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_event_list_with_http_info(**kwargs) else: data = self.device_event_list_with_http_info(**kwargs) return data
device_event_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_event_list_with_http_info(**kwargs)\n else:\n data = self.device_event_list_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "device_event_list", "role": "assistant" } ]
def x(self, device_event_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_event_retrieve_with_http_info(device_event_id, **kwargs) else: data = self.device_event_retrieve_with_http_info(device_event_id, **kwargs) return data
device_event_retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_event_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_event_retrieve_with_http_info(device_event_id,\n **kwargs)\n else:\n data = self.device_event_retrieve_with_http_info(device_event_id,\n **kwargs)\n return data\n", "role": "user" }, { "content": "device_event_retrieve", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_list_with_http_info(**kwargs) else: data = self.device_list_with_http_info(**kwargs) return data
device_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_list_with_http_info(**kwargs)\n else:\n data = self.device_list_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "device_list", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_log_list_with_http_info(**kwargs) else: data = self.device_log_list_with_http_info(**kwargs) return data
device_log_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_log_list_with_http_info(**kwargs)\n else:\n data = self.device_log_list_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "device_log_list", "role": "assistant" } ]
def x(self, device_event_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_log_retrieve_with_http_info(device_event_id, ** kwargs) else: data = self.device_log_retrieve_with_http_info(device_event_id, ** kwargs) return data
device_log_retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_event_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_log_retrieve_with_http_info(device_event_id, **\n kwargs)\n else:\n data = self.device_log_retrieve_with_http_info(device_event_id, **\n kwargs)\n return data\n", "role": "user" }, { "content": "device_log_retrieve", "role": "assistant" } ]
def x(self, device, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_query_create_with_http_info(device, **kwargs) else: data = self.device_query_create_with_http_info(device, **kwargs) return data
device_query_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_query_create_with_http_info(device, **kwargs)\n else:\n data = self.device_query_create_with_http_info(device, **kwargs)\n return data\n", "role": "user" }, { "content": "device_query_create", "role": "assistant" } ]
def x(self, query_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_query_destroy_with_http_info(query_id, **kwargs) else: data = self.device_query_destroy_with_http_info(query_id, **kwargs) return data
device_query_destroy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_query_destroy_with_http_info(query_id, **kwargs)\n else:\n data = self.device_query_destroy_with_http_info(query_id, **kwargs)\n return data\n", "role": "user" }, { "content": "device_query_destroy", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_query_list_with_http_info(**kwargs) else: data = self.device_query_list_with_http_info(**kwargs) return data
device_query_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_query_list_with_http_info(**kwargs)\n else:\n data = self.device_query_list_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "device_query_list", "role": "assistant" } ]
def x(self, query_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_query_retrieve_with_http_info(query_id, **kwargs) else: data = self.device_query_retrieve_with_http_info(query_id, **kwargs) return data
device_query_retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_query_retrieve_with_http_info(query_id, **kwargs)\n else:\n data = self.device_query_retrieve_with_http_info(query_id, **kwargs)\n return data\n", "role": "user" }, { "content": "device_query_retrieve", "role": "assistant" } ]
def x(self, query_id, body, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_query_update_with_http_info(query_id, body, **kwargs ) else: data = self.device_query_update_with_http_info(query_id, body, **kwargs ) return data
device_query_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query_id, body, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_query_update_with_http_info(query_id, body, **kwargs\n )\n else:\n data = self.device_query_update_with_http_info(query_id, body, **kwargs\n )\n return data\n", "role": "user" }, { "content": "device_query_update", "role": "assistant" } ]
def x(self, id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_retrieve_with_http_info(id, **kwargs) else: data = self.device_retrieve_with_http_info(id, **kwargs) return data
device_retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_retrieve_with_http_info(id, **kwargs)\n else:\n data = self.device_retrieve_with_http_info(id, **kwargs)\n return data\n", "role": "user" }, { "content": "device_retrieve", "role": "assistant" } ]
def x(self, id, device, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.device_update_with_http_info(id, device, **kwargs) else: data = self.device_update_with_http_info(id, device, **kwargs) return data
device_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, device, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.device_update_with_http_info(id, device, **kwargs)\n else:\n data = self.device_update_with_http_info(id, device, **kwargs)\n return data\n", "role": "user" }, { "content": "device_update", "role": "assistant" } ]
def x(self, group, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_create_with_http_info(group, **kwargs) else: data = self.group_create_with_http_info(group, **kwargs) return data
group_create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_create_with_http_info(group, **kwargs)\n else:\n data = self.group_create_with_http_info(group, **kwargs)\n return data\n", "role": "user" }, { "content": "group_create", "role": "assistant" } ]
def x(self, device_group_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_delete_with_http_info(device_group_id, **kwargs) else: data = self.group_delete_with_http_info(device_group_id, **kwargs) return data
group_delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_group_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_delete_with_http_info(device_group_id, **kwargs)\n else:\n data = self.group_delete_with_http_info(device_group_id, **kwargs)\n return data\n", "role": "user" }, { "content": "group_delete", "role": "assistant" } ]
def x(self, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_list_with_http_info(**kwargs) else: data = self.group_list_with_http_info(**kwargs) return data
group_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_list_with_http_info(**kwargs)\n else:\n data = self.group_list_with_http_info(**kwargs)\n return data\n", "role": "user" }, { "content": "group_list", "role": "assistant" } ]
def x(self, device_group_id, body, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_members_add_with_http_info(device_group_id, body, **kwargs) else: data = self.group_members_add_with_http_info(device_group_id, body, **kwargs) return data
group_members_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_group_id, body, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_members_add_with_http_info(device_group_id, body,\n **kwargs)\n else:\n data = self.group_members_add_with_http_info(device_group_id, body,\n **kwargs)\n return data\n", "role": "user" }, { "content": "group_members_add", "role": "assistant" } ]
def x(self, device_group_id, body, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_members_remove_with_http_info(device_group_id, body, **kwargs) else: data = self.group_members_remove_with_http_info(device_group_id, body, **kwargs) return data
group_members_remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_group_id, body, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_members_remove_with_http_info(device_group_id,\n body, **kwargs)\n else:\n data = self.group_members_remove_with_http_info(device_group_id,\n body, **kwargs)\n return data\n", "role": "user" }, { "content": "group_members_remove", "role": "assistant" } ]
def x(self, device_group_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_members_retrieve_with_http_info(device_group_id, **kwargs) else: data = self.group_members_retrieve_with_http_info(device_group_id, **kwargs) return data
group_members_retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_group_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_members_retrieve_with_http_info(device_group_id,\n **kwargs)\n else:\n data = self.group_members_retrieve_with_http_info(device_group_id,\n **kwargs)\n return data\n", "role": "user" }, { "content": "group_members_retrieve", "role": "assistant" } ]
def x(self, device_group_id, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_retrieve_with_http_info(device_group_id, **kwargs) else: data = self.group_retrieve_with_http_info(device_group_id, **kwargs) return data
group_retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_group_id, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_retrieve_with_http_info(device_group_id, **kwargs)\n else:\n data = self.group_retrieve_with_http_info(device_group_id, **kwargs)\n return data\n", "role": "user" }, { "content": "group_retrieve", "role": "assistant" } ]
def x(self, device_group_id, group, **kwargs): kwargs['_return_http_data_only'] = True if kwargs.get('asynchronous'): return self.group_update_with_http_info(device_group_id, group, ** kwargs) else: data = self.group_update_with_http_info(device_group_id, group, ** kwargs) return data
group_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, device_group_id, group, **kwargs):\n kwargs['_return_http_data_only'] = True\n if kwargs.get('asynchronous'):\n return self.group_update_with_http_info(device_group_id, group, **\n kwargs)\n else:\n data = self.group_update_with_http_info(device_group_id, group, **\n kwargs)\n return data\n", "role": "user" }, { "content": "group_update", "role": "assistant" } ]
def x(self): self._observer_params.update(dict(once=True)) super(CurrentResourceValue, self).start() self._api.ensure_notifications_thread() self._api._mds_rpc_post(device_id=self.device_id, method='GET', uri= self.resource_path, async_id=self.async_id, _wrap_with_consumer=False)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._observer_params.update(dict(once=True))\n super(CurrentResourceValue, self).start()\n self._api.ensure_notifications_thread()\n self._api._mds_rpc_post(device_id=self.device_id, method='GET', uri=\n self.resource_path, async_id=self.async_id, _wrap_with_consumer=False)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, data): payload = tlv.decode(payload=data.get('payload'), content_type=data.get ('ct'), decode_b64=True) super(CurrentResourceValue, self)._notify(payload) self.ensure_stopped()
notify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n payload = tlv.decode(payload=data.get('payload'), content_type=data.get\n ('ct'), decode_b64=True)\n super(CurrentResourceValue, self)._notify(payload)\n self.ensure_stopped()\n", "role": "user" }, { "content": "notify", "role": "assistant" } ]
def x(self, account_id): if account_id is None: raise ValueError('Invalid value for `account_id`, must not be `None`') if account_id is not None and len(account_id) > 250: raise ValueError( 'Invalid value for `account_id`, length must be less than or equal to `250`' ) if account_id is not None and len(account_id) < 1: raise ValueError( 'Invalid value for `account_id`, length must be greater than or equal to `1`' ) self._account_id = account_id
account_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id):\n if account_id is None:\n raise ValueError('Invalid value for `account_id`, must not be `None`')\n if account_id is not None and len(account_id) > 250:\n raise ValueError(\n 'Invalid value for `account_id`, length must be less than or equal to `250`'\n )\n if account_id is not None and len(account_id) < 1:\n raise ValueError(\n 'Invalid value for `account_id`, length must be greater than or equal to `1`'\n )\n self._account_id = account_id\n", "role": "user" }, { "content": "account_id", "role": "assistant" } ]
def x(self, campaign_name): if campaign_name is None: raise ValueError( 'Invalid value for `campaign_name`, must not be `None`') if campaign_name is not None and len(campaign_name) > 250: raise ValueError( 'Invalid value for `campaign_name`, length must be less than or equal to `250`' ) if campaign_name is not None and len(campaign_name) < 1: raise ValueError( 'Invalid value for `campaign_name`, length must be greater than or equal to `1`' ) self._campaign_name = campaign_name
campaign_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, campaign_name):\n if campaign_name is None:\n raise ValueError(\n 'Invalid value for `campaign_name`, must not be `None`')\n if campaign_name is not None and len(campaign_name) > 250:\n raise ValueError(\n 'Invalid value for `campaign_name`, length must be less than or equal to `250`'\n )\n if campaign_name is not None and len(campaign_name) < 1:\n raise ValueError(\n 'Invalid value for `campaign_name`, length must be greater than or equal to `1`'\n )\n self._campaign_name = campaign_name\n", "role": "user" }, { "content": "campaign_name", "role": "assistant" } ]