source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): self.connection.fin(self.id) self.processed = True
fin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.connection.fin(self.id)\n self.processed = True\n", "role": "user" }, { "content": "fin", "role": "assistant" } ]
def x(self, timeout): self.connection.req(self.id, timeout) self.processed = True
req
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout):\n self.connection.req(self.id, timeout)\n self.processed = True\n", "role": "user" }, { "content": "req", "role": "assistant" } ]
def x(cls, name): if not cls.mapping: for _, obj in inspect.getmembers(exceptions): if inspect.isclass(obj): if issubclass(obj, exceptions.NSQException): if hasattr(obj, 'name'): cls.mapping[obj.name] = obj klass = cls.mapping.get(name) if klass == None: raise TypeError('No matching exception for %s' % name) return klass
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n if not cls.mapping:\n for _, obj in inspect.getmembers(exceptions):\n if inspect.isclass(obj):\n if issubclass(obj, exceptions.NSQException):\n if hasattr(obj, 'name'):\n cls.mapping[obj.name] = obj\n klass = cls.mapping.get(name)\n if klass == None:\n raise TypeError('No matching exception for %s' % name)\n return klass\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self): code, _, message = self.data.partition(' ') return self.find(code)(message)
exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n code, _, message = self.data.partition(' ')\n return self.find(code)(message)\n", "role": "user" }, { "content": "exception", "role": "assistant" } ]
def x(line): if line.startswith('~"') and line.endswith('\\n"'): version = line[2:-3].rsplit(' ', 1) if len(version) == 2: version = ''.join(takewhile(lambda x: x.isdigit() or x == '.', version[1].lstrip('('))) return version.strip('.') return ''
parse_gdb_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line):\n if line.startswith('~\"') and line.endswith('\\\\n\"'):\n version = line[2:-3].rsplit(' ', 1)\n if len(version) == 2:\n version = ''.join(takewhile(lambda x: x.isdigit() or x == '.',\n version[1].lstrip('(')))\n return version.strip('.')\n return ''\n", "role": "user" }, { "content": "parse_gdb_version", "role": "assistant" } ]
def x(pid, address=DFLT_ADDRESS, gdb='gdb', verbose=False, ctx=None, proc_iut=None): parent, child = socket.socketpair() proc = Popen([gdb, '--interpreter=mi', '-nx'], bufsize=0, stdin=child, stdout=child, stderr=STDOUT) child.close() connections = {} gdb = GdbSocket(ctx, address, proc, proc_iut, parent, verbose, connections) gdb.mi_command('-target-attach %d' % pid) gdb.cli_command('python import pdb_clone.bootstrappdb_gdb') asyncore.loop(map=connections) proc.wait() return gdb.error
spawn_gdb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pid, address=DFLT_ADDRESS, gdb='gdb', verbose=False, ctx=None,\n proc_iut=None):\n parent, child = socket.socketpair()\n proc = Popen([gdb, '--interpreter=mi', '-nx'], bufsize=0, stdin=child,\n stdout=child, stderr=STDOUT)\n child.close()\n connections = {}\n gdb = GdbSocket(ctx, address, proc, proc_iut, parent, verbose, connections)\n gdb.mi_command('-target-attach %d' % pid)\n gdb.cli_command('python import pdb_clone.bootstrappdb_gdb')\n asyncore.loop(map=connections)\n proc.wait()\n return gdb.error\n", "role": "user" }, { "content": "spawn_gdb", "role": "assistant" } ]
def x(argv): p = Popen((sys.executable, '-X', 'pdbhandler', '-c', 'import pdbhandler; pdbhandler.get_handler().host'), stdout=PIPE, stderr=STDOUT) p.wait() use_xoption = True if p.returncode == 0 else False args = [sys.executable] if use_xoption: args.extend(['-X', 'pdbhandler=localhost 7935 %d' % signal.SIGUSR2]) args.extend(argv) proc = Popen(args) else: args.extend(argv) proc = Popen(args) ctx = Context() error = None time.sleep(0.5 + random.random()) while not error and proc.poll() is None: if use_xoption: os.kill(proc.pid, signal.SIGUSR2) connections = {} dev_null = io.StringIO() if PY3 else StringIO.StringIO() asock = AttachSocketWithDetach(connections, stdout=dev_null) asock.create_socket(socket.AF_INET, socket.SOCK_STREAM) connect_process(asock, ctx, proc) asyncore.loop(map=connections) else: error = spawn_gdb(proc.pid, ctx=ctx, proc_iut=proc) time.sleep(random.random()) if error and gdb_terminated(error): error = None if proc.poll() is None: proc.terminate() else: print('pdb-attach: program under test return code:', proc.wait()) result = str(ctx.result) if result: print(result) return error
attach_loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv):\n p = Popen((sys.executable, '-X', 'pdbhandler', '-c',\n 'import pdbhandler; pdbhandler.get_handler().host'), stdout=PIPE,\n stderr=STDOUT)\n p.wait()\n use_xoption = True if p.returncode == 0 else False\n args = [sys.executable]\n if use_xoption:\n args.extend(['-X', 'pdbhandler=localhost 7935 %d' % signal.SIGUSR2])\n args.extend(argv)\n proc = Popen(args)\n else:\n args.extend(argv)\n proc = Popen(args)\n ctx = Context()\n error = None\n time.sleep(0.5 + random.random())\n while not error and proc.poll() is None:\n if use_xoption:\n os.kill(proc.pid, signal.SIGUSR2)\n connections = {}\n dev_null = io.StringIO() if PY3 else StringIO.StringIO()\n asock = AttachSocketWithDetach(connections, stdout=dev_null)\n asock.create_socket(socket.AF_INET, socket.SOCK_STREAM)\n connect_process(asock, ctx, proc)\n asyncore.loop(map=connections)\n else:\n error = spawn_gdb(proc.pid, ctx=ctx, proc_iut=proc)\n time.sleep(random.random())\n if error and gdb_terminated(error):\n error = None\n if proc.poll() is None:\n proc.terminate()\n else:\n print('pdb-attach: program under test return code:', proc.wait())\n result = str(ctx.result)\n if result:\n print(result)\n return error\n", "role": "user" }, { "content": "attach_loop", "role": "assistant" } ]
def x(self): line = self.line self.line = '' if line in self.lines: if not self.skipping: self.skipping = True printflush('Skipping lines', end='') printflush('.', end='') return True elif line: self.lines.append(line) if len(self.lines) > 30: self.lines.popleft() return False
skip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n line = self.line\n self.line = ''\n if line in self.lines:\n if not self.skipping:\n self.skipping = True\n printflush('Skipping lines', end='')\n printflush('.', end='')\n return True\n elif line:\n self.lines.append(line)\n if len(self.lines) > 30:\n self.lines.popleft()\n return False\n", "role": "user" }, { "content": "skip", "role": "assistant" } ]
def x(self, log): self.write(log, rotate=True) self.write({})
rotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, log):\n self.write(log, rotate=True)\n self.write({})\n", "role": "user" }, { "content": "rotate", "role": "assistant" } ]
def x(self, log, rotate=False): if rotate: timestamp = time.strftime('-%Y%m%d-%H%M') logPath = os.path.join(self.log_dir, 'queue{}.log'.format(timestamp)) else: logPath = os.path.join(self.log_dir, 'queue.log') if os.path.exists(logPath): os.remove(logPath) log_file = open(logPath, 'w') log_file.write('Pueue log for executed Commands: \n \n') for key, logentry in log.items(): if logentry.get('returncode') is not None: try: returncode = logentry['returncode'] if returncode == 0: returncode = Color('{autogreen}' + '{}'.format( returncode) + '{/autogreen}') else: returncode = Color('{autored}' + '{}'.format(returncode ) + '{/autored}') log_file.write(Color('{autoyellow}' + 'Command #{} '.format (key) + '{/autoyellow}') + """exited with returncode {}: """.format(returncode) + '"{}" \n'.format(logentry['command'])) log_file.write('Path: {} \n'.format(logentry['path'])) log_file.write('Start: {}, End: {} \n'.format(logentry[ 'start'], logentry['end'])) if logentry['stderr']: log_file.write(Color( '{autored}Stderr output: {/autored}\n ') + logentry['stderr']) if len(logentry['stdout']) > 0: log_file.write(Color( '{autogreen}Stdout output: {/autogreen}\n ') + logentry['stdout']) log_file.write('\n') except Exception as a: print( 'Failed while writing to log file. Wrong file permissions?' ) print('Exception: {}'.format(str(a))) log_file.close()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, log, rotate=False):\n if rotate:\n timestamp = time.strftime('-%Y%m%d-%H%M')\n logPath = os.path.join(self.log_dir, 'queue{}.log'.format(timestamp))\n else:\n logPath = os.path.join(self.log_dir, 'queue.log')\n if os.path.exists(logPath):\n os.remove(logPath)\n log_file = open(logPath, 'w')\n log_file.write('Pueue log for executed Commands: \\n \\n')\n for key, logentry in log.items():\n if logentry.get('returncode') is not None:\n try:\n returncode = logentry['returncode']\n if returncode == 0:\n returncode = Color('{autogreen}' + '{}'.format(\n returncode) + '{/autogreen}')\n else:\n returncode = Color('{autored}' + '{}'.format(returncode\n ) + '{/autored}')\n log_file.write(Color('{autoyellow}' + 'Command #{} '.format\n (key) + '{/autoyellow}') +\n \"\"\"exited with returncode {}: \n\"\"\".format(returncode) +\n '\"{}\" \\n'.format(logentry['command']))\n log_file.write('Path: {} \\n'.format(logentry['path']))\n log_file.write('Start: {}, End: {} \\n'.format(logentry[\n 'start'], logentry['end']))\n if logentry['stderr']:\n log_file.write(Color(\n '{autored}Stderr output: {/autored}\\n ') +\n logentry['stderr'])\n if len(logentry['stdout']) > 0:\n log_file.write(Color(\n '{autogreen}Stdout output: {/autogreen}\\n ') +\n logentry['stdout'])\n log_file.write('\\n')\n except Exception as a:\n print(\n 'Failed while writing to log file. Wrong file permissions?'\n )\n print('Exception: {}'.format(str(a)))\n log_file.close()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(self, max_log_time): files = glob.glob('{}/queue-*'.format(self.log_dir)) files = list(map(lambda x: os.path.basename(x), files)) for log_file in files: name = os.path.splitext(log_file)[0] timestamp = name.split('-', maxsplit=1)[1] time = datetime.strptime(timestamp, '%Y%m%d-%H%M') now = datetime.now() delta = now - time seconds = delta.total_seconds() if seconds > int(max_log_time): log_filePath = os.path.join(self.log_dir, log_file) os.remove(log_filePath)
remove_old
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, max_log_time):\n files = glob.glob('{}/queue-*'.format(self.log_dir))\n files = list(map(lambda x: os.path.basename(x), files))\n for log_file in files:\n name = os.path.splitext(log_file)[0]\n timestamp = name.split('-', maxsplit=1)[1]\n time = datetime.strptime(timestamp, '%Y%m%d-%H%M')\n now = datetime.now()\n delta = now - time\n seconds = delta.total_seconds()\n if seconds > int(max_log_time):\n log_filePath = os.path.join(self.log_dir, log_file)\n os.remove(log_filePath)\n", "role": "user" }, { "content": "remove_old", "role": "assistant" } ]
def x(function, *args, **kwargs): try: req = function(*args, **kwargs) logger.debug('Got %s: %s', req.status_code, req.content) if req.status_code == 200: return req else: raise ClientException(req.reason, req.content) except ClientException: raise except Exception as exc: raise ClientException(exc)
wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function, *args, **kwargs):\n try:\n req = function(*args, **kwargs)\n logger.debug('Got %s: %s', req.status_code, req.content)\n if req.status_code == 200:\n return req\n else:\n raise ClientException(req.reason, req.content)\n except ClientException:\n raise\n except Exception as exc:\n raise ClientException(exc)\n", "role": "user" }, { "content": "wrap", "role": "assistant" } ]
def x(function, *args, **kwargs): try: response = json.loads(function(*args, **kwargs).content) if 'data' in response: return response['data'] or True else: return response except Exception as exc: raise ClientException(exc)
json_wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function, *args, **kwargs):\n try:\n response = json.loads(function(*args, **kwargs).content)\n if 'data' in response:\n return response['data'] or True\n else:\n return response\n except Exception as exc:\n raise ClientException(exc)\n", "role": "user" }, { "content": "json_wrap", "role": "assistant" } ]
def x(function, *args, **kwargs): req = function(*args, **kwargs) if req.content.lower() != 'ok': raise ClientException(req.content) return req.content
ok_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function, *args, **kwargs):\n req = function(*args, **kwargs)\n if req.content.lower() != 'ok':\n raise ClientException(req.content)\n return req.content\n", "role": "user" }, { "content": "ok_check", "role": "assistant" } ]
def x(self, path, *args, **kwargs): target = self._host.relative(path).utf8 if not isinstance(target, basestring): target = target() params = kwargs.get('params', {}) params.update(self._params) kwargs['params'] = params logger.debug('GET %s with %s, %s', target, args, kwargs) return requests.get(target, *args, **kwargs)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, *args, **kwargs):\n target = self._host.relative(path).utf8\n if not isinstance(target, basestring):\n target = target()\n params = kwargs.get('params', {})\n params.update(self._params)\n kwargs['params'] = params\n logger.debug('GET %s with %s, %s', target, args, kwargs)\n return requests.get(target, *args, **kwargs)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(bitmap_node, number_of_units): bitmap = 0 for token_id in range(int(bitmap_node['count'])): value = int(bitmap_node['words'][token_id]) bitmap = bitmap | value << 15 * token_id result = {} for unit_id in range(number_of_units): mask = 1 << unit_id result[unit_id] = bitmap & mask == mask return result
decode_resumable_upload_bitmap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bitmap_node, number_of_units):\n bitmap = 0\n for token_id in range(int(bitmap_node['count'])):\n value = int(bitmap_node['words'][token_id])\n bitmap = bitmap | value << 15 * token_id\n result = {}\n for unit_id in range(number_of_units):\n mask = 1 << unit_id\n result[unit_id] = bitmap & mask == mask\n return result\n", "role": "user" }, { "content": "decode_resumable_upload_bitmap", "role": "assistant" } ]
def x(fd, unit_size=None): logger.debug('compute_hash_info(%s, unit_size=%s)', fd, unit_size) fd.seek(0, os.SEEK_END) file_size = fd.tell() fd.seek(0, os.SEEK_SET) units = [] unit_counter = 0 file_hash = hashlib.sha256() unit_hash = hashlib.sha256() for chunk in iter(lambda : fd.read(HASH_CHUNK_SIZE_BYTES), b''): file_hash.update(chunk) unit_hash.update(chunk) unit_counter += len(chunk) if unit_size is not None and unit_counter == unit_size: units.append(unit_hash.hexdigest().lower()) unit_counter = 0 unit_hash = hashlib.sha256() if unit_size is not None and unit_counter > 0: units.append(unit_hash.hexdigest().lower()) fd.seek(0, os.SEEK_SET) return MediaFireHashInfo(file=file_hash.hexdigest().lower(), units= units, size=file_size)
compute_hash_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fd, unit_size=None):\n logger.debug('compute_hash_info(%s, unit_size=%s)', fd, unit_size)\n fd.seek(0, os.SEEK_END)\n file_size = fd.tell()\n fd.seek(0, os.SEEK_SET)\n units = []\n unit_counter = 0\n file_hash = hashlib.sha256()\n unit_hash = hashlib.sha256()\n for chunk in iter(lambda : fd.read(HASH_CHUNK_SIZE_BYTES), b''):\n file_hash.update(chunk)\n unit_hash.update(chunk)\n unit_counter += len(chunk)\n if unit_size is not None and unit_counter == unit_size:\n units.append(unit_hash.hexdigest().lower())\n unit_counter = 0\n unit_hash = hashlib.sha256()\n if unit_size is not None and unit_counter > 0:\n units.append(unit_hash.hexdigest().lower())\n fd.seek(0, os.SEEK_SET)\n return MediaFireHashInfo(file=file_hash.hexdigest().lower(), units=\n units, size=file_size)\n", "role": "user" }, { "content": "compute_hash_info", "role": "assistant" } ]
def x(self, fd, name=None, folder_key=None, filedrop_key=None, path=None, action_on_duplicate=None): fd.seek(0, os.SEEK_END) size = fd.tell() fd.seek(0, os.SEEK_SET) if size > UPLOAD_SIMPLE_LIMIT_BYTES: resumable = True else: resumable = False logger.debug('Calculating checksum') hash_info = compute_hash_info(fd) if hash_info.size != size: raise ValueError('hash_info.size mismatch') upload_info = _UploadInfo(fd=fd, name=name, folder_key=folder_key, hash_info=hash_info, size=size, path=path, filedrop_key= filedrop_key, action_on_duplicate=action_on_duplicate) check_result = self._upload_check(upload_info, resumable) upload_result = None upload_func = None folder_key = check_result.get('folder_key', None) if folder_key is not None: upload_info.folder_key = folder_key upload_info.path = None if check_result['hash_exists'] == 'yes': if check_result['in_folder'] == 'yes' and check_result['file_exists' ] == 'yes': different_hash = check_result.get('different_hash', 'no') if different_hash == 'no': upload_func = self._upload_none if not upload_func: upload_func = self._upload_instant if not upload_func: if resumable: resumable_upload_info = check_result['resumable_upload'] upload_info.hash_info = compute_hash_info(fd, int( resumable_upload_info['unit_size'])) upload_func = self._upload_resumable else: upload_func = self._upload_simple retries = UPLOAD_RETRY_COUNT while retries > 0: try: upload_result = upload_func(upload_info, check_result) except (RetriableUploadError, MediaFireConnectionError): retries -= 1 logger.exception('%s failed (%d retries left)', upload_func. __name__, retries) check_result = self._upload_check(upload_info, resumable) except Exception: logger.exception('%s failed', upload_func) break else: break if upload_result is None: raise UploadError('Upload failed') return upload_result
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fd, name=None, folder_key=None, filedrop_key=None, path=None,\n action_on_duplicate=None):\n fd.seek(0, os.SEEK_END)\n size = fd.tell()\n fd.seek(0, os.SEEK_SET)\n if size > UPLOAD_SIMPLE_LIMIT_BYTES:\n resumable = True\n else:\n resumable = False\n logger.debug('Calculating checksum')\n hash_info = compute_hash_info(fd)\n if hash_info.size != size:\n raise ValueError('hash_info.size mismatch')\n upload_info = _UploadInfo(fd=fd, name=name, folder_key=folder_key,\n hash_info=hash_info, size=size, path=path, filedrop_key=\n filedrop_key, action_on_duplicate=action_on_duplicate)\n check_result = self._upload_check(upload_info, resumable)\n upload_result = None\n upload_func = None\n folder_key = check_result.get('folder_key', None)\n if folder_key is not None:\n upload_info.folder_key = folder_key\n upload_info.path = None\n if check_result['hash_exists'] == 'yes':\n if check_result['in_folder'] == 'yes' and check_result['file_exists'\n ] == 'yes':\n different_hash = check_result.get('different_hash', 'no')\n if different_hash == 'no':\n upload_func = self._upload_none\n if not upload_func:\n upload_func = self._upload_instant\n if not upload_func:\n if resumable:\n resumable_upload_info = check_result['resumable_upload']\n upload_info.hash_info = compute_hash_info(fd, int(\n resumable_upload_info['unit_size']))\n upload_func = self._upload_resumable\n else:\n upload_func = self._upload_simple\n retries = UPLOAD_RETRY_COUNT\n while retries > 0:\n try:\n upload_result = upload_func(upload_info, check_result)\n except (RetriableUploadError, MediaFireConnectionError):\n retries -= 1\n logger.exception('%s failed (%d retries left)', upload_func.\n __name__, retries)\n check_result = self._upload_check(upload_info, resumable)\n except Exception:\n logger.exception('%s failed', upload_func)\n break\n else:\n break\n if upload_result is None:\n raise UploadError('Upload failed')\n return upload_result\n", "role": "user" }, { "content": "upload", "role": "assistant" } ]
def x(self, upload_key, action): if len(upload_key) != UPLOAD_KEY_LENGTH: return UploadResult(action=action, quickkey=None, hash_=None, filename=None, size=None, created=None, revision=None) quick_key = None while quick_key is None: poll_result = self._api.upload_poll(upload_key) doupload = poll_result['doupload'] logger.debug( 'poll(%s): status=%d, description=%s, filename=%s, result=%d', upload_key, int(doupload['status']), doupload['description'], doupload['filename'], int(doupload['result'])) if int(doupload['result']) != 0: break if doupload['fileerror'] != '': logger.warning('poll(%s): fileerror=%d', upload_key, int( doupload['fileerror'])) break if int(doupload['status']) == STATUS_NO_MORE_REQUESTS: quick_key = doupload['quickkey'] elif int(doupload['status']) == STATUS_UPLOAD_IN_PROGRESS: raise RetriableUploadError('Invalid state transition ({})'. format(doupload['description'])) else: time.sleep(UPLOAD_POLL_INTERVAL) return UploadResult(action=action, quickkey=doupload['quickkey'], hash_ =doupload['hash'], filename=doupload['filename'], size=doupload[ 'size'], created=doupload['created'], revision=doupload['revision'])
poll_upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_key, action):\n if len(upload_key) != UPLOAD_KEY_LENGTH:\n return UploadResult(action=action, quickkey=None, hash_=None,\n filename=None, size=None, created=None, revision=None)\n quick_key = None\n while quick_key is None:\n poll_result = self._api.upload_poll(upload_key)\n doupload = poll_result['doupload']\n logger.debug(\n 'poll(%s): status=%d, description=%s, filename=%s, result=%d',\n upload_key, int(doupload['status']), doupload['description'],\n doupload['filename'], int(doupload['result']))\n if int(doupload['result']) != 0:\n break\n if doupload['fileerror'] != '':\n logger.warning('poll(%s): fileerror=%d', upload_key, int(\n doupload['fileerror']))\n break\n if int(doupload['status']) == STATUS_NO_MORE_REQUESTS:\n quick_key = doupload['quickkey']\n elif int(doupload['status']) == STATUS_UPLOAD_IN_PROGRESS:\n raise RetriableUploadError('Invalid state transition ({})'.\n format(doupload['description']))\n else:\n time.sleep(UPLOAD_POLL_INTERVAL)\n return UploadResult(action=action, quickkey=doupload['quickkey'], hash_\n =doupload['hash'], filename=doupload['filename'], size=doupload[\n 'size'], created=doupload['created'], revision=doupload['revision'])\n", "role": "user" }, { "content": "poll_upload", "role": "assistant" } ]
def x(self, upload_info, resumable=False): return self._api.upload_check(filename=upload_info.name, size= upload_info.size, hash_=upload_info.hash_info.file, folder_key= upload_info.folder_key, filedrop_key=upload_info.filedrop_key, path =upload_info.path, resumable=resumable)
upload_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_info, resumable=False):\n return self._api.upload_check(filename=upload_info.name, size=\n upload_info.size, hash_=upload_info.hash_info.file, folder_key=\n upload_info.folder_key, filedrop_key=upload_info.filedrop_key, path\n =upload_info.path, resumable=resumable)\n", "role": "user" }, { "content": "upload_check", "role": "assistant" } ]
def x(self, upload_info, check_result): return UploadResult(action=None, quickkey=check_result[ 'duplicate_quickkey'], hash_=upload_info.hash_info.file, filename= upload_info.name, size=upload_info.size, created=None, revision=None)
upload_none
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_info, check_result):\n return UploadResult(action=None, quickkey=check_result[\n 'duplicate_quickkey'], hash_=upload_info.hash_info.file, filename=\n upload_info.name, size=upload_info.size, created=None, revision=None)\n", "role": "user" }, { "content": "upload_none", "role": "assistant" } ]
def x(self, upload_info, _=None): result = self._api.upload_instant(upload_info.name, upload_info.size, upload_info.hash_info.file, path=upload_info.path, folder_key= upload_info.folder_key, filedrop_key=upload_info.filedrop_key, action_on_duplicate=upload_info.action_on_duplicate) return UploadResult(action='upload/instant', quickkey=result['quickkey' ], filename=result['filename'], revision=result[ 'new_device_revision'], hash_=upload_info.hash_info.file, size= upload_info.size, created=None)
upload_instant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_info, _=None):\n result = self._api.upload_instant(upload_info.name, upload_info.size,\n upload_info.hash_info.file, path=upload_info.path, folder_key=\n upload_info.folder_key, filedrop_key=upload_info.filedrop_key,\n action_on_duplicate=upload_info.action_on_duplicate)\n return UploadResult(action='upload/instant', quickkey=result['quickkey'\n ], filename=result['filename'], revision=result[\n 'new_device_revision'], hash_=upload_info.hash_info.file, size=\n upload_info.size, created=None)\n", "role": "user" }, { "content": "upload_instant", "role": "assistant" } ]
def x(self, upload_info, _=None): upload_result = self._api.upload_simple(upload_info.fd, upload_info. name, folder_key=upload_info.folder_key, filedrop_key=upload_info. filedrop_key, path=upload_info.path, file_size=upload_info.size, file_hash=upload_info.hash_info.file, action_on_duplicate= upload_info.action_on_duplicate) logger.debug('upload_result: %s', upload_result) upload_key = upload_result['doupload']['key'] return self._poll_upload(upload_key, 'upload/simple')
upload_simple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_info, _=None):\n upload_result = self._api.upload_simple(upload_info.fd, upload_info.\n name, folder_key=upload_info.folder_key, filedrop_key=upload_info.\n filedrop_key, path=upload_info.path, file_size=upload_info.size,\n file_hash=upload_info.hash_info.file, action_on_duplicate=\n upload_info.action_on_duplicate)\n logger.debug('upload_result: %s', upload_result)\n upload_key = upload_result['doupload']['key']\n return self._poll_upload(upload_key, 'upload/simple')\n", "role": "user" }, { "content": "upload_simple", "role": "assistant" } ]
def x(self, uu_info): unit_size = uu_info.fd.len if uu_info.hash_ is None: raise ValueError('UploadUnitInfo.hash_ is now required') return self._api.upload_resumable(uu_info.fd, uu_info.upload_info.size, uu_info.upload_info.hash_info.file, uu_info.hash_, uu_info.uid, unit_size, filedrop_key=uu_info.upload_info.filedrop_key, folder_key=uu_info.upload_info.folder_key, path=uu_info.upload_info .path, action_on_duplicate=uu_info.upload_info.action_on_duplicate)
upload_resumable_unit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uu_info):\n unit_size = uu_info.fd.len\n if uu_info.hash_ is None:\n raise ValueError('UploadUnitInfo.hash_ is now required')\n return self._api.upload_resumable(uu_info.fd, uu_info.upload_info.size,\n uu_info.upload_info.hash_info.file, uu_info.hash_, uu_info.uid,\n unit_size, filedrop_key=uu_info.upload_info.filedrop_key,\n folder_key=uu_info.upload_info.folder_key, path=uu_info.upload_info\n .path, action_on_duplicate=uu_info.upload_info.action_on_duplicate)\n", "role": "user" }, { "content": "upload_resumable_unit", "role": "assistant" } ]
def x(self, upload_info, bitmap, number_of_units, unit_size): fd = upload_info.fd upload_key = None for unit_id in range(number_of_units): upload_status = decode_resumable_upload_bitmap(bitmap, number_of_units) if upload_status[unit_id]: logger.debug('Skipping unit %d/%d - already uploaded', unit_id + 1, number_of_units) continue logger.debug('Uploading unit %d/%d', unit_id + 1, number_of_units) offset = unit_id * unit_size with SubsetIO(fd, offset, unit_size) as unit_fd: unit_info = _UploadUnitInfo(upload_info=upload_info, hash_= upload_info.hash_info.units[unit_id], fd=unit_fd, uid=unit_id) upload_result = self._upload_resumable_unit(unit_info) if upload_key is None: upload_key = upload_result['doupload']['key'] return upload_key
upload_resumable_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_info, bitmap, number_of_units, unit_size):\n fd = upload_info.fd\n upload_key = None\n for unit_id in range(number_of_units):\n upload_status = decode_resumable_upload_bitmap(bitmap, number_of_units)\n if upload_status[unit_id]:\n logger.debug('Skipping unit %d/%d - already uploaded', unit_id +\n 1, number_of_units)\n continue\n logger.debug('Uploading unit %d/%d', unit_id + 1, number_of_units)\n offset = unit_id * unit_size\n with SubsetIO(fd, offset, unit_size) as unit_fd:\n unit_info = _UploadUnitInfo(upload_info=upload_info, hash_=\n upload_info.hash_info.units[unit_id], fd=unit_fd, uid=unit_id)\n upload_result = self._upload_resumable_unit(unit_info)\n if upload_key is None:\n upload_key = upload_result['doupload']['key']\n return upload_key\n", "role": "user" }, { "content": "upload_resumable_all", "role": "assistant" } ]
def x(self, upload_info, check_result): resumable_upload = check_result['resumable_upload'] unit_size = int(resumable_upload['unit_size']) number_of_units = int(resumable_upload['number_of_units']) logger.debug('number_of_units=%s (expected %s)', number_of_units, len( upload_info.hash_info.units)) assert len(upload_info.hash_info.units) == number_of_units logger.debug('Preparing %d units * %d bytes', number_of_units, unit_size) upload_key = None retries = UPLOAD_RETRY_COUNT all_units_ready = resumable_upload['all_units_ready'] == 'yes' bitmap = resumable_upload['bitmap'] while not all_units_ready and retries > 0: upload_key = self._upload_resumable_all(upload_info, bitmap, number_of_units, unit_size) check_result = self._upload_check(upload_info, resumable=True) resumable_upload = check_result['resumable_upload'] all_units_ready = resumable_upload['all_units_ready'] == 'yes' bitmap = resumable_upload['bitmap'] if not all_units_ready: retries -= 1 logger.debug('Some units failed to upload (%d retries left)', retries) if not all_units_ready: raise UploadError('Could not upload all units') logger.debug('Upload complete, polling for status') return self._poll_upload(upload_key, 'upload/resumable')
upload_resumable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, upload_info, check_result):\n resumable_upload = check_result['resumable_upload']\n unit_size = int(resumable_upload['unit_size'])\n number_of_units = int(resumable_upload['number_of_units'])\n logger.debug('number_of_units=%s (expected %s)', number_of_units, len(\n upload_info.hash_info.units))\n assert len(upload_info.hash_info.units) == number_of_units\n logger.debug('Preparing %d units * %d bytes', number_of_units, unit_size)\n upload_key = None\n retries = UPLOAD_RETRY_COUNT\n all_units_ready = resumable_upload['all_units_ready'] == 'yes'\n bitmap = resumable_upload['bitmap']\n while not all_units_ready and retries > 0:\n upload_key = self._upload_resumable_all(upload_info, bitmap,\n number_of_units, unit_size)\n check_result = self._upload_check(upload_info, resumable=True)\n resumable_upload = check_result['resumable_upload']\n all_units_ready = resumable_upload['all_units_ready'] == 'yes'\n bitmap = resumable_upload['bitmap']\n if not all_units_ready:\n retries -= 1\n logger.debug('Some units failed to upload (%d retries left)',\n retries)\n if not all_units_ready:\n raise UploadError('Could not upload all units')\n logger.debug('Upload complete, polling for status')\n return self._poll_upload(upload_key, 'upload/resumable')\n", "role": "user" }, { "content": "upload_resumable", "role": "assistant" } ]
def x(self): if not self.hooked: self.hooked = True sys.path_hooks.append(self) sys.path.insert(0, self.PATH_ENTRY) return for modname in self: if modname in sys.modules: del sys.modules[modname] submods = [] for subm in sys.modules: if subm.startswith(modname + '.'): submods.append(subm) for subm in submods: del sys.modules[subm] self[:] = []
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.hooked:\n self.hooked = True\n sys.path_hooks.append(self)\n sys.path.insert(0, self.PATH_ENTRY)\n return\n for modname in self:\n if modname in sys.modules:\n del sys.modules[modname]\n submods = []\n for subm in sys.modules:\n if subm.startswith(modname + '.'):\n submods.append(subm)\n for subm in submods:\n del sys.modules[subm]\n self[:] = []\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(self, funcname): class FuncLineno(ast.NodeVisitor): def x(self): self.clss = [] def x(self, node): for child in ast.iter_child_nodes(node): for item in self.visit(child): yield item def x(self, node): self.clss.append(node.name) for item in self.generic_visit(node): yield item self.clss.pop() def x(self, node): name = '.'.join(itertools.chain(self.clss, [node.name])) yield name, node.lineno if self.functions_firstlno is None: self.functions_firstlno = {} for name, lineno in FuncLineno().visit(self.node): if name not in self.functions_firstlno or self.functions_firstlno[ name] < lineno: self.functions_firstlno[name] = lineno try: return self.functions_firstlno[funcname] except KeyError: raise BdbSourceError('{}: function "{}" not found.'.format(self. filename, funcname))
get_func_lno
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, funcname):\n\n\n class FuncLineno(ast.NodeVisitor):\n\n def x(self):\n self.clss = []\n\n def x(self, node):\n for child in ast.iter_child_nodes(node):\n for item in self.visit(child):\n yield item\n\n def x(self, node):\n self.clss.append(node.name)\n for item in self.generic_visit(node):\n yield item\n self.clss.pop()\n\n def x(self, node):\n name = '.'.join(itertools.chain(self.clss, [node.name]))\n yield name, node.lineno\n if self.functions_firstlno is None:\n self.functions_firstlno = {}\n for name, lineno in FuncLineno().visit(self.node):\n if name not in self.functions_firstlno or self.functions_firstlno[\n name] < lineno:\n self.functions_firstlno[name] = lineno\n try:\n return self.functions_firstlno[funcname]\n except KeyError:\n raise BdbSourceError('{}: function \"{}\" not found.'.format(self.\n filename, funcname))\n", "role": "user" }, { "content": "get_func_lno", "role": "assistant" } ]
def x(self, lineno): def x(code, module_level=False): subcodes = dict((c.co_firstlineno, c) for c in code.co_consts if isinstance(c, types.CodeType) and not c.co_name.startswith('<')) subcode_dist = None subcodes_flnos = sorted(subcodes) idx = bisect(subcodes_flnos, lineno) if idx != 0: flno = subcodes_flnos[idx - 1] subcode_dist = _distance(subcodes[flno]) code_lnos = sorted(code_line_numbers(code)) if not module_level and len(code_lnos) > 1: code_lnos = code_lnos[1:] if lineno in code_lnos and lineno not in subcodes_flnos: return 0, (code.co_firstlineno, lineno) idx = bisect(code_lnos, lineno) if idx == len(code_lnos): return subcode_dist actual_lno = code_lnos[idx] dist = actual_lno - lineno if subcode_dist and subcode_dist[0] < dist: return subcode_dist if actual_lno not in subcodes_flnos: return dist, (code.co_firstlineno, actual_lno) else: return _distance(subcodes[actual_lno]) if self.code: code_dist = _distance(self.code, module_level=True) if not self.code or not code_dist: raise BdbSourceError('{}: line {} is after the last valid statement.' .format(self.filename, lineno)) return code_dist[1]
get_actual_bp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lineno):\n\n def x(code, module_level=False):\n subcodes = dict((c.co_firstlineno, c) for c in code.co_consts if \n isinstance(c, types.CodeType) and not c.co_name.startswith('<'))\n subcode_dist = None\n subcodes_flnos = sorted(subcodes)\n idx = bisect(subcodes_flnos, lineno)\n if idx != 0:\n flno = subcodes_flnos[idx - 1]\n subcode_dist = _distance(subcodes[flno])\n code_lnos = sorted(code_line_numbers(code))\n if not module_level and len(code_lnos) > 1:\n code_lnos = code_lnos[1:]\n if lineno in code_lnos and lineno not in subcodes_flnos:\n return 0, (code.co_firstlineno, lineno)\n idx = bisect(code_lnos, lineno)\n if idx == len(code_lnos):\n return subcode_dist\n actual_lno = code_lnos[idx]\n dist = actual_lno - lineno\n if subcode_dist and subcode_dist[0] < dist:\n return subcode_dist\n if actual_lno not in subcodes_flnos:\n return dist, (code.co_firstlineno, actual_lno)\n else:\n return _distance(subcodes[actual_lno])\n if self.code:\n code_dist = _distance(self.code, module_level=True)\n if not self.code or not code_dist:\n raise BdbSourceError('{}: line {} is after the last valid statement.'\n .format(self.filename, lineno))\n return code_dist[1]\n", "role": "user" }, { "content": "get_actual_bp", "role": "assistant" } ]
def x(self, lineno): try: firstlineno, actual_lno = self.bdb_module.get_actual_bp(lineno) except BdbSourceError: return [] if firstlineno not in self: return [] code_bps = self[firstlineno] if actual_lno not in code_bps: return [] return [bp for bp in sorted(code_bps[actual_lno], key=attrgetter( 'number')) if bp.line == lineno]
get_breakpoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lineno):\n try:\n firstlineno, actual_lno = self.bdb_module.get_actual_bp(lineno)\n except BdbSourceError:\n return []\n if firstlineno not in self:\n return []\n code_bps = self[firstlineno]\n if actual_lno not in code_bps:\n return []\n return [bp for bp in sorted(code_bps[actual_lno], key=attrgetter(\n 'number')) if bp.line == lineno]\n", "role": "user" }, { "content": "get_breakpoints", "role": "assistant" } ]
def x(self, do_set): if do_set: sys.settrace(self.trace_dispatch) else: sys.settrace(None)
settrace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, do_set):\n if do_set:\n sys.settrace(self.trace_dispatch)\n else:\n sys.settrace(None)\n", "role": "user" }, { "content": "settrace", "role": "assistant" } ]
def x(self): _module_finder.reset() linecache.checkcache() for module_bpts in self.breakpoints.values(): module_bpts.reset()
restart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n _module_finder.reset()\n linecache.checkcache()\n for module_bpts in self.breakpoints.values():\n module_bpts.reset()\n", "role": "user" }, { "content": "restart", "role": "assistant" } ]
def x(self, frame, lineno=None): if lineno is None: lineno = frame.f_lineno + 1 self._set_stopinfo(frame, lineno)
set_until
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame, lineno=None):\n if lineno is None:\n lineno = frame.f_lineno + 1\n self._set_stopinfo(frame, lineno)\n", "role": "user" }, { "content": "set_until", "role": "assistant" } ]
def x(self, frame=None): self.settrace(False) if not frame: frame = sys._getframe().f_back frame.f_trace = self.trace_dispatch self.reset(ignore_first_call_event=False, botframe=self.botframe) self.topframe = frame while frame: if frame is self.botframe: break botframe = frame frame = frame.f_back else: self.botframe = botframe if not self.botframe.f_trace: self.botframe.f_trace = self.trace_dispatch self.settrace(True)
set_trace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame=None):\n self.settrace(False)\n if not frame:\n frame = sys._getframe().f_back\n frame.f_trace = self.trace_dispatch\n self.reset(ignore_first_call_event=False, botframe=self.botframe)\n self.topframe = frame\n while frame:\n if frame is self.botframe:\n break\n botframe = frame\n frame = frame.f_back\n else:\n self.botframe = botframe\n if not self.botframe.f_trace:\n self.botframe.f_trace = self.trace_dispatch\n self.settrace(True)\n", "role": "user" }, { "content": "set_trace", "role": "assistant" } ]
def x(self, frame): if not self.enabled: return False, False self.hits += 1 if self.cond: try: if not eval_(self.cond, frame.f_globals, frame.f_locals): return False, False except Exception: return True, False if self.ignore > 0: self.ignore -= 1 return False, False return True, True
process_hit_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame):\n if not self.enabled:\n return False, False\n self.hits += 1\n if self.cond:\n try:\n if not eval_(self.cond, frame.f_globals, frame.f_locals):\n return False, False\n except Exception:\n return True, False\n if self.ignore > 0:\n self.ignore -= 1\n return False, False\n return True, True\n", "role": "user" }, { "content": "process_hit_event", "role": "assistant" } ]
def x(directory): file_names = list() for filename in os.listdir(directory): file_path = os.path.join(directory, filename) if os.path.isdir(file_path): filename = f'{filename}{os.path.sep}' file_names.append(filename) return file_names
listdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory):\n file_names = list()\n for filename in os.listdir(directory):\n file_path = os.path.join(directory, filename)\n if os.path.isdir(file_path):\n filename = f'{filename}{os.path.sep}'\n file_names.append(filename)\n return file_names\n", "role": "user" }, { "content": "listdir", "role": "assistant" } ]
def x(option_type, from_options): _options = dict() for key in option_type.keys: key_with_prefix = f'{option_type.prefix}{key}' if key not in from_options and key_with_prefix not in from_options: _options[key] = '' elif key in from_options: _options[key] = from_options.get(key) else: _options[key] = from_options.get(key_with_prefix) return _options
get_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(option_type, from_options):\n _options = dict()\n for key in option_type.keys:\n key_with_prefix = f'{option_type.prefix}{key}'\n if key not in from_options and key_with_prefix not in from_options:\n _options[key] = ''\n elif key in from_options:\n _options[key] = from_options.get(key)\n else:\n _options[key] = from_options.get(key_with_prefix)\n return _options\n", "role": "user" }, { "content": "get_options", "role": "assistant" } ]
def x(self, action, headers_ext=None): if action in Client.http_header: try: headers = Client.http_header[action].copy() except AttributeError: headers = Client.http_header[action][:] else: headers = list() if headers_ext: headers.extend(headers_ext) if self.webdav.token: webdav_token = f'Authorization: OAuth {self.webdav.token}' headers.append(webdav_token) return dict([map(lambda s: s.strip(), i.split(':')) for i in headers])
get_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, headers_ext=None):\n if action in Client.http_header:\n try:\n headers = Client.http_header[action].copy()\n except AttributeError:\n headers = Client.http_header[action][:]\n else:\n headers = list()\n if headers_ext:\n headers.extend(headers_ext)\n if self.webdav.token:\n webdav_token = f'Authorization: OAuth {self.webdav.token}'\n headers.append(webdav_token)\n return dict([map(lambda s: s.strip(), i.split(':')) for i in headers])\n", "role": "user" }, { "content": "get_headers", "role": "assistant" } ]
def x(self, action, path, data=None, headers_ext=None): response = self.session.request(method=Client.requests[action], url= self.get_url(path), auth=self.webdav.auth, headers=self.get_headers (action, headers_ext), timeout=self.timeout, data=data) if response.status_code == 507: raise NotEnoughSpace() if 499 < response.status_code < 600: raise ServerException(url=self.get_url(path), code=response. status_code, message=response.content) if response.status_code >= 400: raise ResponseErrorCode(url=self.get_url(path), code=response. status_code, message=response.content) return response
execute_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, path, data=None, headers_ext=None):\n response = self.session.request(method=Client.requests[action], url=\n self.get_url(path), auth=self.webdav.auth, headers=self.get_headers\n (action, headers_ext), timeout=self.timeout, data=data)\n if response.status_code == 507:\n raise NotEnoughSpace()\n if 499 < response.status_code < 600:\n raise ServerException(url=self.get_url(path), code=response.\n status_code, message=response.content)\n if response.status_code >= 400:\n raise ResponseErrorCode(url=self.get_url(path), code=response.\n status_code, message=response.content)\n return response\n", "role": "user" }, { "content": "execute_request", "role": "assistant" } ]
def x(self): return True if self.webdav.valid() and self.proxy.valid() else False
valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return True if self.webdav.valid() and self.proxy.valid() else False\n", "role": "user" }, { "content": "valid", "role": "assistant" } ]
def x(self, remote_path=root): directory_urn = Urn(remote_path, directory=True) if directory_urn.path() != Client.root: if not self.check(directory_urn.path()): raise RemoteResourceNotFound(directory_urn.path()) response = self.execute_request(action='list', path=directory_urn.quote()) urns = WebDavXmlUtils.parse_get_list_response(response.content) path = Urn.normalize_path(self.get_full_path(directory_urn)) return [urn.filename() for urn in urns if Urn.compare_path(path, urn. path()) is False]
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path=root):\n directory_urn = Urn(remote_path, directory=True)\n if directory_urn.path() != Client.root:\n if not self.check(directory_urn.path()):\n raise RemoteResourceNotFound(directory_urn.path())\n response = self.execute_request(action='list', path=directory_urn.quote())\n urns = WebDavXmlUtils.parse_get_list_response(response.content)\n path = Urn.normalize_path(self.get_full_path(directory_urn))\n return [urn.filename() for urn in urns if Urn.compare_path(path, urn.\n path()) is False]\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(self): data = WebDavXmlUtils.create_free_space_request_content() response = self.execute_request(action='free', path='', data=data) return WebDavXmlUtils.parse_free_space_response(response.content, self. webdav.hostname)
free
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = WebDavXmlUtils.create_free_space_request_content()\n response = self.execute_request(action='free', path='', data=data)\n return WebDavXmlUtils.parse_free_space_response(response.content, self.\n webdav.hostname)\n", "role": "user" }, { "content": "free", "role": "assistant" } ]
def x(self, remote_path=root): urn = Urn(remote_path) try: response = self.execute_request(action='check', path=urn.quote()) except ResponseErrorCode: return False if int(response.status_code) == 200: return True return False
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path=root):\n urn = Urn(remote_path)\n try:\n response = self.execute_request(action='check', path=urn.quote())\n except ResponseErrorCode:\n return False\n if int(response.status_code) == 200:\n return True\n return False\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, remote_path): directory_urn = Urn(remote_path, directory=True) try: response = self.execute_request(action='mkdir', path=directory_urn. quote()) return response.status_code in (200, 201) except ResponseErrorCode as e: if e.code == 405: return True raise
mkdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path):\n directory_urn = Urn(remote_path, directory=True)\n try:\n response = self.execute_request(action='mkdir', path=directory_urn.\n quote())\n return response.status_code in (200, 201)\n except ResponseErrorCode as e:\n if e.code == 405:\n return True\n raise\n", "role": "user" }, { "content": "mkdir", "role": "assistant" } ]
def x(self, buff, remote_path): urn = Urn(remote_path) if self.is_dir(urn.path()): raise OptionNotValid(name='remote_path', value=remote_path) if not self.check(urn.path()): raise RemoteResourceNotFound(urn.path()) response = self.execute_request(action='download', path=urn.quote()) buff.write(response.content)
download_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff, remote_path):\n urn = Urn(remote_path)\n if self.is_dir(urn.path()):\n raise OptionNotValid(name='remote_path', value=remote_path)\n if not self.check(urn.path()):\n raise RemoteResourceNotFound(urn.path())\n response = self.execute_request(action='download', path=urn.quote())\n buff.write(response.content)\n", "role": "user" }, { "content": "download_from", "role": "assistant" } ]
def x(self, remote_path, local_path, progress=None): urn = Urn(remote_path) if self.is_dir(urn.path()): self.download_directory(local_path=local_path, remote_path= remote_path, progress=progress) else: self.download_file(local_path=local_path, remote_path=remote_path, progress=progress)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, progress=None):\n urn = Urn(remote_path)\n if self.is_dir(urn.path()):\n self.download_directory(local_path=local_path, remote_path=\n remote_path, progress=progress)\n else:\n self.download_file(local_path=local_path, remote_path=remote_path,\n progress=progress)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, remote_path, local_path, progress=None): urn = Urn(remote_path, directory=True) if not self.is_dir(urn.path()): raise OptionNotValid(name='remote_path', value=remote_path) if os.path.exists(local_path): shutil.rmtree(local_path) os.makedirs(local_path) for resource_name in self.list(urn.path()): _remote_path = f'{urn.path()}{resource_name}' _local_path = os.path.join(local_path, resource_name) self.download(local_path=_local_path, remote_path=_remote_path, progress=progress)
download_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, progress=None):\n urn = Urn(remote_path, directory=True)\n if not self.is_dir(urn.path()):\n raise OptionNotValid(name='remote_path', value=remote_path)\n if os.path.exists(local_path):\n shutil.rmtree(local_path)\n os.makedirs(local_path)\n for resource_name in self.list(urn.path()):\n _remote_path = f'{urn.path()}{resource_name}'\n _local_path = os.path.join(local_path, resource_name)\n self.download(local_path=_local_path, remote_path=_remote_path,\n progress=progress)\n", "role": "user" }, { "content": "download_directory", "role": "assistant" } ]
def x(self, file, mode='r', buffering=-1, encoding=None, errors=None, newline=None, closefd=True, opener=None): urn = Urn(file) urn_path = urn.path() remote_file_exists = self.check(urn_path) if not remote_file_exists: if 'r' in mode: raise RemoteResourceNotFound(urn_path) elif self.is_dir(urn_path): raise OptionNotValid(name='file', value=file) with tempfile.TemporaryDirectory() as temp_dir: local_path = f'{temp_dir}{os.path.sep}{file}' if remote_file_exists: self.download_file(file, local_path) elif ('w' in mode or 'a' in mode or 'x' in mode ) and os.path.sep in local_path: os.makedirs(local_path.rsplit(os.path.sep, 1)[0], exist_ok=True) with open(file=local_path, mode=mode, buffering=buffering, encoding =encoding, errors=errors, newline=newline, closefd=closefd, opener=opener) as f: yield f if 'w' in mode or 'a' in mode or 'x' in mode: self.upload_file(file, local_path)
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file, mode='r', buffering=-1, encoding=None, errors=None,\n newline=None, closefd=True, opener=None):\n urn = Urn(file)\n urn_path = urn.path()\n remote_file_exists = self.check(urn_path)\n if not remote_file_exists:\n if 'r' in mode:\n raise RemoteResourceNotFound(urn_path)\n elif self.is_dir(urn_path):\n raise OptionNotValid(name='file', value=file)\n with tempfile.TemporaryDirectory() as temp_dir:\n local_path = f'{temp_dir}{os.path.sep}{file}'\n if remote_file_exists:\n self.download_file(file, local_path)\n elif ('w' in mode or 'a' in mode or 'x' in mode\n ) and os.path.sep in local_path:\n os.makedirs(local_path.rsplit(os.path.sep, 1)[0], exist_ok=True)\n with open(file=local_path, mode=mode, buffering=buffering, encoding\n =encoding, errors=errors, newline=newline, closefd=closefd,\n opener=opener) as f:\n yield f\n if 'w' in mode or 'a' in mode or 'x' in mode:\n self.upload_file(file, local_path)\n", "role": "user" }, { "content": "open", "role": "assistant" } ]
def x(self, remote_path, local_path, progress=None): urn = Urn(remote_path) if self.is_dir(urn.path()): raise OptionNotValid(name='remote_path', value=remote_path) if os.path.isdir(local_path): raise OptionNotValid(name='local_path', value=local_path) if os.path.sep in local_path: os.makedirs(local_path.rsplit(os.path.sep, 1)[0], exist_ok=True) if not self.check(urn.path()): raise RemoteResourceNotFound(urn.path()) with open(local_path, 'wb') as local_file: response = self.execute_request('download', urn.quote()) for block in response.iter_content(1024): local_file.write(block)
download_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, progress=None):\n urn = Urn(remote_path)\n if self.is_dir(urn.path()):\n raise OptionNotValid(name='remote_path', value=remote_path)\n if os.path.isdir(local_path):\n raise OptionNotValid(name='local_path', value=local_path)\n if os.path.sep in local_path:\n os.makedirs(local_path.rsplit(os.path.sep, 1)[0], exist_ok=True)\n if not self.check(urn.path()):\n raise RemoteResourceNotFound(urn.path())\n with open(local_path, 'wb') as local_file:\n response = self.execute_request('download', urn.quote())\n for block in response.iter_content(1024):\n local_file.write(block)\n", "role": "user" }, { "content": "download_file", "role": "assistant" } ]
def x(self, remote_path, local_path, callback=None): self.download(local_path=local_path, remote_path=remote_path) if callback: callback()
download_sync
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, callback=None):\n self.download(local_path=local_path, remote_path=remote_path)\n if callback:\n callback()\n", "role": "user" }, { "content": "download_sync", "role": "assistant" } ]
def x(self, remote_path, local_path, callback=None): target = lambda : self.download_sync(local_path=local_path, remote_path =remote_path, callback=callback) threading.Thread(target=target).start()
download_async
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, callback=None):\n target = lambda : self.download_sync(local_path=local_path, remote_path\n =remote_path, callback=callback)\n threading.Thread(target=target).start()\n", "role": "user" }, { "content": "download_async", "role": "assistant" } ]
def x(self, buff, remote_path): urn = Urn(remote_path) if urn.is_dir(): raise OptionNotValid(name='remote_path', value=remote_path) if not self.check(urn.parent()): raise RemoteParentNotFound(urn.path()) self.execute_request(action='upload', path=urn.quote(), data=buff)
upload_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buff, remote_path):\n urn = Urn(remote_path)\n if urn.is_dir():\n raise OptionNotValid(name='remote_path', value=remote_path)\n if not self.check(urn.parent()):\n raise RemoteParentNotFound(urn.path())\n self.execute_request(action='upload', path=urn.quote(), data=buff)\n", "role": "user" }, { "content": "upload_to", "role": "assistant" } ]
def x(self, remote_path, local_path, progress=None): if os.path.isdir(local_path): self.upload_directory(local_path=local_path, remote_path= remote_path, progress=progress) else: self.upload_file(local_path=local_path, remote_path=remote_path)
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, progress=None):\n if os.path.isdir(local_path):\n self.upload_directory(local_path=local_path, remote_path=\n remote_path, progress=progress)\n else:\n self.upload_file(local_path=local_path, remote_path=remote_path)\n", "role": "user" }, { "content": "upload", "role": "assistant" } ]
def x(self, remote_path, local_path, progress=None): urn = Urn(remote_path, directory=True) if not urn.is_dir(): raise OptionNotValid(name='remote_path', value=remote_path) if not os.path.isdir(local_path): raise OptionNotValid(name='local_path', value=local_path) if not os.path.exists(local_path): raise LocalResourceNotFound(local_path) if self.check(urn.path()): self.clean(urn.path()) self.mkdir(remote_path) for resource_name in listdir(local_path): _remote_path = f'{urn.path()}{resource_name}' _local_path = os.path.join(local_path, resource_name) self.upload(local_path=_local_path, remote_path=_remote_path, progress=progress)
upload_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, progress=None):\n urn = Urn(remote_path, directory=True)\n if not urn.is_dir():\n raise OptionNotValid(name='remote_path', value=remote_path)\n if not os.path.isdir(local_path):\n raise OptionNotValid(name='local_path', value=local_path)\n if not os.path.exists(local_path):\n raise LocalResourceNotFound(local_path)\n if self.check(urn.path()):\n self.clean(urn.path())\n self.mkdir(remote_path)\n for resource_name in listdir(local_path):\n _remote_path = f'{urn.path()}{resource_name}'\n _local_path = os.path.join(local_path, resource_name)\n self.upload(local_path=_local_path, remote_path=_remote_path,\n progress=progress)\n", "role": "user" }, { "content": "upload_directory", "role": "assistant" } ]
def x(self, remote_path, local_path, progress=None): if not os.path.exists(local_path): raise LocalResourceNotFound(local_path) urn = Urn(remote_path) if urn.is_dir(): raise OptionNotValid(name='remote_path', value=remote_path) if os.path.isdir(local_path): raise OptionNotValid(name='local_path', value=local_path) if not self.check(urn.parent()): raise RemoteParentNotFound(urn.path()) with open(local_path, 'rb') as local_file: file_size = os.path.getsize(local_path) if file_size > self.large_size: raise ResourceTooBig(path=local_path, size=file_size, max_size= self.large_size) self.execute_request(action='upload', path=urn.quote(), data=local_file )
upload_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, progress=None):\n if not os.path.exists(local_path):\n raise LocalResourceNotFound(local_path)\n urn = Urn(remote_path)\n if urn.is_dir():\n raise OptionNotValid(name='remote_path', value=remote_path)\n if os.path.isdir(local_path):\n raise OptionNotValid(name='local_path', value=local_path)\n if not self.check(urn.parent()):\n raise RemoteParentNotFound(urn.path())\n with open(local_path, 'rb') as local_file:\n file_size = os.path.getsize(local_path)\n if file_size > self.large_size:\n raise ResourceTooBig(path=local_path, size=file_size, max_size=\n self.large_size)\n self.execute_request(action='upload', path=urn.quote(), data=local_file\n )\n", "role": "user" }, { "content": "upload_file", "role": "assistant" } ]
def x(self, remote_path, local_path, callback=None): self.upload(local_path=local_path, remote_path=remote_path) if callback: callback()
upload_sync
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, callback=None):\n self.upload(local_path=local_path, remote_path=remote_path)\n if callback:\n callback()\n", "role": "user" }, { "content": "upload_sync", "role": "assistant" } ]
def x(self, remote_path, local_path, callback=None): target = lambda : self.upload_sync(local_path=local_path, remote_path= remote_path, callback=callback) threading.Thread(target=target).start()
upload_async
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, local_path, callback=None):\n target = lambda : self.upload_sync(local_path=local_path, remote_path=\n remote_path, callback=callback)\n threading.Thread(target=target).start()\n", "role": "user" }, { "content": "upload_async", "role": "assistant" } ]
def x(self, remote_path_from, remote_path_to): urn_from = Urn(remote_path_from) if not self.check(urn_from.path()): raise RemoteResourceNotFound(urn_from.path()) urn_to = Urn(remote_path_to) if not self.check(urn_to.parent()): raise RemoteParentNotFound(urn_to.path()) header_destination = f'Destination: {self.get_full_path(urn_to)}' self.execute_request(action='copy', path=urn_from.quote(), headers_ext= [header_destination])
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path_from, remote_path_to):\n urn_from = Urn(remote_path_from)\n if not self.check(urn_from.path()):\n raise RemoteResourceNotFound(urn_from.path())\n urn_to = Urn(remote_path_to)\n if not self.check(urn_to.parent()):\n raise RemoteParentNotFound(urn_to.path())\n header_destination = f'Destination: {self.get_full_path(urn_to)}'\n self.execute_request(action='copy', path=urn_from.quote(), headers_ext=\n [header_destination])\n", "role": "user" }, { "content": "copy", "role": "assistant" } ]
def x(self, remote_path_from, remote_path_to, overwrite=False): urn_from = Urn(remote_path_from) if not self.check(urn_from.path()): raise RemoteResourceNotFound(urn_from.path()) urn_to = Urn(remote_path_to) if not self.check(urn_to.parent()): raise RemoteParentNotFound(urn_to.path()) header_destination = f'Destination: {self.get_full_path(urn_to)}' header_overwrite = f"Overwrite: {'T' if overwrite else 'F'}" self.execute_request(action='move', path=urn_from.quote(), headers_ext= [header_destination, header_overwrite])
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path_from, remote_path_to, overwrite=False):\n urn_from = Urn(remote_path_from)\n if not self.check(urn_from.path()):\n raise RemoteResourceNotFound(urn_from.path())\n urn_to = Urn(remote_path_to)\n if not self.check(urn_to.parent()):\n raise RemoteParentNotFound(urn_to.path())\n header_destination = f'Destination: {self.get_full_path(urn_to)}'\n header_overwrite = f\"Overwrite: {'T' if overwrite else 'F'}\"\n self.execute_request(action='move', path=urn_from.quote(), headers_ext=\n [header_destination, header_overwrite])\n", "role": "user" }, { "content": "move", "role": "assistant" } ]
def x(self, remote_path): urn = Urn(remote_path) self.execute_request(action='clean', path=urn.quote())
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path):\n urn = Urn(remote_path)\n self.execute_request(action='clean', path=urn.quote())\n", "role": "user" }, { "content": "clean", "role": "assistant" } ]
def x(self, remote_path): urn = Urn(remote_path) if not self.check(urn.path()) and not self.check(Urn(remote_path, directory=True).path()): raise RemoteResourceNotFound(remote_path) response = self.execute_request(action='info', path=urn.quote()) path = self.get_full_path(urn) return WebDavXmlUtils.parse_info_response(content=response.content, path=path, hostname=self.webdav.hostname)
info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path):\n urn = Urn(remote_path)\n if not self.check(urn.path()) and not self.check(Urn(remote_path,\n directory=True).path()):\n raise RemoteResourceNotFound(remote_path)\n response = self.execute_request(action='info', path=urn.quote())\n path = self.get_full_path(urn)\n return WebDavXmlUtils.parse_info_response(content=response.content,\n path=path, hostname=self.webdav.hostname)\n", "role": "user" }, { "content": "info", "role": "assistant" } ]
def x(self, remote_path): urn = Urn(remote_path) parent_urn = Urn(urn.parent()) if not self.check(urn.path()) and not self.check(Urn(remote_path, directory=True).path()): raise RemoteResourceNotFound(remote_path) response = self.execute_request(action='info', path=parent_urn.quote()) path = self.get_full_path(urn) return WebDavXmlUtils.parse_is_dir_response(content=response.content, path=path, hostname=self.webdav.hostname)
is_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path):\n urn = Urn(remote_path)\n parent_urn = Urn(urn.parent())\n if not self.check(urn.path()) and not self.check(Urn(remote_path,\n directory=True).path()):\n raise RemoteResourceNotFound(remote_path)\n response = self.execute_request(action='info', path=parent_urn.quote())\n path = self.get_full_path(urn)\n return WebDavXmlUtils.parse_is_dir_response(content=response.content,\n path=path, hostname=self.webdav.hostname)\n", "role": "user" }, { "content": "is_dir", "role": "assistant" } ]
def x(self, remote_path, option): urn = Urn(remote_path) if not self.check(urn.path()): raise RemoteResourceNotFound(urn.path()) data = WebDavXmlUtils.create_get_property_request_content(option) response = self.execute_request(action='get_property', path=urn.quote(), data=data) return WebDavXmlUtils.parse_get_property_response(response.content, option['name'])
get_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, option):\n urn = Urn(remote_path)\n if not self.check(urn.path()):\n raise RemoteResourceNotFound(urn.path())\n data = WebDavXmlUtils.create_get_property_request_content(option)\n response = self.execute_request(action='get_property', path=urn.quote(),\n data=data)\n return WebDavXmlUtils.parse_get_property_response(response.content,\n option['name'])\n", "role": "user" }, { "content": "get_property", "role": "assistant" } ]
def x(self, remote_path, option): self.set_property_batch(remote_path=remote_path, option=[option])
set_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, option):\n self.set_property_batch(remote_path=remote_path, option=[option])\n", "role": "user" }, { "content": "set_property", "role": "assistant" } ]
def x(self, remote_path, option): urn = Urn(remote_path) if not self.check(urn.path()): raise RemoteResourceNotFound(urn.path()) data = WebDavXmlUtils.create_set_property_batch_request_content(option) self.execute_request(action='set_property', path=urn.quote(), data=data)
set_property_batch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_path, option):\n urn = Urn(remote_path)\n if not self.check(urn.path()):\n raise RemoteResourceNotFound(urn.path())\n data = WebDavXmlUtils.create_set_property_batch_request_content(option)\n self.execute_request(action='set_property', path=urn.quote(), data=data)\n", "role": "user" }, { "content": "set_property_batch", "role": "assistant" } ]
def x(content): try: tree = etree.fromstring(content) hrees = [(Urn.separate + unquote(urlsplit(hree.text).path)) for hree in tree.findall('.//{DAV:}href')] return [Urn(hree) for hree in hrees] except etree.XMLSyntaxError: return list()
parse_get_list_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content):\n try:\n tree = etree.fromstring(content)\n hrees = [(Urn.separate + unquote(urlsplit(hree.text).path)) for\n hree in tree.findall('.//{DAV:}href')]\n return [Urn(hree) for hree in hrees]\n except etree.XMLSyntaxError:\n return list()\n", "role": "user" }, { "content": "parse_get_list_response", "role": "assistant" } ]
def x(): root = etree.Element('propfind', xmlns='DAV:') prop = etree.SubElement(root, 'prop') etree.SubElement(prop, 'quota-available-bytes') etree.SubElement(prop, 'quota-used-bytes') tree = etree.ElementTree(root) return WebDavXmlUtils.etree_to_string(tree)
create_free_space_request_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n root = etree.Element('propfind', xmlns='DAV:')\n prop = etree.SubElement(root, 'prop')\n etree.SubElement(prop, 'quota-available-bytes')\n etree.SubElement(prop, 'quota-used-bytes')\n tree = etree.ElementTree(root)\n return WebDavXmlUtils.etree_to_string(tree)\n", "role": "user" }, { "content": "create_free_space_request_content", "role": "assistant" } ]
def x(content, hostname): try: tree = etree.fromstring(content) node = tree.find('.//{DAV:}quota-available-bytes') if node is not None: return int(node.text) else: raise MethodNotSupported(name='free', server=hostname) except TypeError: raise MethodNotSupported(name='free', server=hostname) except etree.XMLSyntaxError: return str()
parse_free_space_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, hostname):\n try:\n tree = etree.fromstring(content)\n node = tree.find('.//{DAV:}quota-available-bytes')\n if node is not None:\n return int(node.text)\n else:\n raise MethodNotSupported(name='free', server=hostname)\n except TypeError:\n raise MethodNotSupported(name='free', server=hostname)\n except etree.XMLSyntaxError:\n return str()\n", "role": "user" }, { "content": "parse_free_space_response", "role": "assistant" } ]
def x(content, path, hostname): response = WebDavXmlUtils.extract_response_for_path(content=content, path=path, hostname=hostname) find_attributes = {'created': './/{DAV:}creationdate', 'name': './/{DAV:}displayname', 'size': './/{DAV:}getcontentlength', 'modified': './/{DAV:}getlastmodified'} info = dict() for name, value in find_attributes.items(): info[name] = response.findtext(value) return info
parse_info_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, path, hostname):\n response = WebDavXmlUtils.extract_response_for_path(content=content,\n path=path, hostname=hostname)\n find_attributes = {'created': './/{DAV:}creationdate', 'name':\n './/{DAV:}displayname', 'size': './/{DAV:}getcontentlength',\n 'modified': './/{DAV:}getlastmodified'}\n info = dict()\n for name, value in find_attributes.items():\n info[name] = response.findtext(value)\n return info\n", "role": "user" }, { "content": "parse_info_response", "role": "assistant" } ]
def x(content, path, hostname): response = WebDavXmlUtils.extract_response_for_path(content=content, path=path, hostname=hostname) resource_type = response.find('.//{DAV:}resourcetype') if resource_type is None: raise MethodNotSupported(name='is_dir', server=hostname) dir_type = resource_type.find('{DAV:}collection') return dir_type is not None
parse_is_dir_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, path, hostname):\n response = WebDavXmlUtils.extract_response_for_path(content=content,\n path=path, hostname=hostname)\n resource_type = response.find('.//{DAV:}resourcetype')\n if resource_type is None:\n raise MethodNotSupported(name='is_dir', server=hostname)\n dir_type = resource_type.find('{DAV:}collection')\n return dir_type is not None\n", "role": "user" }, { "content": "parse_is_dir_response", "role": "assistant" } ]
def x(option): root = etree.Element('propfind', xmlns='DAV:') prop = etree.SubElement(root, 'prop') etree.SubElement(prop, option.get('name', ''), xmlns=option.get( 'namespace', '')) tree = etree.ElementTree(root) return WebDavXmlUtils.etree_to_string(tree)
create_get_property_request_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(option):\n root = etree.Element('propfind', xmlns='DAV:')\n prop = etree.SubElement(root, 'prop')\n etree.SubElement(prop, option.get('name', ''), xmlns=option.get(\n 'namespace', ''))\n tree = etree.ElementTree(root)\n return WebDavXmlUtils.etree_to_string(tree)\n", "role": "user" }, { "content": "create_get_property_request_content", "role": "assistant" } ]
def x(content, name): tree = etree.fromstring(content) return tree.xpath('//*[local-name() = $name]', name=name)[0].text
parse_get_property_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, name):\n tree = etree.fromstring(content)\n return tree.xpath('//*[local-name() = $name]', name=name)[0].text\n", "role": "user" }, { "content": "parse_get_property_response", "role": "assistant" } ]
def x(options): root_node = etree.Element('propertyupdate', xmlns='DAV:') set_node = etree.SubElement(root_node, 'set') prop_node = etree.SubElement(set_node, 'prop') for option in options: opt_node = etree.SubElement(prop_node, option['name'], xmlns=option .get('namespace', '')) opt_node.text = option.get('value', '') tree = etree.ElementTree(root_node) return WebDavXmlUtils.etree_to_string(tree)
create_set_property_batch_request_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n root_node = etree.Element('propertyupdate', xmlns='DAV:')\n set_node = etree.SubElement(root_node, 'set')\n prop_node = etree.SubElement(set_node, 'prop')\n for option in options:\n opt_node = etree.SubElement(prop_node, option['name'], xmlns=option\n .get('namespace', ''))\n opt_node.text = option.get('value', '')\n tree = etree.ElementTree(root_node)\n return WebDavXmlUtils.etree_to_string(tree)\n", "role": "user" }, { "content": "create_set_property_batch_request_content", "role": "assistant" } ]
def x(tree): buff = BytesIO() tree.write(buff, xml_declaration=True, encoding='UTF-8') return buff.getvalue()
etree_to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tree):\n buff = BytesIO()\n tree.write(buff, xml_declaration=True, encoding='UTF-8')\n return buff.getvalue()\n", "role": "user" }, { "content": "etree_to_string", "role": "assistant" } ]
def x(content, path, hostname): try: tree = etree.fromstring(content) responses = tree.findall('{DAV:}response') n_path = Urn.normalize_path(path) for resp in responses: href = resp.findtext('{DAV:}href') if Urn.compare_path(n_path, href) is True: return resp raise RemoteResourceNotFound(path) except etree.XMLSyntaxError: raise MethodNotSupported(name='is_dir', server=hostname)
extract_response_for_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, path, hostname):\n try:\n tree = etree.fromstring(content)\n responses = tree.findall('{DAV:}response')\n n_path = Urn.normalize_path(path)\n for resp in responses:\n href = resp.findtext('{DAV:}href')\n if Urn.compare_path(n_path, href) is True:\n return resp\n raise RemoteResourceNotFound(path)\n except etree.XMLSyntaxError:\n raise MethodNotSupported(name='is_dir', server=hostname)\n", "role": "user" }, { "content": "extract_response_for_path", "role": "assistant" } ]
def x(config_dir): stdout_path = os.path.join(config_dir, 'pueue.stdout') stderr_path = os.path.join(config_dir, 'pueue.stderr') if os._exists(stdout_path): os.remove(stdout_path) if os._exists(stderr_path): os.remove(stderr_path) socketPath = os.path.join(config_dir, 'pueue.sock') if os.path.exists(socketPath): os.remove(socketPath)
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_dir):\n stdout_path = os.path.join(config_dir, 'pueue.stdout')\n stderr_path = os.path.join(config_dir, 'pueue.stderr')\n if os._exists(stdout_path):\n os.remove(stdout_path)\n if os._exists(stderr_path):\n os.remove(stderr_path)\n socketPath = os.path.join(config_dir, 'pueue.sock')\n if os.path.exists(socketPath):\n os.remove(socketPath)\n", "role": "user" }, { "content": "cleanup", "role": "assistant" } ]
def x(descriptor, key, handler=None): line = 'stub' lines = '' while line != '': try: line = descriptor.readline() lines += line except UnicodeDecodeError: error_msg = 'Error while decoding output of process {}'.format(key) if handler: handler.logger.error('{} with command {}'.format(error_msg, handler.queue[key]['command'])) lines += error_msg + '\n' return lines.replace('\n', '\n ')
get_descriptor_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(descriptor, key, handler=None):\n line = 'stub'\n lines = ''\n while line != '':\n try:\n line = descriptor.readline()\n lines += line\n except UnicodeDecodeError:\n error_msg = 'Error while decoding output of process {}'.format(key)\n if handler:\n handler.logger.error('{} with command {}'.format(error_msg,\n handler.queue[key]['command']))\n lines += error_msg + '\\n'\n return lines.replace('\\n', '\\n ')\n", "role": "user" }, { "content": "get_descriptor_output", "role": "assistant" } ]
def x(self, hash_, quickkey, doc_type, page=None, output=None, size_id=None, metadata=None, request_conversion_only=None): if len(hash_) > 4: hash_ = hash_[:4] query = QueryParams({'quickkey': quickkey, 'doc_type': doc_type, 'page': page, 'output': output, 'size_id': size_id, 'metadata': metadata, 'request_conversion_only': request_conversion_only}) url = API_ENDPOINT + '?' + hash_ + '&' + urlencode(query) response = self.http.get(url, stream=True) if response.status_code == 204: raise ConversionServerError( 'Unable to fulfill request. The document will not be converted.', response.status_code) response.raise_for_status() if response.headers['content-type'] == 'application/json': return response.json() return response
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hash_, quickkey, doc_type, page=None, output=None, size_id=None,\n metadata=None, request_conversion_only=None):\n if len(hash_) > 4:\n hash_ = hash_[:4]\n query = QueryParams({'quickkey': quickkey, 'doc_type': doc_type, 'page':\n page, 'output': output, 'size_id': size_id, 'metadata': metadata,\n 'request_conversion_only': request_conversion_only})\n url = API_ENDPOINT + '?' + hash_ + '&' + urlencode(query)\n response = self.http.get(url, stream=True)\n if response.status_code == 204:\n raise ConversionServerError(\n 'Unable to fulfill request. The document will not be converted.',\n response.status_code)\n response.raise_for_status()\n if response.headers['content-type'] == 'application/json':\n return response.json()\n return response\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(user_event): def x(self, *args): stdin = self.stdin is_sock = isinstance(stdin, RemoteSocket) try: try: if is_sock and not stdin.connect(): return return user_event(self, *args) except Exception: self.close() raise finally: if is_sock and stdin.closed(): self.do_detach(None) return wrapper
user_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user_event):\n\n def x(self, *args):\n stdin = self.stdin\n is_sock = isinstance(stdin, RemoteSocket)\n try:\n try:\n if is_sock and not stdin.connect():\n return\n return user_event(self, *args)\n except Exception:\n self.close()\n raise\n finally:\n if is_sock and stdin.closed():\n self.do_detach(None)\n return wrapper\n", "role": "user" }, { "content": "user_method", "role": "assistant" } ]
def x(self, frame, breakpoint_hits=None): if not breakpoint_hits: self.interaction(frame, None) else: commands_result = self.bp_commands(frame, breakpoint_hits) if not commands_result: self.interaction(frame, None) else: doprompt, silent = commands_result if not silent: self.print_stack_entry(self.stack[self.curindex]) if doprompt: self._cmdloop() self.forget()
user_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame, breakpoint_hits=None):\n if not breakpoint_hits:\n self.interaction(frame, None)\n else:\n commands_result = self.bp_commands(frame, breakpoint_hits)\n if not commands_result:\n self.interaction(frame, None)\n else:\n doprompt, silent = commands_result\n if not silent:\n self.print_stack_entry(self.stack[self.curindex])\n if doprompt:\n self._cmdloop()\n self.forget()\n", "role": "user" }, { "content": "user_line", "role": "assistant" } ]
def x(self, frame, breakpoint_hits): effective_bp_list, temporaries = breakpoint_hits silent = True doprompt = False atleast_one_cmd = False for bp in effective_bp_list: if bp in self.commands: if not atleast_one_cmd: atleast_one_cmd = True self.setup(frame, None) lastcmd_back = self.lastcmd for line in self.commands[bp]: self.onecmd(line) self.lastcmd = lastcmd_back if not self.commands_silent[bp]: silent = False if self.commands_doprompt[bp]: doprompt = True tmp_to_delete = ' '.join(str(bp) for bp in temporaries) if tmp_to_delete: self.do_clear(tmp_to_delete) if atleast_one_cmd: return doprompt, silent return None
bp_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame, breakpoint_hits):\n effective_bp_list, temporaries = breakpoint_hits\n silent = True\n doprompt = False\n atleast_one_cmd = False\n for bp in effective_bp_list:\n if bp in self.commands:\n if not atleast_one_cmd:\n atleast_one_cmd = True\n self.setup(frame, None)\n lastcmd_back = self.lastcmd\n for line in self.commands[bp]:\n self.onecmd(line)\n self.lastcmd = lastcmd_back\n if not self.commands_silent[bp]:\n silent = False\n if self.commands_doprompt[bp]:\n doprompt = True\n tmp_to_delete = ' '.join(str(bp) for bp in temporaries)\n if tmp_to_delete:\n self.do_clear(tmp_to_delete)\n if atleast_one_cmd:\n return doprompt, silent\n return None\n", "role": "user" }, { "content": "bp_commands", "role": "assistant" } ]
def x(self, frame, return_value): frame.f_locals['__return__'] = return_value self.message('--Return--') self.interaction(frame, None)
user_return
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame, return_value):\n frame.f_locals['__return__'] = return_value\n self.message('--Return--')\n self.interaction(frame, None)\n", "role": "user" }, { "content": "user_return", "role": "assistant" } ]
def x(self, frame, exc_info): exc_type, exc_value, exc_traceback = exc_info frame.f_locals['__exception__'] = exc_type, exc_value prefix = ('Internal ' if PY34 and not exc_traceback and exc_type is StopIteration else '') self.message('--Exception--\n%s%s' % (prefix, traceback. format_exception_only(exc_type, exc_value)[-1].strip())) self.interaction(frame, exc_traceback)
user_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frame, exc_info):\n exc_type, exc_value, exc_traceback = exc_info\n frame.f_locals['__exception__'] = exc_type, exc_value\n prefix = ('Internal ' if PY34 and not exc_traceback and exc_type is\n StopIteration else '')\n self.message('--Exception--\\n%s%s' % (prefix, traceback.\n format_exception_only(exc_type, exc_value)[-1].strip()))\n self.interaction(frame, exc_traceback)\n", "role": "user" }, { "content": "user_exception", "role": "assistant" } ]
def x(self, line): if not line.strip(): return line args = line.split() while args[0] in self.aliases: line = self.aliases[args[0]] ii = 1 for tmpArg in args[1:]: line = line.replace('%' + str(ii), tmpArg) ii += 1 line = line.replace('%*', ' '.join(args[1:])) args = line.split() if args[0] != 'alias': marker = line.find(';;') if marker >= 0: next = line[marker + 2:].lstrip() self.cmdqueue.append(next) line = line[:marker].rstrip() return line
precmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n if not line.strip():\n return line\n args = line.split()\n while args[0] in self.aliases:\n line = self.aliases[args[0]]\n ii = 1\n for tmpArg in args[1:]:\n line = line.replace('%' + str(ii), tmpArg)\n ii += 1\n line = line.replace('%*', ' '.join(args[1:]))\n args = line.split()\n if args[0] != 'alias':\n marker = line.find(';;')\n if marker >= 0:\n next = line[marker + 2:].lstrip()\n self.cmdqueue.append(next)\n line = line[:marker].rstrip()\n return line\n", "role": "user" }, { "content": "precmd", "role": "assistant" } ]
def x(self, line): if not self.commands_defining: return cmd.Cmd.onecmd(self, line) else: return self.handle_command_def(line)
onecmd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n if not self.commands_defining:\n return cmd.Cmd.onecmd(self, line)\n else:\n return self.handle_command_def(line)\n", "role": "user" }, { "content": "onecmd", "role": "assistant" } ]
def x(self, line): cmd, arg, line = self.parseline(line) if not cmd: return if cmd == 'silent': self.commands_silent[self.commands_bnum] = True return elif cmd == 'end': self.cmdqueue = [] return 1 cmdlist = self.commands[self.commands_bnum] if arg: cmdlist.append(cmd + ' ' + arg) else: cmdlist.append(cmd) try: func = getattr(self, 'do_' + cmd) except AttributeError: func = self.default if func.__name__ in self.commands_resuming: self.commands_doprompt[self.commands_bnum] = False self.cmdqueue = [] return 1 return
handle_command_def
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n cmd, arg, line = self.parseline(line)\n if not cmd:\n return\n if cmd == 'silent':\n self.commands_silent[self.commands_bnum] = True\n return\n elif cmd == 'end':\n self.cmdqueue = []\n return 1\n cmdlist = self.commands[self.commands_bnum]\n if arg:\n cmdlist.append(cmd + ' ' + arg)\n else:\n cmdlist.append(cmd)\n try:\n func = getattr(self, 'do_' + cmd)\n except AttributeError:\n func = self.default\n if func.__name__ in self.commands_resuming:\n self.commands_doprompt[self.commands_bnum] = False\n self.cmdqueue = []\n return 1\n return\n", "role": "user" }, { "content": "handle_command_def", "role": "assistant" } ]
def x(self, arg): if not arg: bnum = len(bdb.Breakpoint.bpbynumber) - 1 else: try: bnum = int(arg) except Exception: self.error('Usage: commands [bnum]\n ...\n end') return self.commands_bnum = bnum if bnum in self.commands: old_command_defs = self.commands[bnum], self.commands_doprompt[bnum ], self.commands_silent[bnum] else: old_command_defs = None self.commands[bnum] = [] self.commands_doprompt[bnum] = True self.commands_silent[bnum] = False prompt_back = self.prompt self.prompt = '(com) ' self.commands_defining = True try: self.cmdloop() except KeyboardInterrupt: if old_command_defs: self.commands[bnum] = old_command_defs[0] self.commands_doprompt[bnum] = old_command_defs[1] self.commands_silent[bnum] = old_command_defs[2] else: del self.commands[bnum] del self.commands_doprompt[bnum] del self.commands_silent[bnum] self.error('command definition aborted, old commands restored') finally: self.commands_defining = False self.prompt = prompt_back
do_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if not arg:\n bnum = len(bdb.Breakpoint.bpbynumber) - 1\n else:\n try:\n bnum = int(arg)\n except Exception:\n self.error('Usage: commands [bnum]\\n ...\\n end')\n return\n self.commands_bnum = bnum\n if bnum in self.commands:\n old_command_defs = self.commands[bnum], self.commands_doprompt[bnum\n ], self.commands_silent[bnum]\n else:\n old_command_defs = None\n self.commands[bnum] = []\n self.commands_doprompt[bnum] = True\n self.commands_silent[bnum] = False\n prompt_back = self.prompt\n self.prompt = '(com) '\n self.commands_defining = True\n try:\n self.cmdloop()\n except KeyboardInterrupt:\n if old_command_defs:\n self.commands[bnum] = old_command_defs[0]\n self.commands_doprompt[bnum] = old_command_defs[1]\n self.commands_silent[bnum] = old_command_defs[2]\n else:\n del self.commands[bnum]\n del self.commands_doprompt[bnum]\n del self.commands_silent[bnum]\n self.error('command definition aborted, old commands restored')\n finally:\n self.commands_defining = False\n self.prompt = prompt_back\n", "role": "user" }, { "content": "do_commands", "role": "assistant" } ]
def x(self, arg, temporary=0): if not arg: all_breaks = '\n'.join(bp.bpformat() for bp in bdb.Breakpoint. bpbynumber if bp) if all_breaks: self.message('Num Type Disp Enb Where') self.message(all_breaks) return args = arg.rsplit(',', 1) cond = args[1].strip() if len(args) == 2 else None args = args[0].rsplit(':', 1) name = args[0].strip() lineno = args[1] if len(args) == 2 else args[0] try: lineno = int(lineno) except ValueError: if len(args) == 2: self.error('Bad lineno: "{}".'.format(lineno)) else: candidates = get_fqn_fname(name, self.curframe) for fqn, fname in candidates: try: bp = self.set_break(fname, None, temporary, cond, fqn) self.message('Breakpoint {:d} at {}:{:d}'.format(bp. number, bp.file, bp.line)) return except bdb.BdbError: pass if not candidates: self.error('Not a function or a built-in: "{}"'.format(name)) else: self.error('Bad name: "{}".'.format(name)) else: filename = self.curframe.f_code.co_filename if len(args) == 2 and name: filename = name if filename.startswith('<') and filename.endswith('>'): if filename == '<string>' and self.mainpyfile: filename = self.mainpyfile else: root, ext = os.path.splitext(filename) if ext == '': filename = filename + '.py' if not os.path.exists(filename): self.error('Bad filename: "{}".'.format(arg)) return try: bp = self.set_break(filename, lineno, temporary, cond) except bdb.BdbError as err: self.error(err) else: self.message('Breakpoint {:d} at {}:{:d}'.format(bp.number, bp. file, bp.line))
do_break
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg, temporary=0):\n if not arg:\n all_breaks = '\\n'.join(bp.bpformat() for bp in bdb.Breakpoint.\n bpbynumber if bp)\n if all_breaks:\n self.message('Num Type Disp Enb Where')\n self.message(all_breaks)\n return\n args = arg.rsplit(',', 1)\n cond = args[1].strip() if len(args) == 2 else None\n args = args[0].rsplit(':', 1)\n name = args[0].strip()\n lineno = args[1] if len(args) == 2 else args[0]\n try:\n lineno = int(lineno)\n except ValueError:\n if len(args) == 2:\n self.error('Bad lineno: \"{}\".'.format(lineno))\n else:\n candidates = get_fqn_fname(name, self.curframe)\n for fqn, fname in candidates:\n try:\n bp = self.set_break(fname, None, temporary, cond, fqn)\n self.message('Breakpoint {:d} at {}:{:d}'.format(bp.\n number, bp.file, bp.line))\n return\n except bdb.BdbError:\n pass\n if not candidates:\n self.error('Not a function or a built-in: \"{}\"'.format(name))\n else:\n self.error('Bad name: \"{}\".'.format(name))\n else:\n filename = self.curframe.f_code.co_filename\n if len(args) == 2 and name:\n filename = name\n if filename.startswith('<') and filename.endswith('>'):\n if filename == '<string>' and self.mainpyfile:\n filename = self.mainpyfile\n else:\n root, ext = os.path.splitext(filename)\n if ext == '':\n filename = filename + '.py'\n if not os.path.exists(filename):\n self.error('Bad filename: \"{}\".'.format(arg))\n return\n try:\n bp = self.set_break(filename, lineno, temporary, cond)\n except bdb.BdbError as err:\n self.error(err)\n else:\n self.message('Breakpoint {:d} at {}:{:d}'.format(bp.number, bp.\n file, bp.line))\n", "role": "user" }, { "content": "do_break", "role": "assistant" } ]
def x(self): filename = self.curframe.f_code.co_filename if filename == '<string>' and self.mainpyfile: filename = self.mainpyfile return filename
defaultFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n filename = self.curframe.f_code.co_filename\n if filename == '<string>' and self.mainpyfile:\n filename = self.mainpyfile\n return filename\n", "role": "user" }, { "content": "defaultFile", "role": "assistant" } ]
def x(self, arg): args = arg.split() for i in args: try: bp = self.get_bpbynumber(i) except ValueError as err: self.error(err) else: bp.enable() self.done_breakpoint_state(bp, True)
do_enable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n args = arg.split()\n for i in args:\n try:\n bp = self.get_bpbynumber(i)\n except ValueError as err:\n self.error(err)\n else:\n bp.enable()\n self.done_breakpoint_state(bp, True)\n", "role": "user" }, { "content": "do_enable", "role": "assistant" } ]
def x(self, arg): args = arg.split() for i in args: try: bp = self.get_bpbynumber(i) except ValueError as err: self.error(err) else: bp.disable() self.done_breakpoint_state(bp, False)
do_disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n args = arg.split()\n for i in args:\n try:\n bp = self.get_bpbynumber(i)\n except ValueError as err:\n self.error(err)\n else:\n bp.disable()\n self.done_breakpoint_state(bp, False)\n", "role": "user" }, { "content": "do_disable", "role": "assistant" } ]
def x(self, arg): args = arg.split(' ', 1) try: cond = args[1] except IndexError: cond = None try: bp = self.get_bpbynumber(args[0].strip()) except IndexError: self.error('Breakpoint number expected') except ValueError as err: self.error(err) else: bp.cond = cond if not cond: self.message('Breakpoint %d is now unconditional.' % bp.number) else: self.message('New condition set for breakpoint %d.' % bp.number)
do_condition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n args = arg.split(' ', 1)\n try:\n cond = args[1]\n except IndexError:\n cond = None\n try:\n bp = self.get_bpbynumber(args[0].strip())\n except IndexError:\n self.error('Breakpoint number expected')\n except ValueError as err:\n self.error(err)\n else:\n bp.cond = cond\n if not cond:\n self.message('Breakpoint %d is now unconditional.' % bp.number)\n else:\n self.message('New condition set for breakpoint %d.' % bp.number)\n", "role": "user" }, { "content": "do_condition", "role": "assistant" } ]
def x(self, arg): args = arg.split(' ', 1) try: count = int(args[1].strip()) except Exception: count = 0 try: bp = self.get_bpbynumber(args[0].strip()) except IndexError: self.error('Breakpoint number expected') except ValueError as err: self.error(err) else: bp.ignore = count if count > 0: if count > 1: countstr = '%d crossings' % count else: countstr = '1 crossing' self.message('Will ignore next %s of breakpoint %d.' % ( countstr, bp.number)) else: self.message('Will stop next time breakpoint %d is reached.' % bp.number)
do_ignore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n args = arg.split(' ', 1)\n try:\n count = int(args[1].strip())\n except Exception:\n count = 0\n try:\n bp = self.get_bpbynumber(args[0].strip())\n except IndexError:\n self.error('Breakpoint number expected')\n except ValueError as err:\n self.error(err)\n else:\n bp.ignore = count\n if count > 0:\n if count > 1:\n countstr = '%d crossings' % count\n else:\n countstr = '1 crossing'\n self.message('Will ignore next %s of breakpoint %d.' % (\n countstr, bp.number))\n else:\n self.message('Will stop next time breakpoint %d is reached.' %\n bp.number)\n", "role": "user" }, { "content": "do_ignore", "role": "assistant" } ]
def x(self, arg): if not arg: try: if PY3: reply = input('Clear all breaks? ') else: reply = raw_input('Clear all breaks? ') except EOFError: reply = 'no' reply = reply.strip().lower() if reply in ('y', 'yes'): bplist = [bp for bp in bdb.Breakpoint.bpbynumber if bp] self.clear_all_breaks() for bp in bplist: self.done_delete_breakpoint(bp) return if ':' in arg: i = arg.rfind(':') filename = arg[:i] arg = arg[i + 1:] try: lineno = int(arg) except ValueError: err = 'Invalid line number (%s)' % arg else: bplist = self.get_breaks(filename, lineno) err = self.clear_break(filename, lineno) if err: self.error(err) else: for bp in bplist: self.done_delete_breakpoint(bp) return numberlist = arg.split() for i in numberlist: try: bp = self.get_bpbynumber(i) except ValueError as err: self.error(err) else: self.clear_bpbynumber(i) self.done_delete_breakpoint(bp)
do_clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if not arg:\n try:\n if PY3:\n reply = input('Clear all breaks? ')\n else:\n reply = raw_input('Clear all breaks? ')\n except EOFError:\n reply = 'no'\n reply = reply.strip().lower()\n if reply in ('y', 'yes'):\n bplist = [bp for bp in bdb.Breakpoint.bpbynumber if bp]\n self.clear_all_breaks()\n for bp in bplist:\n self.done_delete_breakpoint(bp)\n return\n if ':' in arg:\n i = arg.rfind(':')\n filename = arg[:i]\n arg = arg[i + 1:]\n try:\n lineno = int(arg)\n except ValueError:\n err = 'Invalid line number (%s)' % arg\n else:\n bplist = self.get_breaks(filename, lineno)\n err = self.clear_break(filename, lineno)\n if err:\n self.error(err)\n else:\n for bp in bplist:\n self.done_delete_breakpoint(bp)\n return\n numberlist = arg.split()\n for i in numberlist:\n try:\n bp = self.get_bpbynumber(i)\n except ValueError as err:\n self.error(err)\n else:\n self.clear_bpbynumber(i)\n self.done_delete_breakpoint(bp)\n", "role": "user" }, { "content": "do_clear", "role": "assistant" } ]
def x(self, arg): if self.curindex == 0: self.error('Oldest frame') return try: count = int(arg or 1) except ValueError: self.error('Invalid frame count (%s)' % arg) return if count < 0: newframe = 0 else: newframe = max(0, self.curindex - count) self._select_frame(newframe)
do_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if self.curindex == 0:\n self.error('Oldest frame')\n return\n try:\n count = int(arg or 1)\n except ValueError:\n self.error('Invalid frame count (%s)' % arg)\n return\n if count < 0:\n newframe = 0\n else:\n newframe = max(0, self.curindex - count)\n self._select_frame(newframe)\n", "role": "user" }, { "content": "do_up", "role": "assistant" } ]
def x(self, arg): if self.curindex + 1 == len(self.stack): self.error('Newest frame') return try: count = int(arg or 1) except ValueError: self.error('Invalid frame count (%s)' % arg) return if count < 0: newframe = len(self.stack) - 1 else: newframe = min(len(self.stack) - 1, self.curindex + count) self._select_frame(newframe)
do_down
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if self.curindex + 1 == len(self.stack):\n self.error('Newest frame')\n return\n try:\n count = int(arg or 1)\n except ValueError:\n self.error('Invalid frame count (%s)' % arg)\n return\n if count < 0:\n newframe = len(self.stack) - 1\n else:\n newframe = min(len(self.stack) - 1, self.curindex + count)\n self._select_frame(newframe)\n", "role": "user" }, { "content": "do_down", "role": "assistant" } ]
def x(self, arg): if arg: try: lineno = int(arg) except ValueError: self.error('Error in argument: %r' % arg) return if lineno <= self.curframe.f_lineno: self.error( '"until" line number is smaller than current line number') return else: lineno = None self.set_until(self.curframe, lineno) self.set_sigint_handler() return 1
do_until
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if arg:\n try:\n lineno = int(arg)\n except ValueError:\n self.error('Error in argument: %r' % arg)\n return\n if lineno <= self.curframe.f_lineno:\n self.error(\n '\"until\" line number is smaller than current line number')\n return\n else:\n lineno = None\n self.set_until(self.curframe, lineno)\n self.set_sigint_handler()\n return 1\n", "role": "user" }, { "content": "do_until", "role": "assistant" } ]
def x(self, arg): if arg: argv0 = sys.argv[0:1] sys.argv = shlex.split(arg) sys.argv[:0] = argv0 raise Restart
do_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if arg:\n argv0 = sys.argv[0:1]\n sys.argv = shlex.split(arg)\n sys.argv[:0] = argv0\n raise Restart\n", "role": "user" }, { "content": "do_run", "role": "assistant" } ]
def x(self, arg): if self.curindex + 1 != len(self.stack): self.error('You can only jump within the bottom frame') return try: arg = int(arg) except ValueError: self.error("The 'jump' command requires a line number") else: try: self.curframe.f_lineno = arg self.stack[self.curindex] = self.stack[self.curindex][0], arg self.print_stack_entry(self.stack[self.curindex]) except ValueError as e: self.error('Jump failed: %s' % e)
do_jump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n if self.curindex + 1 != len(self.stack):\n self.error('You can only jump within the bottom frame')\n return\n try:\n arg = int(arg)\n except ValueError:\n self.error(\"The 'jump' command requires a line number\")\n else:\n try:\n self.curframe.f_lineno = arg\n self.stack[self.curindex] = self.stack[self.curindex][0], arg\n self.print_stack_entry(self.stack[self.curindex])\n except ValueError as e:\n self.error('Jump failed: %s' % e)\n", "role": "user" }, { "content": "do_jump", "role": "assistant" } ]
def x(self, arg): self.settrace(False) globals = self.curframe.f_globals locals = self.get_locals(self.curframe) p = Pdb(self.completekey, self.stdin, self.stdout, debug=True) p.prompt = '(%s) ' % self.prompt.strip() self.message('ENTERING RECURSIVE DEBUGGER') sys.call_tracing(p.run, (arg, globals, locals)) self.message('LEAVING RECURSIVE DEBUGGER') self.settrace(True) self.lastcmd = p.lastcmd
do_debug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg):\n self.settrace(False)\n globals = self.curframe.f_globals\n locals = self.get_locals(self.curframe)\n p = Pdb(self.completekey, self.stdin, self.stdout, debug=True)\n p.prompt = '(%s) ' % self.prompt.strip()\n self.message('ENTERING RECURSIVE DEBUGGER')\n sys.call_tracing(p.run, (arg, globals, locals))\n self.message('LEAVING RECURSIVE DEBUGGER')\n self.settrace(True)\n self.lastcmd = p.lastcmd\n", "role": "user" }, { "content": "do_debug", "role": "assistant" } ]