source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(cls, message):
sys.stderr.write('WARNING: {message}\n'.format(message=message))
sys.stderr.flush()
| emit_warning | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message):\n sys.stderr.write('WARNING: {message}\\n'.format(message=message))\n sys.stderr.flush()\n",
"role": "user"
},
{
"content": "emit_warning",
"role": "assistant"
}
] |
def x(self):
if self.pidfile is None:
return
piddir = os.path.dirname(self.pidfile)
if not os.path.isdir(piddir):
os.makedirs(piddir, 511 & ~self.umask)
os.chown(piddir, self.uid, self.gid)
| setup_piddir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.pidfile is None:\n return\n piddir = os.path.dirname(self.pidfile)\n if not os.path.isdir(piddir):\n os.makedirs(piddir, 511 & ~self.umask)\n os.chown(piddir, self.uid, self.gid)\n",
"role": "user"
},
{
"content": "setup_piddir",
"role": "assistant"
}
] |
def x(self):
if self.pidfile is None:
return None
if not os.path.isfile(self.pidfile):
return None
with open(self.pidfile, 'r') as fp:
try:
pid = int(fp.read())
except ValueError:
self._emit_warning('Empty or broken pidfile {pidfile}; removing'
.format(pidfile=self.pidfile))
pid = None
if pid is not None and psutil.pid_exists(pid):
return pid
else:
os.remove(self.pidfile)
return None
| read_pidfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.pidfile is None:\n return None\n if not os.path.isfile(self.pidfile):\n return None\n with open(self.pidfile, 'r') as fp:\n try:\n pid = int(fp.read())\n except ValueError:\n self._emit_warning('Empty or broken pidfile {pidfile}; removing'\n .format(pidfile=self.pidfile))\n pid = None\n if pid is not None and psutil.pid_exists(pid):\n return pid\n else:\n os.remove(self.pidfile)\n return None\n",
"role": "user"
},
{
"content": "read_pidfile",
"role": "assistant"
}
] |
def x(self):
flags = os.O_CREAT | os.O_RDWR
try:
flags = flags | os.O_EXLOCK
except AttributeError:
pass
self._pid_fd = os.open(self.pidfile, flags, 438 & ~self.umask)
os.write(self._pid_fd, str(os.getpid()).encode('utf-8'))
| write_pidfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n flags = os.O_CREAT | os.O_RDWR\n try:\n flags = flags | os.O_EXLOCK\n except AttributeError:\n pass\n self._pid_fd = os.open(self.pidfile, flags, 438 & ~self.umask)\n os.write(self._pid_fd, str(os.getpid()).encode('utf-8'))\n",
"role": "user"
},
{
"content": "write_pidfile",
"role": "assistant"
}
] |
def x(self):
if self._pid_fd is not None:
os.close(self._pid_fd)
try:
os.remove(self.pidfile)
except OSError as ex:
if ex.errno != errno.ENOENT:
raise
| close_pidfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._pid_fd is not None:\n os.close(self._pid_fd)\n try:\n os.remove(self.pidfile)\n except OSError as ex:\n if ex.errno != errno.ENOENT:\n raise\n",
"role": "user"
},
{
"content": "close_pidfile",
"role": "assistant"
}
] |
def x(cls):
try:
resource.getrlimit(resource.RLIMIT_CORE)
except ValueError:
return
else:
resource.setrlimit(resource.RLIMIT_CORE, (0, 0))
| prevent_core_dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n try:\n resource.getrlimit(resource.RLIMIT_CORE)\n except ValueError:\n return\n else:\n resource.setrlimit(resource.RLIMIT_CORE, (0, 0))\n",
"role": "user"
},
{
"content": "prevent_core_dump",
"role": "assistant"
}
] |
def x(self):
self._orig_workdir = os.getcwd()
if self.chrootdir is not None:
try:
os.chdir(self.chrootdir)
os.chroot(self.chrootdir)
except Exception as ex:
raise DaemonError('Unable to change root directory ({error})'.
format(error=str(ex)))
self._prevent_core_dump()
try:
os.chdir(self.workdir)
except Exception as ex:
raise DaemonError('Unable to change working directory ({error})'.
format(error=str(ex)))
self._setup_piddir()
try:
os.umask(self.umask)
except Exception as ex:
raise DaemonError('Unable to change file creation mask ({error})'.
format(error=str(ex)))
try:
os.setgid(self.gid)
os.setuid(self.uid)
except Exception as ex:
raise DaemonError('Unable to setuid or setgid ({error})'.format(
error=str(ex)))
| setup_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._orig_workdir = os.getcwd()\n if self.chrootdir is not None:\n try:\n os.chdir(self.chrootdir)\n os.chroot(self.chrootdir)\n except Exception as ex:\n raise DaemonError('Unable to change root directory ({error})'.\n format(error=str(ex)))\n self._prevent_core_dump()\n try:\n os.chdir(self.workdir)\n except Exception as ex:\n raise DaemonError('Unable to change working directory ({error})'.\n format(error=str(ex)))\n self._setup_piddir()\n try:\n os.umask(self.umask)\n except Exception as ex:\n raise DaemonError('Unable to change file creation mask ({error})'.\n format(error=str(ex)))\n try:\n os.setgid(self.gid)\n os.setuid(self.uid)\n except Exception as ex:\n raise DaemonError('Unable to setuid or setgid ({error})'.format(\n error=str(ex)))\n",
"role": "user"
},
{
"content": "setup_environment",
"role": "assistant"
}
] |
def x(self):
if self.close_open_files:
max_fds = resource.getrlimit(resource.RLIMIT_NOFILE)[1]
if max_fds == resource.RLIM_INFINITY:
max_fds = 2048
else:
max_fds = 3
for fd in range(max_fds):
try:
os.close(fd)
except OSError:
pass
devnull_fd = os.open(os.devnull, os.O_RDWR)
os.dup2(devnull_fd, 0)
os.dup2(devnull_fd, 1)
os.dup2(devnull_fd, 2)
| reset_file_descriptors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.close_open_files:\n max_fds = resource.getrlimit(resource.RLIMIT_NOFILE)[1]\n if max_fds == resource.RLIM_INFINITY:\n max_fds = 2048\n else:\n max_fds = 3\n for fd in range(max_fds):\n try:\n os.close(fd)\n except OSError:\n pass\n devnull_fd = os.open(os.devnull, os.O_RDWR)\n os.dup2(devnull_fd, 0)\n os.dup2(devnull_fd, 1)\n os.dup2(devnull_fd, 2)\n",
"role": "user"
},
{
"content": "reset_file_descriptors",
"role": "assistant"
}
] |
def x(cls, stream):
try:
fd = stream.fileno()
except ValueError:
return False
sock = socket.fromfd(fd, socket.AF_INET, socket.SOCK_RAW)
try:
sock.getsockopt(socket.SOL_SOCKET, socket.SO_TYPE)
except socket.error as ex:
if ex.args[0] != errno.ENOTSOCK:
return True
else:
return True
| is_socket | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, stream):\n try:\n fd = stream.fileno()\n except ValueError:\n return False\n sock = socket.fromfd(fd, socket.AF_INET, socket.SOCK_RAW)\n try:\n sock.getsockopt(socket.SOL_SOCKET, socket.SO_TYPE)\n except socket.error as ex:\n if ex.args[0] != errno.ENOTSOCK:\n return True\n else:\n return True\n",
"role": "user"
},
{
"content": "is_socket",
"role": "assistant"
}
] |
def x(cls, pid, timeout):
try:
proc = psutil.Process(pid)
except psutil.NoSuchProcess:
return False
try:
proc.wait(timeout=timeout)
except psutil.TimeoutExpired:
return True
return False
| pid_is_alive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, pid, timeout):\n try:\n proc = psutil.Process(pid)\n except psutil.NoSuchProcess:\n return False\n try:\n proc.wait(timeout=timeout)\n except psutil.TimeoutExpired:\n return True\n return False\n",
"role": "user"
},
{
"content": "pid_is_alive",
"role": "assistant"
}
] |
def x(cls):
if os.getppid() == 1:
return False
if cls._is_socket(sys.stdin):
return False
return True
| is_detach_necessary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if os.getppid() == 1:\n return False\n if cls._is_socket(sys.stdin):\n return False\n return True\n",
"role": "user"
},
{
"content": "is_detach_necessary",
"role": "assistant"
}
] |
def x(self):
pid = os.fork()
if pid > 0:
os.waitpid(pid, 0)
sys.exit(0)
os.setsid()
pid = os.fork()
if pid > 0:
time.sleep(1)
status = os.waitpid(pid, os.WNOHANG)
if status[0] == pid:
exitcode = status[1] % 255
self._emit_failed()
self._emit_error('Child exited immediately with exit code {code}'
.format(code=exitcode))
sys.exit(exitcode)
else:
self._emit_ok()
sys.exit(0)
self._reset_file_descriptors()
| detach_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pid = os.fork()\n if pid > 0:\n os.waitpid(pid, 0)\n sys.exit(0)\n os.setsid()\n pid = os.fork()\n if pid > 0:\n time.sleep(1)\n status = os.waitpid(pid, os.WNOHANG)\n if status[0] == pid:\n exitcode = status[1] % 255\n self._emit_failed()\n self._emit_error('Child exited immediately with exit code {code}'\n .format(code=exitcode))\n sys.exit(exitcode)\n else:\n self._emit_ok()\n sys.exit(0)\n self._reset_file_descriptors()\n",
"role": "user"
},
{
"content": "detach_process",
"role": "assistant"
}
] |
def x(cls, wait_for_parent=False):
ppid = os.getpid()
pid = os.fork()
if pid > 0:
sys.exit(0)
if wait_for_parent and cls._pid_is_alive(ppid, timeout=1):
raise DaemonError('Parent did not exit while trying to orphan process')
| orphan_this_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, wait_for_parent=False):\n ppid = os.getpid()\n pid = os.fork()\n if pid > 0:\n sys.exit(0)\n if wait_for_parent and cls._pid_is_alive(ppid, timeout=1):\n raise DaemonError('Parent did not exit while trying to orphan process')\n",
"role": "user"
},
{
"content": "orphan_this_process",
"role": "assistant"
}
] |
def x(cls):
pid = os.fork()
if pid == 0:
cls._orphan_this_process()
return
os.waitpid(pid, 0)
pgid = os.getpgrp()
exclude_pids = set([0, os.getpid()])
proc = psutil.Process()
while os.getpgid(proc.pid) == pgid:
exclude_pids.add(proc.pid)
proc = psutil.Process(proc.ppid())
while True:
try:
group_procs = []
for proc in psutil.process_iter():
try:
if os.getpgid(proc.pid
) == pgid and proc.pid not in exclude_pids:
group_procs.append(proc)
except (psutil.NoSuchProcess, OSError):
continue
if group_procs:
psutil.wait_procs(group_procs, timeout=1)
else:
cls._emit_message(
'All children are gone. Parent is exiting...\n')
sys.exit(0)
except KeyboardInterrupt:
cls._emit_message('\n')
continue
| fork_and_supervise_child | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n pid = os.fork()\n if pid == 0:\n cls._orphan_this_process()\n return\n os.waitpid(pid, 0)\n pgid = os.getpgrp()\n exclude_pids = set([0, os.getpid()])\n proc = psutil.Process()\n while os.getpgid(proc.pid) == pgid:\n exclude_pids.add(proc.pid)\n proc = psutil.Process(proc.ppid())\n while True:\n try:\n group_procs = []\n for proc in psutil.process_iter():\n try:\n if os.getpgid(proc.pid\n ) == pgid and proc.pid not in exclude_pids:\n group_procs.append(proc)\n except (psutil.NoSuchProcess, OSError):\n continue\n if group_procs:\n psutil.wait_procs(group_procs, timeout=1)\n else:\n cls._emit_message(\n 'All children are gone. Parent is exiting...\\n')\n sys.exit(0)\n except KeyboardInterrupt:\n cls._emit_message('\\n')\n continue\n",
"role": "user"
},
{
"content": "fork_and_supervise_child",
"role": "assistant"
}
] |
def x(self, message=None, code=0):
if self._shutdown_complete:
sys.exit(code)
if self.shutdown_callback is not None:
self.shutdown_callback(message, code)
if self.pidfile is not None:
self._close_pidfile()
self._shutdown_complete = True
sys.exit(code)
| shutdown | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message=None, code=0):\n if self._shutdown_complete:\n sys.exit(code)\n if self.shutdown_callback is not None:\n self.shutdown_callback(message, code)\n if self.pidfile is not None:\n self._close_pidfile()\n self._shutdown_complete = True\n sys.exit(code)\n",
"role": "user"
},
{
"content": "shutdown",
"role": "assistant"
}
] |
def x(self, signal_number, _):
signal_names = {signal.SIGINT: 'SIGINT', signal.SIGQUIT: 'SIGQUIT',
signal.SIGTERM: 'SIGTERM'}
message = 'Terminated by {name} ({number})'.format(name=signal_names[
signal_number], number=signal_number)
self._shutdown(message, code=128 + signal_number)
| handle_terminate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signal_number, _):\n signal_names = {signal.SIGINT: 'SIGINT', signal.SIGQUIT: 'SIGQUIT',\n signal.SIGTERM: 'SIGTERM'}\n message = 'Terminated by {name} ({number})'.format(name=signal_names[\n signal_number], number=signal_number)\n self._shutdown(message, code=128 + signal_number)\n",
"role": "user"
},
{
"content": "handle_terminate",
"role": "assistant"
}
] |
def x(self):
try:
self.worker()
except SystemExit as ex:
if isinstance(ex.code, int):
if ex.code is not None and ex.code != 0:
self._shutdown('Exiting with non-zero exit code {exitcode}'
.format(exitcode=ex.code), ex.code)
else:
self._shutdown('Exiting with message: {msg}'.format(msg=ex.code), 1
)
except Exception as ex:
if self.detach:
self._shutdown('Dying due to unhandled {cls}: {msg}'.format(cls
=ex.__class__.__name__, msg=str(ex)), 127)
else:
raise
self._shutdown('Shutting down normally')
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n self.worker()\n except SystemExit as ex:\n if isinstance(ex.code, int):\n if ex.code is not None and ex.code != 0:\n self._shutdown('Exiting with non-zero exit code {exitcode}'\n .format(exitcode=ex.code), ex.code)\n else:\n self._shutdown('Exiting with message: {msg}'.format(msg=ex.code), 1\n )\n except Exception as ex:\n if self.detach:\n self._shutdown('Dying due to unhandled {cls}: {msg}'.format(cls\n =ex.__class__.__name__, msg=str(ex)), 127)\n else:\n raise\n self._shutdown('Shutting down normally')\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self):
if self.worker is None:
raise DaemonError('No worker is defined for daemon')
if os.environ.get('DAEMONOCLE_RELOAD'):
self._emit_message('Reloading {prog} ... '.format(prog=self.prog))
self._orphan_this_process(wait_for_parent=True)
pid = self._read_pidfile()
if pid is not None and self._pid_is_alive(pid, timeout=self.
stop_timeout):
self._emit_failed()
message = (
'Previous process (PID {pid}) did NOT exit during reload'.
format(pid=pid))
self._emit_error(message)
self._shutdown(message, 1)
pid = self._read_pidfile()
if pid is not None:
self._emit_warning('{prog} already running with PID {pid}'.format(
prog=self.prog, pid=pid))
return
if not self.detach and not os.environ.get('DAEMONOCLE_RELOAD'):
self._fork_and_supervise_child()
if not os.environ.get('DAEMONOCLE_RELOAD'):
self._emit_message('Starting {prog} ... '.format(prog=self.prog))
self._setup_environment()
if self.detach:
self._detach_process()
else:
self._emit_ok()
if self.pidfile is not None:
self._write_pidfile()
signal.signal(signal.SIGINT, self._handle_terminate)
signal.signal(signal.SIGQUIT, self._handle_terminate)
signal.signal(signal.SIGTERM, self._handle_terminate)
self._run()
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.worker is None:\n raise DaemonError('No worker is defined for daemon')\n if os.environ.get('DAEMONOCLE_RELOAD'):\n self._emit_message('Reloading {prog} ... '.format(prog=self.prog))\n self._orphan_this_process(wait_for_parent=True)\n pid = self._read_pidfile()\n if pid is not None and self._pid_is_alive(pid, timeout=self.\n stop_timeout):\n self._emit_failed()\n message = (\n 'Previous process (PID {pid}) did NOT exit during reload'.\n format(pid=pid))\n self._emit_error(message)\n self._shutdown(message, 1)\n pid = self._read_pidfile()\n if pid is not None:\n self._emit_warning('{prog} already running with PID {pid}'.format(\n prog=self.prog, pid=pid))\n return\n if not self.detach and not os.environ.get('DAEMONOCLE_RELOAD'):\n self._fork_and_supervise_child()\n if not os.environ.get('DAEMONOCLE_RELOAD'):\n self._emit_message('Starting {prog} ... '.format(prog=self.prog))\n self._setup_environment()\n if self.detach:\n self._detach_process()\n else:\n self._emit_ok()\n if self.pidfile is not None:\n self._write_pidfile()\n signal.signal(signal.SIGINT, self._handle_terminate)\n signal.signal(signal.SIGQUIT, self._handle_terminate)\n signal.signal(signal.SIGTERM, self._handle_terminate)\n self._run()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
if self.pidfile is None:
raise DaemonError('Cannot stop daemon without PID file')
pid = self._read_pidfile()
if pid is None:
self._emit_warning('{prog} is not running'.format(prog=self.prog))
return
self._emit_message('Stopping {prog} ... '.format(prog=self.prog))
try:
os.kill(pid, signal.SIGTERM)
except OSError as ex:
self._emit_failed()
self._emit_error(str(ex))
sys.exit(1)
if self._pid_is_alive(pid, timeout=self.stop_timeout):
self._emit_failed()
self._emit_error(
'Timed out while waiting for process (PID {pid}) to terminate'.
format(pid=pid))
sys.exit(1)
self._emit_ok()
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.pidfile is None:\n raise DaemonError('Cannot stop daemon without PID file')\n pid = self._read_pidfile()\n if pid is None:\n self._emit_warning('{prog} is not running'.format(prog=self.prog))\n return\n self._emit_message('Stopping {prog} ... '.format(prog=self.prog))\n try:\n os.kill(pid, signal.SIGTERM)\n except OSError as ex:\n self._emit_failed()\n self._emit_error(str(ex))\n sys.exit(1)\n if self._pid_is_alive(pid, timeout=self.stop_timeout):\n self._emit_failed()\n self._emit_error(\n 'Timed out while waiting for process (PID {pid}) to terminate'.\n format(pid=pid))\n sys.exit(1)\n self._emit_ok()\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
if self.pidfile is None:
raise DaemonError('Cannot get status of daemon without PID file')
pid = self._read_pidfile()
if pid is None:
self._emit_message('{prog} -- not running\n'.format(prog=self.prog))
sys.exit(1)
proc = psutil.Process(pid)
data = {'prog': self.prog, 'pid': pid, 'status': proc.status(),
'uptime': '0m', 'cpu': 0.0, 'memory': 0.0}
pgid = os.getpgid(pid)
for gproc in psutil.process_iter():
try:
if os.getpgid(gproc.pid) == pgid and gproc.pid != 0:
data['cpu'] += gproc.cpu_percent(interval=0.1)
data['memory'] += gproc.memory_percent()
except (psutil.Error, OSError):
continue
try:
uptime_mins = int(round((time.time() - proc.create_time()) / 60))
uptime_hours, uptime_mins = divmod(uptime_mins, 60)
data['uptime'] = str(uptime_mins) + 'm'
if uptime_hours:
uptime_days, uptime_hours = divmod(uptime_hours, 24)
data['uptime'] = str(uptime_hours) + 'h ' + data['uptime']
if uptime_days:
data['uptime'] = str(uptime_days) + 'd ' + data['uptime']
except psutil.Error:
pass
template = """{prog} -- pid: {pid}, status: {status}, uptime: {uptime}, %cpu: {cpu:.1f}, %mem: {memory:.1f}
"""
self._emit_message(template.format(**data))
| status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.pidfile is None:\n raise DaemonError('Cannot get status of daemon without PID file')\n pid = self._read_pidfile()\n if pid is None:\n self._emit_message('{prog} -- not running\\n'.format(prog=self.prog))\n sys.exit(1)\n proc = psutil.Process(pid)\n data = {'prog': self.prog, 'pid': pid, 'status': proc.status(),\n 'uptime': '0m', 'cpu': 0.0, 'memory': 0.0}\n pgid = os.getpgid(pid)\n for gproc in psutil.process_iter():\n try:\n if os.getpgid(gproc.pid) == pgid and gproc.pid != 0:\n data['cpu'] += gproc.cpu_percent(interval=0.1)\n data['memory'] += gproc.memory_percent()\n except (psutil.Error, OSError):\n continue\n try:\n uptime_mins = int(round((time.time() - proc.create_time()) / 60))\n uptime_hours, uptime_mins = divmod(uptime_mins, 60)\n data['uptime'] = str(uptime_mins) + 'm'\n if uptime_hours:\n uptime_days, uptime_hours = divmod(uptime_hours, 24)\n data['uptime'] = str(uptime_hours) + 'h ' + data['uptime']\n if uptime_days:\n data['uptime'] = str(uptime_days) + 'd ' + data['uptime']\n except psutil.Error:\n pass\n template = \"\"\"{prog} -- pid: {pid}, status: {status}, uptime: {uptime}, %cpu: {cpu:.1f}, %mem: {memory:.1f}\n\"\"\"\n self._emit_message(template.format(**data))\n",
"role": "user"
},
{
"content": "status",
"role": "assistant"
}
] |
def x(cls):
actions = ['start', 'stop', 'restart', 'status']
for func_name in dir(cls):
func = getattr(cls, func_name)
if not hasattr(func, '__call__') or not getattr(func,
'__daemonocle_exposed__', False):
continue
action = func_name.replace('_', '-')
if action not in actions:
actions.append(action)
return actions
| list_actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n actions = ['start', 'stop', 'restart', 'status']\n for func_name in dir(cls):\n func = getattr(cls, func_name)\n if not hasattr(func, '__call__') or not getattr(func,\n '__daemonocle_exposed__', False):\n continue\n action = func_name.replace('_', '-')\n if action not in actions:\n actions.append(action)\n return actions\n",
"role": "user"
},
{
"content": "list_actions",
"role": "assistant"
}
] |
def x(self, action):
func_name = action.replace('-', '_')
if not hasattr(self, func_name):
raise DaemonError('Invalid action "{action}"'.format(action=action))
func = getattr(self, func_name)
if not hasattr(func, '__call__') or getattr(func,
'__daemonocle_exposed__', False) is not True:
raise DaemonError('Invalid action "{action}"'.format(action=action))
return func
| get_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, action):\n func_name = action.replace('-', '_')\n if not hasattr(self, func_name):\n raise DaemonError('Invalid action \"{action}\"'.format(action=action))\n func = getattr(self, func_name)\n if not hasattr(func, '__call__') or getattr(func,\n '__daemonocle_exposed__', False) is not True:\n raise DaemonError('Invalid action \"{action}\"'.format(action=action))\n return func\n",
"role": "user"
},
{
"content": "get_action",
"role": "assistant"
}
] |
def x(self):
pid = self._read_pidfile()
if pid is None or pid != os.getpid():
raise DaemonError(
'Daemon.reload() should only be called by the daemon process itself'
)
new_environ = os.environ.copy()
new_environ['DAEMONOCLE_RELOAD'] = 'true'
subprocess.call([sys.executable] + sys.argv, cwd=self._orig_workdir,
env=new_environ)
self._shutdown('Shutting down for reload')
| reload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pid = self._read_pidfile()\n if pid is None or pid != os.getpid():\n raise DaemonError(\n 'Daemon.reload() should only be called by the daemon process itself'\n )\n new_environ = os.environ.copy()\n new_environ['DAEMONOCLE_RELOAD'] = 'true'\n subprocess.call([sys.executable] + sys.argv, cwd=self._orig_workdir,\n env=new_environ)\n self._shutdown('Shutting down for reload')\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant"
}
] |
def x(peak_list):
win_list = []
for t0, t1, hints in peak_list:
p_w = t0, t1
for w in win_list:
if p_w[0] <= w[0][1] and p_w[1] >= w[0][0]:
w[0] = min(p_w[0], w[0][0]), max(p_w[1], w[0][1])
w[1].append((t0, t1, hints))
break
else:
win_list.append([p_w, [(t0, t1, hints)]])
return win_list
| get_windows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(peak_list):\n win_list = []\n for t0, t1, hints in peak_list:\n p_w = t0, t1\n for w in win_list:\n if p_w[0] <= w[0][1] and p_w[1] >= w[0][0]:\n w[0] = min(p_w[0], w[0][0]), max(p_w[1], w[0][1])\n w[1].append((t0, t1, hints))\n break\n else:\n win_list.append([p_w, [(t0, t1, hints)]])\n return win_list\n",
"role": "user"
},
{
"content": "get_windows",
"role": "assistant"
}
] |
def x(value, timeframe):
if isinstance(value, types.StringTypes):
value = parse(value)
return_as_str = True
else:
value = kronos_time_to_datetime(value)
return_as_str = False
timeframes = {DateTrunc.Unit.SECOND: lambda dt: dt - timedelta(
microseconds=dt.microsecond), DateTrunc.Unit.MINUTE: lambda dt: dt -
timedelta(seconds=dt.second, microseconds=dt.microsecond),
DateTrunc.Unit.HOUR: lambda dt: dt - timedelta(minutes=dt.minute,
seconds=dt.second, microseconds=dt.microsecond), DateTrunc.Unit.DAY:
lambda dt: dt.date(), DateTrunc.Unit.WEEK: lambda dt: dt.date() -
timedelta(days=dt.weekday()), DateTrunc.Unit.MONTH: lambda dt:
datetime(dt.year, dt.month, 1), DateTrunc.Unit.YEAR: lambda dt:
datetime(dt.year, 1, 1)}
value = timeframes[timeframe](value)
if return_as_str:
return value.isoformat()
return datetime_to_kronos_time(value)
| date_trunc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, timeframe):\n if isinstance(value, types.StringTypes):\n value = parse(value)\n return_as_str = True\n else:\n value = kronos_time_to_datetime(value)\n return_as_str = False\n timeframes = {DateTrunc.Unit.SECOND: lambda dt: dt - timedelta(\n microseconds=dt.microsecond), DateTrunc.Unit.MINUTE: lambda dt: dt -\n timedelta(seconds=dt.second, microseconds=dt.microsecond),\n DateTrunc.Unit.HOUR: lambda dt: dt - timedelta(minutes=dt.minute,\n seconds=dt.second, microseconds=dt.microsecond), DateTrunc.Unit.DAY:\n lambda dt: dt.date(), DateTrunc.Unit.WEEK: lambda dt: dt.date() -\n timedelta(days=dt.weekday()), DateTrunc.Unit.MONTH: lambda dt:\n datetime(dt.year, dt.month, 1), DateTrunc.Unit.YEAR: lambda dt:\n datetime(dt.year, 1, 1)}\n value = timeframes[timeframe](value)\n if return_as_str:\n return value.isoformat()\n return datetime_to_kronos_time(value)\n",
"role": "user"
},
{
"content": "date_trunc",
"role": "assistant"
}
] |
def x(value, part):
if isinstance(value, types.StringTypes):
value = parse(value)
else:
value = kronos_time_to_datetime(value)
parts = {DatePart.Unit.SECOND: lambda dt: dt.second, DatePart.Unit.
MINUTE: lambda dt: dt.minute, DatePart.Unit.HOUR: lambda dt: dt.
hour, DatePart.Unit.DAY: lambda dt: dt.day, DatePart.Unit.MONTH: lambda
dt: dt.month, DatePart.Unit.YEAR: lambda dt: dt.year, DatePart.Unit
.WEEK_DAY: lambda dt: dt.weekday()}
result = parts[part](value)
return result
| date_part | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, part):\n if isinstance(value, types.StringTypes):\n value = parse(value)\n else:\n value = kronos_time_to_datetime(value)\n parts = {DatePart.Unit.SECOND: lambda dt: dt.second, DatePart.Unit.\n MINUTE: lambda dt: dt.minute, DatePart.Unit.HOUR: lambda dt: dt.\n hour, DatePart.Unit.DAY: lambda dt: dt.day, DatePart.Unit.MONTH: lambda\n dt: dt.month, DatePart.Unit.YEAR: lambda dt: dt.year, DatePart.Unit\n .WEEK_DAY: lambda dt: dt.weekday()}\n result = parts[part](value)\n return result\n",
"role": "user"
},
{
"content": "date_part",
"role": "assistant"
}
] |
def x(self, name, initial=None):
return types.List(name, self.api, initial=initial)
| List | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, initial=None):\n return types.List(name, self.api, initial=initial)\n",
"role": "user"
},
{
"content": "List",
"role": "assistant"
}
] |
def x(self, name, initial=None):
return types.Set(name, self.api, initial)
| Set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, initial=None):\n return types.Set(name, self.api, initial)\n",
"role": "user"
},
{
"content": "Set",
"role": "assistant"
}
] |
def x(self, name, initial=None):
return types.SortedSet(name, self.api, initial)
| SortedSet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, initial=None):\n return types.SortedSet(name, self.api, initial)\n",
"role": "user"
},
{
"content": "SortedSet",
"role": "assistant"
}
] |
def x(self, name, initial=None, **extra):
return types.Dict(name, self.api, initial=initial, **extra)
| Dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, initial=None, **extra):\n return types.Dict(name, self.api, initial=initial, **extra)\n",
"role": "user"
},
{
"content": "Dict",
"role": "assistant"
}
] |
def x(self, name, initial=None, maxsize=None):
return types.Queue(name, self.api, initial=initial, maxsize=maxsize)
| Queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, initial=None, maxsize=None):\n return types.Queue(name, self.api, initial=initial, maxsize=maxsize)\n",
"role": "user"
},
{
"content": "Queue",
"role": "assistant"
}
] |
def x(self, name, initial=None, maxsize=None):
return types.LifoQueue(name, self.api, initial=initial, maxsize=maxsize)
| LifoQueue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, initial=None, maxsize=None):\n return types.LifoQueue(name, self.api, initial=initial, maxsize=maxsize)\n",
"role": "user"
},
{
"content": "LifoQueue",
"role": "assistant"
}
] |
def x(self, mapping):
return self.api.mset(dict((key, self.prepare_value(value)) for key,
value in mapping.items()))
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mapping):\n return self.api.mset(dict((key, self.prepare_value(value)) for key,\n value in mapping.items()))\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, pattern='*'):
for key in self.keys(pattern):
yield key, self[key]
| iteritems | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern='*'):\n for key in self.keys(pattern):\n yield key, self[key]\n",
"role": "user"
},
{
"content": "iteritems",
"role": "assistant"
}
] |
def x(self, name):
name = mkey(name)
temp = mkey((name, '__poptmp__'))
self.rename(name, temp)
value = self[temp]
del self[temp]
return value
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n name = mkey(name)\n temp = mkey((name, '__poptmp__'))\n self.rename(name, temp)\n value = self[temp]\n del self[temp]\n return value\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
] |
def x(file, *args, **kwargs):
with file.open('w', newline='') as f:
yield DictWriter(f, *args, **kwargs)
| csv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, *args, **kwargs):\n with file.open('w', newline='') as f:\n yield DictWriter(f, *args, **kwargs)\n",
"role": "user"
},
{
"content": "csv",
"role": "assistant"
}
] |
def x(self):
return {'f_key': hb_encode(self.f_key), 'alpha_key': hb_encode(self.
alpha_key), 'chunks': self.chunks, 'encrypted': self.encrypted,
'iv': hb_encode(self.iv), 'hmac': hb_encode(self.hmac)}
| todict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'f_key': hb_encode(self.f_key), 'alpha_key': hb_encode(self.\n alpha_key), 'chunks': self.chunks, 'encrypted': self.encrypted,\n 'iv': hb_encode(self.iv), 'hmac': hb_encode(self.hmac)}\n",
"role": "user"
},
{
"content": "todict",
"role": "assistant"
}
] |
def x(dict):
return State(hb_decode(dict['f_key']), hb_decode(dict['alpha_key']),
dict['chunks'], dict['encrypted'], hb_decode(dict['iv']), hb_decode
(dict['hmac']))
| fromdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n return State(hb_decode(dict['f_key']), hb_decode(dict['alpha_key']),\n dict['chunks'], dict['encrypted'], hb_decode(dict['iv']), hb_decode\n (dict['hmac']))\n",
"role": "user"
},
{
"content": "fromdict",
"role": "assistant"
}
] |
def x(self, key):
h = HMAC.new(key, None, SHA256)
h.update(self.iv)
h.update(str(self.chunks).encode())
h.update(self.f_key)
h.update(self.alpha_key)
h.update(str(self.encrypted).encode())
return h.digest()
| get_hmac | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n h = HMAC.new(key, None, SHA256)\n h.update(self.iv)\n h.update(str(self.chunks).encode())\n h.update(self.f_key)\n h.update(self.alpha_key)\n h.update(str(self.encrypted).encode())\n return h.digest()\n",
"role": "user"
},
{
"content": "get_hmac",
"role": "assistant"
}
] |
def x(self, key):
if self.encrypted:
return
self.iv = Random.new().read(AES.block_size)
aes = AES.new(key, AES.MODE_CFB, self.iv)
self.f_key = aes.encrypt(self.f_key)
self.alpha_key = aes.encrypt(self.alpha_key)
self.encrypted = True
self.hmac = self.get_hmac(key)
| encrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n if self.encrypted:\n return\n self.iv = Random.new().read(AES.block_size)\n aes = AES.new(key, AES.MODE_CFB, self.iv)\n self.f_key = aes.encrypt(self.f_key)\n self.alpha_key = aes.encrypt(self.alpha_key)\n self.encrypted = True\n self.hmac = self.get_hmac(key)\n",
"role": "user"
},
{
"content": "encrypt",
"role": "assistant"
}
] |
def x(self, key):
if self.get_hmac(key) != self.hmac:
raise HeartbeatError('Signature invalid on state.')
if not self.encrypted:
return
aes = AES.new(key, AES.MODE_CFB, self.iv)
self.f_key = aes.decrypt(self.f_key)
self.alpha_key = aes.decrypt(self.alpha_key)
self.encrypted = False
self.hmac = self.get_hmac(key)
| decrypt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n if self.get_hmac(key) != self.hmac:\n raise HeartbeatError('Signature invalid on state.')\n if not self.encrypted:\n return\n aes = AES.new(key, AES.MODE_CFB, self.iv)\n self.f_key = aes.decrypt(self.f_key)\n self.alpha_key = aes.decrypt(self.alpha_key)\n self.encrypted = False\n self.hmac = self.get_hmac(key)\n",
"role": "user"
},
{
"content": "decrypt",
"role": "assistant"
}
] |
def x(dict):
self = Proof()
self.mu = dict['mu']
self.sigma = dict['sigma']
return self
| fromdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n self = Proof()\n self.mu = dict['mu']\n self.sigma = dict['sigma']\n return self\n",
"role": "user"
},
{
"content": "fromdict",
"role": "assistant"
}
] |
def x(self, file):
tag = Tag()
tag.sigma = list()
state = State(Random.new().read(32), Random.new().read(32))
f = KeyedPRF(state.f_key, self.prime)
alpha = KeyedPRF(state.alpha_key, self.prime)
done = False
chunk_id = 0
while not done:
sigma = f.eval(chunk_id)
for j in range(0, self.sectors):
buffer = file.read(self.sectorsize)
if len(buffer) > 0:
sigma += alpha.eval(j) * number.bytes_to_long(buffer)
if len(buffer) != self.sectorsize:
done = True
break
sigma %= self.prime
tag.sigma.append(sigma)
chunk_id += 1
state.chunks = chunk_id
state.encrypt(self.key)
return tag, state
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file):\n tag = Tag()\n tag.sigma = list()\n state = State(Random.new().read(32), Random.new().read(32))\n f = KeyedPRF(state.f_key, self.prime)\n alpha = KeyedPRF(state.alpha_key, self.prime)\n done = False\n chunk_id = 0\n while not done:\n sigma = f.eval(chunk_id)\n for j in range(0, self.sectors):\n buffer = file.read(self.sectorsize)\n if len(buffer) > 0:\n sigma += alpha.eval(j) * number.bytes_to_long(buffer)\n if len(buffer) != self.sectorsize:\n done = True\n break\n sigma %= self.prime\n tag.sigma.append(sigma)\n chunk_id += 1\n state.chunks = chunk_id\n state.encrypt(self.key)\n return tag, state\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, state):
state.decrypt(self.key)
chal = Challenge(state.chunks, self.prime, Random.new().read(32))
return chal
| gen_challenge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n state.decrypt(self.key)\n chal = Challenge(state.chunks, self.prime, Random.new().read(32))\n return chal\n",
"role": "user"
},
{
"content": "gen_challenge",
"role": "assistant"
}
] |
def x(self, file, chal, tag):
chunk_size = self.sectors * self.sectorsize
index = KeyedPRF(chal.key, len(tag.sigma))
v = KeyedPRF(chal.key, chal.v_max)
proof = Proof()
proof.mu = [0] * self.sectors
proof.sigma = 0
for i in range(0, chal.chunks):
for j in range(0, self.sectors):
pos = index.eval(i) * chunk_size + j * self.sectorsize
file.seek(pos)
buffer = file.read(self.sectorsize)
if len(buffer) > 0:
proof.mu[j] += v.eval(i) * number.bytes_to_long(buffer)
if len(buffer) != self.sectorsize:
break
for j in range(0, self.sectors):
proof.mu[j] %= self.prime
for i in range(0, chal.chunks):
proof.sigma += v.eval(i) * tag.sigma[index.eval(i)]
proof.sigma %= self.prime
return proof
| prove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, chal, tag):\n chunk_size = self.sectors * self.sectorsize\n index = KeyedPRF(chal.key, len(tag.sigma))\n v = KeyedPRF(chal.key, chal.v_max)\n proof = Proof()\n proof.mu = [0] * self.sectors\n proof.sigma = 0\n for i in range(0, chal.chunks):\n for j in range(0, self.sectors):\n pos = index.eval(i) * chunk_size + j * self.sectorsize\n file.seek(pos)\n buffer = file.read(self.sectorsize)\n if len(buffer) > 0:\n proof.mu[j] += v.eval(i) * number.bytes_to_long(buffer)\n if len(buffer) != self.sectorsize:\n break\n for j in range(0, self.sectors):\n proof.mu[j] %= self.prime\n for i in range(0, chal.chunks):\n proof.sigma += v.eval(i) * tag.sigma[index.eval(i)]\n proof.sigma %= self.prime\n return proof\n",
"role": "user"
},
{
"content": "prove",
"role": "assistant"
}
] |
def x(self, proof, chal, state):
state.decrypt(self.key)
index = KeyedPRF(chal.key, state.chunks)
v = KeyedPRF(chal.key, chal.v_max)
f = KeyedPRF(state.f_key, self.prime)
alpha = KeyedPRF(state.alpha_key, self.prime)
rhs = 0
for i in range(0, chal.chunks):
rhs += v.eval(i) * f.eval(index.eval(i))
for j in range(0, self.sectors):
rhs += alpha.eval(j) * proof.mu[j]
rhs %= self.prime
return proof.sigma == rhs
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, proof, chal, state):\n state.decrypt(self.key)\n index = KeyedPRF(chal.key, state.chunks)\n v = KeyedPRF(chal.key, chal.v_max)\n f = KeyedPRF(state.f_key, self.prime)\n alpha = KeyedPRF(state.alpha_key, self.prime)\n rhs = 0\n for i in range(0, chal.chunks):\n rhs += v.eval(i) * f.eval(index.eval(i))\n for j in range(0, self.sectors):\n rhs += alpha.eval(j) * proof.mu[j]\n rhs %= self.prime\n return proof.sigma == rhs\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(self, event_dict, namespace=None):
event_dict = copy.deepcopy(event_dict)
timestamp = kronos_time_now()
for events in event_dict.itervalues():
for event in events:
if TIMESTAMP_FIELD not in event:
event[TIMESTAMP_FIELD] = timestamp
else:
if isinstance(event[TIMESTAMP_FIELD], types.StringTypes):
event[TIMESTAMP_FIELD] = parse(event[TIMESTAMP_FIELD])
if isinstance(event[TIMESTAMP_FIELD], datetime):
event[TIMESTAMP_FIELD] = datetime_to_kronos_time(event[
TIMESTAMP_FIELD])
event[LIBRARY_FIELD] = {'version': pykronos.__version__, 'name':
'pykronos'}
namespace = namespace or self.namespace
if self._blocking:
return self._put(namespace, event_dict)
else:
with self._put_lock:
self._put_queue.append((namespace, event_dict))
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_dict, namespace=None):\n event_dict = copy.deepcopy(event_dict)\n timestamp = kronos_time_now()\n for events in event_dict.itervalues():\n for event in events:\n if TIMESTAMP_FIELD not in event:\n event[TIMESTAMP_FIELD] = timestamp\n else:\n if isinstance(event[TIMESTAMP_FIELD], types.StringTypes):\n event[TIMESTAMP_FIELD] = parse(event[TIMESTAMP_FIELD])\n if isinstance(event[TIMESTAMP_FIELD], datetime):\n event[TIMESTAMP_FIELD] = datetime_to_kronos_time(event[\n TIMESTAMP_FIELD])\n event[LIBRARY_FIELD] = {'version': pykronos.__version__, 'name':\n 'pykronos'}\n namespace = namespace or self.namespace\n if self._blocking:\n return self._put(namespace, event_dict)\n else:\n with self._put_lock:\n self._put_queue.append((namespace, event_dict))\n",
"role": "user"
},
{
"content": "put",
"role": "assistant"
}
] |
def x(self, stream, start_time, end_time, start_id=None, namespace=None):
if isinstance(start_time, types.StringTypes):
start_time = parse(start_time)
if isinstance(end_time, types.StringTypes):
end_time = parse(end_time)
if isinstance(start_time, datetime):
start_time = datetime_to_kronos_time(start_time)
if isinstance(end_time, datetime):
end_time = datetime_to_kronos_time(end_time)
request_dict = {'stream': stream, 'end_time': end_time}
if start_id:
request_dict['start_id'] = start_id
else:
request_dict['start_time'] = start_time
namespace = namespace or self.namespace
if namespace is not None:
request_dict['namespace'] = namespace
return self._make_request(self._delete_url, data=request_dict)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, start_time, end_time, start_id=None, namespace=None):\n if isinstance(start_time, types.StringTypes):\n start_time = parse(start_time)\n if isinstance(end_time, types.StringTypes):\n end_time = parse(end_time)\n if isinstance(start_time, datetime):\n start_time = datetime_to_kronos_time(start_time)\n if isinstance(end_time, datetime):\n end_time = datetime_to_kronos_time(end_time)\n request_dict = {'stream': stream, 'end_time': end_time}\n if start_id:\n request_dict['start_id'] = start_id\n else:\n request_dict['start_time'] = start_time\n namespace = namespace or self.namespace\n if namespace is not None:\n request_dict['namespace'] = namespace\n return self._make_request(self._delete_url, data=request_dict)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, namespace=None):
request_dict = {}
namespace = namespace or self.namespace
if namespace is not None:
request_dict['namespace'] = namespace
response = self._make_request(self._streams_url, data=request_dict,
stream=True)
for line in response.iter_lines():
if line:
yield line
| get_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace=None):\n request_dict = {}\n namespace = namespace or self.namespace\n if namespace is not None:\n request_dict['namespace'] = namespace\n response = self._make_request(self._streams_url, data=request_dict,\n stream=True)\n for line in response.iter_lines():\n if line:\n yield line\n",
"role": "user"
},
{
"content": "get_streams",
"role": "assistant"
}
] |
def x(self, stream, namespace=None):
return self._make_request(self._infer_schema_url, data={'stream':
stream, 'namespace': namespace or self.namespace})
| infer_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, namespace=None):\n return self._make_request(self._infer_schema_url, data={'stream':\n stream, 'namespace': namespace or self.namespace})\n",
"role": "user"
},
{
"content": "infer_schema",
"role": "assistant"
}
] |
def x(self, stream_name, properties={}, log_function_stack_trace=False,
log_exception_stack_trace=False, namespace=None):
namespace = namespace or self.namespace
def x(function):
@functools.wraps(function)
def x(*args, **kwargs):
event = {}
start_time = time.time()
if log_function_stack_trace:
event['stack_trace'] = traceback.extract_stack()
try:
return function(*args, **kwargs)
except Exception as exception:
self._log_exception(event, exception, sys.last_traceback if
log_exception_stack_trace else None)
raise exception
finally:
event['duration'] = time.time() - start_time
for key, value_getter in properties.iteritems():
event[key] = value_getter(*args, **kwargs)
self.put({stream_name: [event]}, namespace=namespace)
return wrapper
return decorator
| log_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream_name, properties={}, log_function_stack_trace=False,\n log_exception_stack_trace=False, namespace=None):\n namespace = namespace or self.namespace\n\n def x(function):\n\n @functools.wraps(function)\n def x(*args, **kwargs):\n event = {}\n start_time = time.time()\n if log_function_stack_trace:\n event['stack_trace'] = traceback.extract_stack()\n try:\n return function(*args, **kwargs)\n except Exception as exception:\n self._log_exception(event, exception, sys.last_traceback if\n log_exception_stack_trace else None)\n raise exception\n finally:\n event['duration'] = time.time() - start_time\n for key, value_getter in properties.iteritems():\n event[key] = value_getter(*args, **kwargs)\n self.put({stream_name: [event]}, namespace=namespace)\n return wrapper\n return decorator\n",
"role": "user"
},
{
"content": "log_function",
"role": "assistant"
}
] |
def x(self, data, stat):
if not stat:
raise EnvironmentNotFoundException(self.nodemap_path)
try:
conf_path = self._deserialize_nodemap(data)[self.hostname]
except KeyError:
conf_path = '/services/%s/conf' % self.service
self.config_watcher = DataWatch(self.zk, conf_path, self._config_changed)
| nodemap_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, stat):\n if not stat:\n raise EnvironmentNotFoundException(self.nodemap_path)\n try:\n conf_path = self._deserialize_nodemap(data)[self.hostname]\n except KeyError:\n conf_path = '/services/%s/conf' % self.service\n self.config_watcher = DataWatch(self.zk, conf_path, self._config_changed)\n",
"role": "user"
},
{
"content": "nodemap_changed",
"role": "assistant"
}
] |
def x(self, data, stat):
self.config = json.loads(data)
if self.cb:
self.cb(self.config)
| config_changed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, stat):\n self.config = json.loads(data)\n if self.cb:\n self.cb(self.config)\n",
"role": "user"
},
{
"content": "config_changed",
"role": "assistant"
}
] |
def x(self, namespace, stream, start_time, end_time, start_id,
configuration, order=ResultOrder.ASCENDING, limit=sys.maxint):
if not start_id:
start_id = uuid_from_kronos_time(start_time, _type=UUIDType.LOWEST)
else:
start_id = TimeUUID(start_id)
if uuid_to_kronos_time(start_id) > end_time:
return []
return self._retrieve(namespace, stream, start_id, end_time, order,
limit, configuration)
| retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream, start_time, end_time, start_id,\n configuration, order=ResultOrder.ASCENDING, limit=sys.maxint):\n if not start_id:\n start_id = uuid_from_kronos_time(start_time, _type=UUIDType.LOWEST)\n else:\n start_id = TimeUUID(start_id)\n if uuid_to_kronos_time(start_id) > end_time:\n return []\n return self._retrieve(namespace, stream, start_id, end_time, order,\n limit, configuration)\n",
"role": "user"
},
{
"content": "retrieve",
"role": "assistant"
}
] |
def x(self, **kwargs):
endpoint = self.messages_endpoint
data = {'async': kwargs.pop('async', False), 'ip_pool': kwargs.pop(
'ip_pool', ''), 'key': kwargs.pop('key', self.api_key)}
if not data.get('key', None):
raise ValueError('No Mandrill API key has been configured')
if kwargs.get('template_name', None):
data['template_name'] = kwargs.pop('template_name')
data['template_content'] = kwargs.pop('template_content', [])
endpoint = self.templates_endpoint
data['message'] = kwargs
if self.app:
data['message'].setdefault('from_email', self.app.config.get(
'MANDRILL_DEFAULT_FROM', None))
if endpoint != self.templates_endpoint and not data['message'].get(
'from_email', None):
raise ValueError(
'No from email was specified and no default was configured')
response = requests.post(endpoint, data=json.dumps(data), headers={
'Content-Type': 'application/json'})
response.raise_for_status()
return response
| send_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n endpoint = self.messages_endpoint\n data = {'async': kwargs.pop('async', False), 'ip_pool': kwargs.pop(\n 'ip_pool', ''), 'key': kwargs.pop('key', self.api_key)}\n if not data.get('key', None):\n raise ValueError('No Mandrill API key has been configured')\n if kwargs.get('template_name', None):\n data['template_name'] = kwargs.pop('template_name')\n data['template_content'] = kwargs.pop('template_content', [])\n endpoint = self.templates_endpoint\n data['message'] = kwargs\n if self.app:\n data['message'].setdefault('from_email', self.app.config.get(\n 'MANDRILL_DEFAULT_FROM', None))\n if endpoint != self.templates_endpoint and not data['message'].get(\n 'from_email', None):\n raise ValueError(\n 'No from email was specified and no default was configured')\n response = requests.post(endpoint, data=json.dumps(data), headers={\n 'Content-Type': 'application/json'})\n response.raise_for_status()\n return response\n",
"role": "user"
},
{
"content": "send_email",
"role": "assistant"
}
] |
def x(name):
feed = resolve_name(name)
if six.PY3:
feed = feed.decode()
d = feedparser.parse(feed)
print(d['feed']['title'])
if d.entries[0].enclosures:
with Database('settings') as s:
if 'verbose' in s:
print(d.entries[0].enclosures[0])
url = str(d.entries[0].enclosures[0]['href'])
with Database('downloads') as db:
if url.split('/')[-1] not in db:
with Database('settings') as settings:
if 'dl' in settings:
dl_dir = settings['dl']
else:
dl_dir = os.path.join(os.path.expanduser('~'),
'Downloads')
requests_get(url, dl_dir)
db[url.split('/')[-1]] = json.dumps({'url': url, 'date':
time.ctime(), 'feed': feed})
growl('Mission Complete: %s downloaded' % d.feed.title)
print('Mission Complete: %s downloaded' % d.feed.title)
else:
growl('Mission Aborted: %s already downloaded' % d.feed.title)
print('Mission Aborted: %s already downloaded' % d.feed.title)
| put_a_hit_out | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n feed = resolve_name(name)\n if six.PY3:\n feed = feed.decode()\n d = feedparser.parse(feed)\n print(d['feed']['title'])\n if d.entries[0].enclosures:\n with Database('settings') as s:\n if 'verbose' in s:\n print(d.entries[0].enclosures[0])\n url = str(d.entries[0].enclosures[0]['href'])\n with Database('downloads') as db:\n if url.split('/')[-1] not in db:\n with Database('settings') as settings:\n if 'dl' in settings:\n dl_dir = settings['dl']\n else:\n dl_dir = os.path.join(os.path.expanduser('~'),\n 'Downloads')\n requests_get(url, dl_dir)\n db[url.split('/')[-1]] = json.dumps({'url': url, 'date':\n time.ctime(), 'feed': feed})\n growl('Mission Complete: %s downloaded' % d.feed.title)\n print('Mission Complete: %s downloaded' % d.feed.title)\n else:\n growl('Mission Aborted: %s already downloaded' % d.feed.title)\n print('Mission Aborted: %s already downloaded' % d.feed.title)\n",
"role": "user"
},
{
"content": "put_a_hit_out",
"role": "assistant"
}
] |
def x(name, oldest, newest):
if six.PY3:
name = name.encode('utf-8')
feed = resolve_name(name)
if six.PY3:
feed = feed.decode()
d = feedparser.parse(feed)
logger.debug(d)
try:
d.entries[int(oldest)]
except IndexError:
print('Error feed does not contain this many items.')
print('Hitman thinks there are %d items in this feed.' % len(d.entries)
)
return
for url in [q.enclosures[0]['href'] for q in d.entries[int(newest):int(
oldest)]]:
url = str(url)
with Database('downloads') as db:
if url.split('/')[-1] not in db:
with Database('settings') as settings:
if 'dl' in settings:
dl_dir = settings['dl']
else:
dl_dir = os.path.join(os.path.expanduser('~'),
'Downloads')
requests_get(url, dl_dir)
| selective_download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, oldest, newest):\n if six.PY3:\n name = name.encode('utf-8')\n feed = resolve_name(name)\n if six.PY3:\n feed = feed.decode()\n d = feedparser.parse(feed)\n logger.debug(d)\n try:\n d.entries[int(oldest)]\n except IndexError:\n print('Error feed does not contain this many items.')\n print('Hitman thinks there are %d items in this feed.' % len(d.entries)\n )\n return\n for url in [q.enclosures[0]['href'] for q in d.entries[int(newest):int(\n oldest)]]:\n url = str(url)\n with Database('downloads') as db:\n if url.split('/')[-1] not in db:\n with Database('settings') as settings:\n if 'dl' in settings:\n dl_dir = settings['dl']\n else:\n dl_dir = os.path.join(os.path.expanduser('~'),\n 'Downloads')\n requests_get(url, dl_dir)\n",
"role": "user"
},
{
"content": "selective_download",
"role": "assistant"
}
] |
def x(name):
logger.debug('resolve_name: %s', name)
with Database('feeds') as feeds, Database('aliases') as aliases:
if name in aliases.keys():
return feeds[aliases[name]]
elif name in feeds.keys():
return feeds[name]
else:
print('Cannot find feed named: %s' % name)
return
| resolve_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n logger.debug('resolve_name: %s', name)\n with Database('feeds') as feeds, Database('aliases') as aliases:\n if name in aliases.keys():\n return feeds[aliases[name]]\n elif name in feeds.keys():\n return feeds[name]\n else:\n print('Cannot find feed named: %s' % name)\n return\n",
"role": "user"
},
{
"content": "resolve_name",
"role": "assistant"
}
] |
def x(ctx):
with Database('feeds') as feeds:
for name, feed in zip(list(feeds.keys()), list(feeds.values())):
logger.debug('calling put_a_hit_out: %s', name)
ctx.invoke(put_a_hit_out, name=name)
if len(list(feeds.keys())) == 0:
ctx.get_help()
| hitsquad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n with Database('feeds') as feeds:\n for name, feed in zip(list(feeds.keys()), list(feeds.values())):\n logger.debug('calling put_a_hit_out: %s', name)\n ctx.invoke(put_a_hit_out, name=name)\n if len(list(feeds.keys())) == 0:\n ctx.get_help()\n",
"role": "user"
},
{
"content": "hitsquad",
"role": "assistant"
}
] |
def x(text):
if platform.system() == 'Darwin':
import pync
pync.Notifier.notify(text, title='Hitman')
elif platform.system() == 'Linux':
notified = False
try:
logger.debug('Trying to import pynotify')
import pynotify
pynotify.init('Hitman')
n = pynotify.Notification('Hitman Status Report', text)
n.set_timeout(pynotify.EXPIRES_DEFAULT)
n.show()
notified = True
except ImportError:
logger.debug('Trying notify-send')
if Popen(['which', 'notify-send'], stdout=PIPE).communicate()[0]:
os.system('notify-send "Hitman" "%r" ' % str(text))
notified = True
if not notified:
try:
logger.info('notificatons gnome gi???')
import gi
gi.require_version('Notify', '0.7')
from gi.repository import Notify
Notify.init('Hitman')
notification = Notify.Notification.new('Hitman', text)
notification.show()
Notify.uninit()
notified = True
except ImportError:
logger.exception()
elif platform.system() == 'Haiku':
os.system(
"notify --type information --app Hitman --title 'Status Report' '%s'"
% str(text))
elif platform.system() == 'Windows':
try:
from win10toast import ToastNotifier
toaster = ToastNotifier()
toaster.show_toast(text, 'Hitman')
except Exception:
logger.exception()
| growl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if platform.system() == 'Darwin':\n import pync\n pync.Notifier.notify(text, title='Hitman')\n elif platform.system() == 'Linux':\n notified = False\n try:\n logger.debug('Trying to import pynotify')\n import pynotify\n pynotify.init('Hitman')\n n = pynotify.Notification('Hitman Status Report', text)\n n.set_timeout(pynotify.EXPIRES_DEFAULT)\n n.show()\n notified = True\n except ImportError:\n logger.debug('Trying notify-send')\n if Popen(['which', 'notify-send'], stdout=PIPE).communicate()[0]:\n os.system('notify-send \"Hitman\" \"%r\" ' % str(text))\n notified = True\n if not notified:\n try:\n logger.info('notificatons gnome gi???')\n import gi\n gi.require_version('Notify', '0.7')\n from gi.repository import Notify\n Notify.init('Hitman')\n notification = Notify.Notification.new('Hitman', text)\n notification.show()\n Notify.uninit()\n notified = True\n except ImportError:\n logger.exception()\n elif platform.system() == 'Haiku':\n os.system(\n \"notify --type information --app Hitman --title 'Status Report' '%s'\"\n % str(text))\n elif platform.system() == 'Windows':\n try:\n from win10toast import ToastNotifier\n toaster = ToastNotifier()\n toaster.show_toast(text, 'Hitman')\n except Exception:\n logger.exception()\n",
"role": "user"
},
{
"content": "growl",
"role": "assistant"
}
] |
def x(url):
with Database('feeds') as db:
title = feedparser.parse(url).feed.title
name = str(title)
db[name] = url
return name
| add_feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n with Database('feeds') as db:\n title = feedparser.parse(url).feed.title\n name = str(title)\n db[name] = url\n return name\n",
"role": "user"
},
{
"content": "add_feed",
"role": "assistant"
}
] |
def x(name):
with Database('aliases') as aliases, Database('feeds') as feeds:
if aliases[name]:
proper_name = aliases[name]
elif feeds[name]:
proper_name = feeds[name]
for k, v in aliases:
if v == proper_name:
del aliases[k]
del feeds[proper_name]
| del_feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n with Database('aliases') as aliases, Database('feeds') as feeds:\n if aliases[name]:\n proper_name = aliases[name]\n elif feeds[name]:\n proper_name = feeds[name]\n for k, v in aliases:\n if v == proper_name:\n del aliases[k]\n del feeds[proper_name]\n",
"role": "user"
},
{
"content": "del_feed",
"role": "assistant"
}
] |
def x(alias):
with Database('aliases') as mydb:
try:
print('removing alias of %s to %s' % (alias, mydb.pop(alias)))
except KeyError:
print('No such alias key')
print('Check alias db:')
print(zip(list(mydb.keys()), list(mydb.values())))
| del_alias | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(alias):\n with Database('aliases') as mydb:\n try:\n print('removing alias of %s to %s' % (alias, mydb.pop(alias)))\n except KeyError:\n print('No such alias key')\n print('Check alias db:')\n print(zip(list(mydb.keys()), list(mydb.values())))\n",
"role": "user"
},
{
"content": "del_alias",
"role": "assistant"
}
] |
def x(name, alias):
with Database('aliases') as db:
if alias in db:
print(
'Something has gone horribly wrong with your aliases! Try deleting the %s entry.'
% name)
return
else:
db[alias] = name
| alias_feed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, alias):\n with Database('aliases') as db:\n if alias in db:\n print(\n 'Something has gone horribly wrong with your aliases! Try deleting the %s entry.'\n % name)\n return\n else:\n db[alias] = name\n",
"role": "user"
},
{
"content": "alias_feed",
"role": "assistant"
}
] |
def x():
with Database('feeds') as feeds, Database('aliases') as aliases_db:
for feed in feeds:
name = feed
url = feeds[feed]
aliases = []
for k, v in zip(list(aliases_db.keys()), list(aliases_db.values())
):
if v == name:
aliases.append(k)
if aliases:
print(name, ' : %s Aliases: %s' % (url, aliases))
else:
print(name, ' : %s' % url)
| list_feeds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with Database('feeds') as feeds, Database('aliases') as aliases_db:\n for feed in feeds:\n name = feed\n url = feeds[feed]\n aliases = []\n for k, v in zip(list(aliases_db.keys()), list(aliases_db.values())\n ):\n if v == name:\n aliases.append(k)\n if aliases:\n print(name, ' : %s Aliases: %s' % (url, aliases))\n else:\n print(name, ' : %s' % url)\n",
"role": "user"
},
{
"content": "list_feeds",
"role": "assistant"
}
] |
def x():
with Database('feeds') as feeds:
print('<opml version="1.0">')
print('<body>')
for name in list(feeds.keys()):
kind = feedparser.parse(feeds[name]).version
if kind[:4] == 'atom':
t = 'pie'
elif kind[:3] == 'rss':
t = 'rss'
print('\t<outline text="%s" xmlUrl="%s" type="%s" />' % (name,
feeds[name], t))
print('</body>')
print('</opml>')
| export_opml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with Database('feeds') as feeds:\n print('<opml version=\"1.0\">')\n print('<body>')\n for name in list(feeds.keys()):\n kind = feedparser.parse(feeds[name]).version\n if kind[:4] == 'atom':\n t = 'pie'\n elif kind[:3] == 'rss':\n t = 'rss'\n print('\\t<outline text=\"%s\" xmlUrl=\"%s\" type=\"%s\" />' % (name,\n feeds[name], t))\n print('</body>')\n print('</opml>')\n",
"role": "user"
},
{
"content": "export_opml",
"role": "assistant"
}
] |
def x(url):
from bs4 import BeautifulSoup
try:
f = file(url).read()
except IOError:
f = requests.get(url).text
soup = BeautifulSoup(f, 'xml')
links = soup.find_all('outline', type='rss' or 'pie')
for link in links:
add_feed(link['xmlUrl'])
print('Added ' + link['text'])
| import_opml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n from bs4 import BeautifulSoup\n try:\n f = file(url).read()\n except IOError:\n f = requests.get(url).text\n soup = BeautifulSoup(f, 'xml')\n links = soup.find_all('outline', type='rss' or 'pie')\n for link in links:\n add_feed(link['xmlUrl'])\n print('Added ' + link['text'])\n",
"role": "user"
},
{
"content": "import_opml",
"role": "assistant"
}
] |
def x():
home = os.path.expanduser('~')
if platform.system() == 'Linux':
hitman_dir = os.path.join(home, '.hitman')
elif platform.system() == 'Darwin':
hitman_dir = os.path.join(home, 'Library', 'Application Support',
'hitman')
elif platform.system() == 'Windows':
hitman_dir = os.path.join(os.environ['appdata'], 'hitman')
else:
hitman_dir = os.path.join(home, '.hitman')
if not os.path.isdir(hitman_dir):
os.mkdir(hitman_dir)
return hitman_dir
| directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n home = os.path.expanduser('~')\n if platform.system() == 'Linux':\n hitman_dir = os.path.join(home, '.hitman')\n elif platform.system() == 'Darwin':\n hitman_dir = os.path.join(home, 'Library', 'Application Support',\n 'hitman')\n elif platform.system() == 'Windows':\n hitman_dir = os.path.join(os.environ['appdata'], 'hitman')\n else:\n hitman_dir = os.path.join(home, '.hitman')\n if not os.path.isdir(hitman_dir):\n os.mkdir(hitman_dir)\n return hitman_dir\n",
"role": "user"
},
{
"content": "directory",
"role": "assistant"
}
] |
def x(url, force=False):
if url[-3:] == 'xml' or url[1][-4:] == 'atom':
print('Added your feed as %s' % str(add_feed(url)))
elif is_feed(url):
print('Added your feed as %s' % str(add_feed(url)))
elif force:
print('Added your feed as %s' % str(add_feed(url)))
else:
print(
"Hitman doesn't think that url is a feed; if you're sure it is rerun with --force"
)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, force=False):\n if url[-3:] == 'xml' or url[1][-4:] == 'atom':\n print('Added your feed as %s' % str(add_feed(url)))\n elif is_feed(url):\n print('Added your feed as %s' % str(add_feed(url)))\n elif force:\n print('Added your feed as %s' % str(add_feed(url)))\n else:\n print(\n \"Hitman doesn't think that url is a feed; if you're sure it is rerun with --force\"\n )\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(key, value):
with Database('settings') as settings:
if value in ['0', 'false', 'no', 'off', 'False']:
del settings[key]
print('Disabled setting')
else:
print(value)
settings[key] = value
print('Setting saved')
| set_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, value):\n with Database('settings') as settings:\n if value in ['0', 'false', 'no', 'off', 'False']:\n del settings[key]\n print('Disabled setting')\n else:\n print(value)\n settings[key] = value\n print('Setting saved')\n",
"role": "user"
},
{
"content": "set_settings",
"role": "assistant"
}
] |
def x(all, key):
with Database('settings') as s:
if all:
for k, v in zip(list(s.keys()), list(s.values())):
print('{} = {}'.format(k, v))
elif key:
print('{} = {}'.format(key, s[key]))
else:
print("Don't know what you want? Try --all")
| get_settings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(all, key):\n with Database('settings') as s:\n if all:\n for k, v in zip(list(s.keys()), list(s.values())):\n print('{} = {}'.format(k, v))\n elif key:\n print('{} = {}'.format(key, s[key]))\n else:\n print(\"Don't know what you want? Try --all\")\n",
"role": "user"
},
{
"content": "get_settings",
"role": "assistant"
}
] |
def x(dict):
seed = hb_decode(dict['seed'])
index = dict['index']
return Challenge(seed, index)
| fromdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n seed = hb_decode(dict['seed'])\n index = dict['index']\n return Challenge(seed, index)\n",
"role": "user"
},
{
"content": "fromdict",
"role": "assistant"
}
] |
def x(dict):
tree = MerkleTree.fromdict(dict['tree'])
chunksz = dict['chunksz']
filesz = dict['filesz']
return Tag(tree, chunksz, filesz)
| fromdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n tree = MerkleTree.fromdict(dict['tree'])\n chunksz = dict['chunksz']\n filesz = dict['filesz']\n return Tag(tree, chunksz, filesz)\n",
"role": "user"
},
{
"content": "fromdict",
"role": "assistant"
}
] |
def x(self):
return {'index': self.index, 'seed': hb_encode(self.seed), 'n': self.n,
'root': hb_encode(self.root), 'hmac': hb_encode(self.hmac),
'timestamp': self.timestamp}
| todict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'index': self.index, 'seed': hb_encode(self.seed), 'n': self.n,\n 'root': hb_encode(self.root), 'hmac': hb_encode(self.hmac),\n 'timestamp': self.timestamp}\n",
"role": "user"
},
{
"content": "todict",
"role": "assistant"
}
] |
def x(dict):
index = dict['index']
seed = hb_decode(dict['seed'])
n = dict['n']
root = hb_decode(dict['root'])
hmac = hb_decode(dict['hmac'])
timestamp = dict['timestamp']
self = State(index, seed, n, root, hmac, timestamp)
return self
| fromdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n index = dict['index']\n seed = hb_decode(dict['seed'])\n n = dict['n']\n root = hb_decode(dict['root'])\n hmac = hb_decode(dict['hmac'])\n timestamp = dict['timestamp']\n self = State(index, seed, n, root, hmac, timestamp)\n return self\n",
"role": "user"
},
{
"content": "fromdict",
"role": "assistant"
}
] |
def x(self, key):
h = HMAC.new(key, None, SHA256)
h.update(str(self.index).encode())
h.update(self.seed)
h.update(str(self.n).encode())
h.update(self.root)
h.update(str(self.timestamp).encode())
return h.digest()
| get_hmac | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n h = HMAC.new(key, None, SHA256)\n h.update(str(self.index).encode())\n h.update(self.seed)\n h.update(str(self.n).encode())\n h.update(self.root)\n h.update(str(self.timestamp).encode())\n return h.digest()\n",
"role": "user"
},
{
"content": "get_hmac",
"role": "assistant"
}
] |
def x(dict):
key = hb_decode(dict['key'])
check_fraction = dict['check_fraction']
return Merkle(check_fraction, key)
| fromdict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict):\n key = hb_decode(dict['key'])\n check_fraction = dict['check_fraction']\n return Merkle(check_fraction, key)\n",
"role": "user"
},
{
"content": "fromdict",
"role": "assistant"
}
] |
def x(self, file, n=DEFAULT_CHALLENGE_COUNT, seed=None, chunksz=None,
filesz=None):
if seed is None:
seed = os.urandom(DEFAULT_KEY_SIZE)
if filesz is None:
file.seek(0, 2)
filesz = file.tell()
if chunksz is None:
if self.check_fraction is not None:
chunksz = int(self.check_fraction * filesz)
else:
chunksz = DEFAULT_CHUNK_SIZE
mt = MerkleTree()
state = State(0, seed, n)
seed = MerkleHelper.get_next_seed(self.key, state.seed)
for i in range(0, n):
leaf = MerkleHelper.get_chunk_hash(file, seed, filesz, chunksz)
mt.add_leaf(leaf)
seed = MerkleHelper.get_next_seed(self.key, seed)
mt.build()
state.root = mt.get_root()
mt.strip_leaves()
tag = Tag(mt, chunksz, filesz)
state.sign(self.key)
return tag, state
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, n=DEFAULT_CHALLENGE_COUNT, seed=None, chunksz=None,\n filesz=None):\n if seed is None:\n seed = os.urandom(DEFAULT_KEY_SIZE)\n if filesz is None:\n file.seek(0, 2)\n filesz = file.tell()\n if chunksz is None:\n if self.check_fraction is not None:\n chunksz = int(self.check_fraction * filesz)\n else:\n chunksz = DEFAULT_CHUNK_SIZE\n mt = MerkleTree()\n state = State(0, seed, n)\n seed = MerkleHelper.get_next_seed(self.key, state.seed)\n for i in range(0, n):\n leaf = MerkleHelper.get_chunk_hash(file, seed, filesz, chunksz)\n mt.add_leaf(leaf)\n seed = MerkleHelper.get_next_seed(self.key, seed)\n mt.build()\n state.root = mt.get_root()\n mt.strip_leaves()\n tag = Tag(mt, chunksz, filesz)\n state.sign(self.key)\n return tag, state\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, state):
state.checksig(self.key)
if state.index >= state.n:
raise HeartbeatError('Out of challenges.')
state.seed = MerkleHelper.get_next_seed(self.key, state.seed)
chal = Challenge(state.seed, state.index)
state.index += 1
state.sign(self.key)
return chal
| gen_challenge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n state.checksig(self.key)\n if state.index >= state.n:\n raise HeartbeatError('Out of challenges.')\n state.seed = MerkleHelper.get_next_seed(self.key, state.seed)\n chal = Challenge(state.seed, state.index)\n state.index += 1\n state.sign(self.key)\n return chal\n",
"role": "user"
},
{
"content": "gen_challenge",
"role": "assistant"
}
] |
def x(self, file, challenge, tag):
leaf = MerkleLeaf(challenge.index, MerkleHelper.get_chunk_hash(file,
challenge.seed, filesz=tag.filesz, chunksz=tag.chunksz))
return Proof(leaf, tag.tree.get_branch(challenge.index))
| prove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file, challenge, tag):\n leaf = MerkleLeaf(challenge.index, MerkleHelper.get_chunk_hash(file,\n challenge.seed, filesz=tag.filesz, chunksz=tag.chunksz))\n return Proof(leaf, tag.tree.get_branch(challenge.index))\n",
"role": "user"
},
{
"content": "prove",
"role": "assistant"
}
] |
def x(self, proof, challenge, state):
state.checksig(self.key)
if proof.leaf.index != challenge.index:
return False
return MerkleTree.verify_branch(proof.leaf, proof.branch, state.root)
| verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, proof, challenge, state):\n state.checksig(self.key)\n if proof.leaf.index != challenge.index:\n return False\n return MerkleTree.verify_branch(proof.leaf, proof.branch, state.root)\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(key, seed):
return hmac.new(key, seed, hashlib.sha256).digest()
| get_next_seed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, seed):\n return hmac.new(key, seed, hashlib.sha256).digest()\n",
"role": "user"
},
{
"content": "get_next_seed",
"role": "assistant"
}
] |
def x(file, seed, bufsz=DEFAULT_BUFFER_SIZE):
h = hmac.new(seed, None, hashlib.sha256)
while True:
buffer = file.read(bufsz)
h.update(buffer)
if len(buffer) != bufsz:
break
return h.digest()
| get_file_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, seed, bufsz=DEFAULT_BUFFER_SIZE):\n h = hmac.new(seed, None, hashlib.sha256)\n while True:\n buffer = file.read(bufsz)\n h.update(buffer)\n if len(buffer) != bufsz:\n break\n return h.digest()\n",
"role": "user"
},
{
"content": "get_file_hash",
"role": "assistant"
}
] |
def x(file, seed, filesz=None, chunksz=DEFAULT_CHUNK_SIZE, bufsz=
DEFAULT_BUFFER_SIZE):
if filesz is None:
file.seek(0, 2)
filesz = file.tell()
if filesz < chunksz:
chunksz = filesz
prf = KeyedPRF(seed, filesz - chunksz + 1)
i = prf.eval(0)
file.seek(i)
h = hmac.new(seed, None, hashlib.sha256)
while True:
if chunksz < bufsz:
bufsz = chunksz
buffer = file.read(bufsz)
h.update(buffer)
chunksz -= len(buffer)
assert chunksz >= 0
if chunksz == 0:
break
return h.digest()
| get_chunk_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, seed, filesz=None, chunksz=DEFAULT_CHUNK_SIZE, bufsz=\n DEFAULT_BUFFER_SIZE):\n if filesz is None:\n file.seek(0, 2)\n filesz = file.tell()\n if filesz < chunksz:\n chunksz = filesz\n prf = KeyedPRF(seed, filesz - chunksz + 1)\n i = prf.eval(0)\n file.seek(i)\n h = hmac.new(seed, None, hashlib.sha256)\n while True:\n if chunksz < bufsz:\n bufsz = chunksz\n buffer = file.read(bufsz)\n h.update(buffer)\n chunksz -= len(buffer)\n assert chunksz >= 0\n if chunksz == 0:\n break\n return h.digest()\n",
"role": "user"
},
{
"content": "get_chunk_hash",
"role": "assistant"
}
] |
def x(cls, queries):
domain = cls()
join_with = cls.AND
for query in queries:
if query in [cls.OR, cls.AND]:
join_with = query
else:
domain.add_query(query, join_with)
return domain
| from_tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, queries):\n domain = cls()\n join_with = cls.AND\n for query in queries:\n if query in [cls.OR, cls.AND]:\n join_with = query\n else:\n domain.add_query(query, join_with)\n return domain\n",
"role": "user"
},
{
"content": "from_tuple",
"role": "assistant"
}
] |
def x(self, query, join_with=AND):
if not isinstance(query, DomainCondition):
query = DomainCondition.from_tuple(query)
if len(self.query):
self.query.append(join_with)
self.query.append(query)
| add_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, join_with=AND):\n if not isinstance(query, DomainCondition):\n query = DomainCondition.from_tuple(query)\n if len(self.query):\n self.query.append(join_with)\n self.query.append(query)\n",
"role": "user"
},
{
"content": "add_query",
"role": "assistant"
}
] |
def x(cls, query):
field, query = query[0], query[1:]
try:
cls = TYPES[type(query[0])]
except KeyError:
pass
return cls(field, *query)
| from_tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, query):\n field, query = query[0], query[1:]\n try:\n cls = TYPES[type(query[0])]\n except KeyError:\n pass\n return cls(field, *query)\n",
"role": "user"
},
{
"content": "from_tuple",
"role": "assistant"
}
] |
def x(self):
for name, backend_settings in settings.storage.iteritems():
backend_path = backend_settings['backend']
backend_module, backend_cls = backend_path.rsplit('.', 1)
backend_module = import_module(backend_module)
backend_constructor = getattr(backend_module, backend_cls)
self.backends[name] = backend_constructor(name, self.namespaces, **
backend_settings)
| load_backends | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for name, backend_settings in settings.storage.iteritems():\n backend_path = backend_settings['backend']\n backend_module, backend_cls = backend_path.rsplit('.', 1)\n backend_module = import_module(backend_module)\n backend_constructor = getattr(backend_module, backend_cls)\n self.backends[name] = backend_constructor(name, self.namespaces, **\n backend_settings)\n",
"role": "user"
},
{
"content": "load_backends",
"role": "assistant"
}
] |
def x(self, namespace, stream):
validate_stream(stream)
default_prefix = ''
longest_prefix = default_prefix
for prefix in self.prefix_confs[namespace]:
if prefix == default_prefix:
continue
if not stream.startswith(prefix):
continue
if len(prefix) <= len(longest_prefix):
continue
longest_prefix = prefix
return longest_prefix
| get_matching_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream):\n validate_stream(stream)\n default_prefix = ''\n longest_prefix = default_prefix\n for prefix in self.prefix_confs[namespace]:\n if prefix == default_prefix:\n continue\n if not stream.startswith(prefix):\n continue\n if len(prefix) <= len(longest_prefix):\n continue\n longest_prefix = prefix\n return longest_prefix\n",
"role": "user"
},
{
"content": "get_matching_prefix",
"role": "assistant"
}
] |
def x(self, namespace, stream):
if namespace not in self.namespaces:
raise NamespaceMissing('`{}` namespace is not configured'.format(
namespace))
return self.prefix_confs[namespace][self.get_matching_prefix(namespace,
stream)]
| backends_to_mutate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream):\n if namespace not in self.namespaces:\n raise NamespaceMissing('`{}` namespace is not configured'.format(\n namespace))\n return self.prefix_confs[namespace][self.get_matching_prefix(namespace,\n stream)]\n",
"role": "user"
},
{
"content": "backends_to_mutate",
"role": "assistant"
}
] |
def x(self, namespace, stream):
if namespace not in self.namespaces:
raise NamespaceMissing('`{}` namespace is not configured'.format(
namespace))
stream_prefix = self.get_matching_prefix(namespace, stream)
read_backend = self.prefix_read_backends[namespace][stream_prefix]
return read_backend, self.prefix_confs[namespace][stream_prefix][
read_backend]
| backend_to_retrieve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace, stream):\n if namespace not in self.namespaces:\n raise NamespaceMissing('`{}` namespace is not configured'.format(\n namespace))\n stream_prefix = self.get_matching_prefix(namespace, stream)\n read_backend = self.prefix_read_backends[namespace][stream_prefix]\n return read_backend, self.prefix_confs[namespace][stream_prefix][\n read_backend]\n",
"role": "user"
},
{
"content": "backend_to_retrieve",
"role": "assistant"
}
] |
def x(cls, session, web_hook):
cls('/hooks.json', data=web_hook.to_api(), request_type=
RequestPaginator.POST, session=session)
return True
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, web_hook):\n cls('/hooks.json', data=web_hook.to_api(), request_type=\n RequestPaginator.POST, session=session)\n return True\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, value):
if value:
try:
value = value.read()
except AttributeError:
pass
b64 = base64.b64encode(value.encode('utf-8'))
self.data = b64.decode('utf-8')
| raw_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value:\n try:\n value = value.read()\n except AttributeError:\n pass\n b64 = base64.b64encode(value.encode('utf-8'))\n self.data = b64.decode('utf-8')\n",
"role": "user"
},
{
"content": "raw_data",
"role": "assistant"
}
] |
def x():
task_id = request.form['id']
task = Task.query.get(task_id)
if not task:
return json.dumps({'status': 'success', 'id': None})
task.delete()
if task.active:
current_app.scheduler.cancel(task_id)
code = task.code
other_task = Task.query.filter_by(code=code).order_by('interval'
).first()
if other_task:
other_task.active = True
other_task.save()
current_app.scheduler.schedule({'id': other_task.id, 'code':
other_task.code, 'interval': other_task.interval})
return json.dumps({'status': 'success', 'id': task_id})
| cancel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n task_id = request.form['id']\n task = Task.query.get(task_id)\n if not task:\n return json.dumps({'status': 'success', 'id': None})\n task.delete()\n if task.active:\n current_app.scheduler.cancel(task_id)\n code = task.code\n other_task = Task.query.filter_by(code=code).order_by('interval'\n ).first()\n if other_task:\n other_task.active = True\n other_task.save()\n current_app.scheduler.schedule({'id': other_task.id, 'code':\n other_task.code, 'interval': other_task.interval})\n return json.dumps({'status': 'success', 'id': task_id})\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self, ns, docid, raw, **kw):
self._dest_coll(ns).update(raw['o2'], raw['o'], safe=True)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ns, docid, raw, **kw):\n self._dest_coll(ns).update(raw['o2'], raw['o'], safe=True)\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, ns, docid, raw, **kw):
self._dest_coll(ns).remove(raw['o'], safe=True)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ns, docid, raw, **kw):\n self._dest_coll(ns).remove(raw['o'], safe=True)\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, raw):
dbname = raw['ns'].split('.', 1)[0]
collname = raw['o']['dropIndexes']
self.dest[dbname][collname].drop_index(raw['o']['index'])
| drop_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw):\n dbname = raw['ns'].split('.', 1)[0]\n collname = raw['o']['dropIndexes']\n self.dest[dbname][collname].drop_index(raw['o']['index'])\n",
"role": "user"
},
{
"content": "drop_index",
"role": "assistant"
}
] |
def x(cls, session, mailbox_or_id):
if isinstance(mailbox_or_id, Mailbox):
mailbox_or_id = mailbox_or_id.id
return cls('/mailboxes/%d/folders.json' % mailbox_or_id, session=
session, out_type=Folder)
| get_folders | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, session, mailbox_or_id):\n if isinstance(mailbox_or_id, Mailbox):\n mailbox_or_id = mailbox_or_id.id\n return cls('/mailboxes/%d/folders.json' % mailbox_or_id, session=\n session, out_type=Folder)\n",
"role": "user"
},
{
"content": "get_folders",
"role": "assistant"
}
] |
def x(start, stop, step):
if step == 0:
raise ValueError('slice() arg 3 must not be zero')
if start == stop:
raise StopIteration
previous = start
next = start + step
while next < stop:
yield previous, next
previous += step
next += step
yield previous, stop
| slice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start, stop, step):\n if step == 0:\n raise ValueError('slice() arg 3 must not be zero')\n if start == stop:\n raise StopIteration\n previous = start\n next = start + step\n while next < stop:\n yield previous, next\n previous += step\n next += step\n yield previous, stop\n",
"role": "user"
},
{
"content": "slice",
"role": "assistant"
}
] |
def x(summoner_ids, queue=Queue.RANKED_SOLO_5x5):
summoners_league = defaultdict(set)
for start, end in _slice(0, len(summoner_ids), 10):
for id, leagues in get_league_entries_by_summoner(summoner_ids[
start:end]).items():
for league in leagues:
if Queue[league.queue] == queue:
summoners_league[Tier.parse(league.tier)].add(int(id))
return summoners_league
| leagues_by_summoner_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(summoner_ids, queue=Queue.RANKED_SOLO_5x5):\n summoners_league = defaultdict(set)\n for start, end in _slice(0, len(summoner_ids), 10):\n for id, leagues in get_league_entries_by_summoner(summoner_ids[\n start:end]).items():\n for league in leagues:\n if Queue[league.queue] == queue:\n summoners_league[Tier.parse(league.tier)].add(int(id))\n return summoners_league\n",
"role": "user"
},
{
"content": "leagues_by_summoner_ids",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.