source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self, msg):
assert get_thread_ident() == self.ioloop_thread_id
data = str(msg) + '\n'
if self._logger.isEnabledFor(logging.DEBUG):
self._logger.debug('Sending to {}: {}'.format(self.
bind_address_string, repr(data)))
if not self._connected.isSet():
raise KatcpClientDisconnected('Not connected to device {0}'.format(
self.bind_address_string))
try:
return self._stream.write(data)
except Exception:
self._logger.warn('Could not send message {0!r} to {1!r}'.format(
str(msg), self._bindaddr), exc_info=True)
self._disconnect(exc_info=True)
|
send_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n assert get_thread_ident() == self.ioloop_thread_id\n data = str(msg) + '\\n'\n if self._logger.isEnabledFor(logging.DEBUG):\n self._logger.debug('Sending to {}: {}'.format(self.\n bind_address_string, repr(data)))\n if not self._connected.isSet():\n raise KatcpClientDisconnected('Not connected to device {0}'.format(\n self.bind_address_string))\n try:\n return self._stream.write(data)\n except Exception:\n self._logger.warn('Could not send message {0!r} to {1!r}'.format(\n str(msg), self._bindaddr), exc_info=True)\n self._disconnect(exc_info=True)\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(self, exc_info=False):
if self._stream:
self._stream.close(exc_info=exc_info)
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exc_info=False):\n if self._stream:\n self._stream.close(exc_info=exc_info)\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self, msg):
if self._logger.isEnabledFor(logging.DEBUG):
self._logger.debug('received from {}: {}'.format(self.
bind_address_string, repr(str(msg))))
if msg.mtype == Message.INFORM:
return self.handle_inform(msg)
elif msg.mtype == Message.REPLY:
return self.handle_reply(msg)
elif msg.mtype == Message.REQUEST:
return self.handle_request(msg)
else:
self._logger.error("Unexpected message type from server ['%s']." %
(msg,))
|
handle_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n if self._logger.isEnabledFor(logging.DEBUG):\n self._logger.debug('received from {}: {}'.format(self.\n bind_address_string, repr(str(msg))))\n if msg.mtype == Message.INFORM:\n return self.handle_inform(msg)\n elif msg.mtype == Message.REPLY:\n return self.handle_reply(msg)\n elif msg.mtype == Message.REQUEST:\n return self.handle_request(msg)\n else:\n self._logger.error(\"Unexpected message type from server ['%s'].\" %\n (msg,))\n",
"role": "user"
},
{
"content": "handle_message",
"role": "assistant"
}
] |
def x(self, msg):
method = self._inform_handlers.get(msg.name, self.__class__.
unhandled_inform)
try:
return method(self, msg)
except Exception:
e_type, e_value, trace = sys.exc_info()
reason = '\n'.join(traceback.format_exception(e_type, e_value,
trace, self._tb_limit))
self._logger.error('Inform %s FAIL: %s' % (msg.name, reason))
|
handle_inform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n method = self._inform_handlers.get(msg.name, self.__class__.\n unhandled_inform)\n try:\n return method(self, msg)\n except Exception:\n e_type, e_value, trace = sys.exc_info()\n reason = '\\n'.join(traceback.format_exception(e_type, e_value,\n trace, self._tb_limit))\n self._logger.error('Inform %s FAIL: %s' % (msg.name, reason))\n",
"role": "user"
},
{
"content": "handle_inform",
"role": "assistant"
}
] |
def x(self, msg):
method = self.__class__.unhandled_reply
if msg.name in self._reply_handlers:
method = self._reply_handlers[msg.name]
try:
return method(self, msg)
except Exception:
e_type, e_value, trace = sys.exc_info()
reason = '\n'.join(traceback.format_exception(e_type, e_value,
trace, self._tb_limit))
self._logger.error('Reply %s FAIL: %s' % (msg.name, reason))
|
handle_reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n method = self.__class__.unhandled_reply\n if msg.name in self._reply_handlers:\n method = self._reply_handlers[msg.name]\n try:\n return method(self, msg)\n except Exception:\n e_type, e_value, trace = sys.exc_info()\n reason = '\\n'.join(traceback.format_exception(e_type, e_value,\n trace, self._tb_limit))\n self._logger.error('Reply %s FAIL: %s' % (msg.name, reason))\n",
"role": "user"
},
{
"content": "handle_reply",
"role": "assistant"
}
] |
def x(self, msg):
method = self.__class__.unhandled_request
if msg.name in self._request_handlers:
method = self._request_handlers[msg.name]
try:
reply = method(self, msg)
if isinstance(reply, Message):
reply.mid = msg.mid
assert reply.mtype == Message.REPLY
assert reply.name == msg.name
self._logger.info('%s OK' % (msg.name,))
self.send_message(reply)
else:
return reply
except Exception:
e_type, e_value, trace = sys.exc_info()
reason = '\n'.join(traceback.format_exception(e_type, e_value,
trace, self._tb_limit))
self._logger.error('Request %s FAIL: %s' % (msg.name, reason))
|
handle_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n method = self.__class__.unhandled_request\n if msg.name in self._request_handlers:\n method = self._request_handlers[msg.name]\n try:\n reply = method(self, msg)\n if isinstance(reply, Message):\n reply.mid = msg.mid\n assert reply.mtype == Message.REPLY\n assert reply.name == msg.name\n self._logger.info('%s OK' % (msg.name,))\n self.send_message(reply)\n else:\n return reply\n except Exception:\n e_type, e_value, trace = sys.exc_info()\n reason = '\\n'.join(traceback.format_exception(e_type, e_value,\n trace, self._tb_limit))\n self._logger.error('Request %s FAIL: %s' % (msg.name, reason))\n",
"role": "user"
},
{
"content": "handle_request",
"role": "assistant"
}
] |
def x(self, ioloop=None):
self._ioloop_manager.set_ioloop(ioloop, managed=False)
self.ioloop = ioloop
|
set_ioloop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ioloop=None):\n self._ioloop_manager.set_ioloop(ioloop, managed=False)\n self.ioloop = ioloop\n",
"role": "user"
},
{
"content": "set_ioloop",
"role": "assistant"
}
] |
def x(self):
if self.threadsafe:
return
if self._running.isSet():
raise RuntimeError('Cannot enable thread safety after start')
def x(obj, name):
return getattr(obj, name, False) is True
for name in dir(self):
try:
meth = getattr(self, name)
except AttributeError:
pass
if not callable(meth):
continue
make_threadsafe = _getattr(meth, 'make_threadsafe')
make_threadsafe_blocking = _getattr(meth, 'make_threadsafe_blocking')
if make_threadsafe:
assert not make_threadsafe_blocking
meth = self._make_threadsafe(meth)
setattr(self, name, meth)
elif make_threadsafe_blocking:
meth = self._make_threadsafe_blocking(meth)
setattr(self, name, meth)
self._threadsafe = True
|
enable_thread_safety
|
[
{
"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.threadsafe:\n return\n if self._running.isSet():\n raise RuntimeError('Cannot enable thread safety after start')\n\n def x(obj, name):\n return getattr(obj, name, False) is True\n for name in dir(self):\n try:\n meth = getattr(self, name)\n except AttributeError:\n pass\n if not callable(meth):\n continue\n make_threadsafe = _getattr(meth, 'make_threadsafe')\n make_threadsafe_blocking = _getattr(meth, 'make_threadsafe_blocking')\n if make_threadsafe:\n assert not make_threadsafe_blocking\n meth = self._make_threadsafe(meth)\n setattr(self, name, meth)\n elif make_threadsafe_blocking:\n meth = self._make_threadsafe_blocking(meth)\n setattr(self, name, meth)\n self._threadsafe = True\n",
"role": "user"
},
{
"content": "enable_thread_safety",
"role": "assistant"
}
] |
def x(self, timeout=None):
if self._running.isSet():
raise RuntimeError('Device client already started.')
self.ioloop = self._ioloop_manager.get_ioloop()
if timeout:
t0 = self.ioloop.time()
self._ioloop_manager.start(timeout)
self.ioloop.add_callback(self._install)
if timeout:
remaining_timeout = timeout - (self.ioloop.time() - t0)
self.wait_running(remaining_timeout)
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if self._running.isSet():\n raise RuntimeError('Device client already started.')\n self.ioloop = self._ioloop_manager.get_ioloop()\n if timeout:\n t0 = self.ioloop.time()\n self._ioloop_manager.start(timeout)\n self.ioloop.add_callback(self._install)\n if timeout:\n remaining_timeout = timeout - (self.ioloop.time() - t0)\n self.wait_running(remaining_timeout)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, timeout=None):
ioloop = getattr(self, 'ioloop', None)
if not ioloop:
raise RuntimeError('Call start() before stop()')
if timeout:
if get_thread_ident() == self.ioloop_thread_id:
raise RuntimeError('Cannot block inside ioloop')
self._running.wait_with_ioloop(self.ioloop, timeout)
def x():
self._running.clear()
self._disconnect()
self._ioloop_manager.stop(timeout=timeout, callback=_cleanup)
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n ioloop = getattr(self, 'ioloop', None)\n if not ioloop:\n raise RuntimeError('Call start() before stop()')\n if timeout:\n if get_thread_ident() == self.ioloop_thread_id:\n raise RuntimeError('Cannot block inside ioloop')\n self._running.wait_with_ioloop(self.ioloop, timeout)\n\n def x():\n self._running.clear()\n self._disconnect()\n self._ioloop_manager.stop(timeout=timeout, callback=_cleanup)\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, timeout=None):
ioloop = getattr(self, 'ioloop', None)
if not ioloop:
raise RuntimeError('Call start() before wait_running()')
return self._running.wait_with_ioloop(ioloop, timeout)
|
wait_running
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n ioloop = getattr(self, 'ioloop', None)\n if not ioloop:\n raise RuntimeError('Call start() before wait_running()')\n return self._running.wait_with_ioloop(ioloop, timeout)\n",
"role": "user"
},
{
"content": "wait_running",
"role": "assistant"
}
] |
def x(self, timeout=None):
t0 = self.ioloop.time()
yield self.until_running(timeout=timeout)
t1 = self.ioloop.time()
if timeout:
timedelta = timeout - (t1 - t0)
else:
timedelta = None
assert get_thread_ident() == self.ioloop_thread_id
yield self._connected.until_set(timeout=timedelta)
|
until_connected
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n t0 = self.ioloop.time()\n yield self.until_running(timeout=timeout)\n t1 = self.ioloop.time()\n if timeout:\n timedelta = timeout - (t1 - t0)\n else:\n timedelta = None\n assert get_thread_ident() == self.ioloop_thread_id\n yield self._connected.until_set(timeout=timedelta)\n",
"role": "user"
},
{
"content": "until_connected",
"role": "assistant"
}
] |
def x(self, timeout=None):
t0 = self.ioloop.time()
yield self.until_running(timeout=timeout)
t1 = self.ioloop.time()
if timeout:
timedelta = timeout - (t1 - t0)
else:
timedelta = None
assert get_thread_ident() == self.ioloop_thread_id
yield self._received_protocol_info.until_set(timeout=timedelta)
|
until_protocol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n t0 = self.ioloop.time()\n yield self.until_running(timeout=timeout)\n t1 = self.ioloop.time()\n if timeout:\n timedelta = timeout - (t1 - t0)\n else:\n timedelta = None\n assert get_thread_ident() == self.ioloop_thread_id\n yield self._received_protocol_info.until_set(timeout=timedelta)\n",
"role": "user"
},
{
"content": "until_protocol",
"role": "assistant"
}
] |
def x(self, msg_id, request, reply_cb, inform_cb, user_data, timeout_handle):
assert get_thread_ident() == self.ioloop_thread_id
self._async_queue[msg_id
] = request, reply_cb, inform_cb, user_data, timeout_handle
if request.name in self._async_id_stack:
self._async_id_stack[request.name].append(msg_id)
else:
self._async_id_stack[request.name] = [msg_id]
|
push_async_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg_id, request, reply_cb, inform_cb, user_data, timeout_handle):\n assert get_thread_ident() == self.ioloop_thread_id\n self._async_queue[msg_id\n ] = request, reply_cb, inform_cb, user_data, timeout_handle\n if request.name in self._async_id_stack:\n self._async_id_stack[request.name].append(msg_id)\n else:\n self._async_id_stack[request.name] = [msg_id]\n",
"role": "user"
},
{
"content": "push_async_request",
"role": "assistant"
}
] |
def x(self, msg_id, msg_name):
assert get_thread_ident() == self.ioloop_thread_id
if msg_id is None:
msg_id = self._msg_id_for_name(msg_name)
if msg_id in self._async_queue:
callback_tuple = self._async_queue[msg_id]
del self._async_queue[msg_id]
self._async_id_stack[callback_tuple[0].name].remove(msg_id)
return callback_tuple
else:
return None, None, None, None, None
|
pop_async_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg_id, msg_name):\n assert get_thread_ident() == self.ioloop_thread_id\n if msg_id is None:\n msg_id = self._msg_id_for_name(msg_name)\n if msg_id in self._async_queue:\n callback_tuple = self._async_queue[msg_id]\n del self._async_queue[msg_id]\n self._async_id_stack[callback_tuple[0].name].remove(msg_id)\n return callback_tuple\n else:\n return None, None, None, None, None\n",
"role": "user"
},
{
"content": "pop_async_request",
"role": "assistant"
}
] |
def x(self, msg_id, msg_name):
assert get_thread_ident() == self.ioloop_thread_id
if msg_id is None:
msg_id = self._msg_id_for_name(msg_name)
if msg_id in self._async_queue:
return self._async_queue[msg_id]
else:
return None, None, None, None, None
|
peek_async_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg_id, msg_name):\n assert get_thread_ident() == self.ioloop_thread_id\n if msg_id is None:\n msg_id = self._msg_id_for_name(msg_name)\n if msg_id in self._async_queue:\n return self._async_queue[msg_id]\n else:\n return None, None, None, None, None\n",
"role": "user"
},
{
"content": "peek_async_request",
"role": "assistant"
}
] |
def x(self, msg_name):
if msg_name in self._async_id_stack and self._async_id_stack[msg_name]:
return self._async_id_stack[msg_name][0]
|
msg_id_for_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg_name):\n if msg_name in self._async_id_stack and self._async_id_stack[msg_name]:\n return self._async_id_stack[msg_name][0]\n",
"role": "user"
},
{
"content": "msg_id_for_name",
"role": "assistant"
}
] |
def x(self, msg, timeout=None, use_mid=None):
if timeout is None:
timeout = self._request_timeout
f = tornado_Future()
informs = []
def x(msg):
f.set_result((msg, informs))
def x(msg):
informs.append(msg)
try:
self.callback_request(msg, reply_cb=reply_cb, inform_cb=inform_cb,
timeout=timeout, use_mid=use_mid)
except Exception:
f.set_exc_info(sys.exc_info())
return f
|
future_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, timeout=None, use_mid=None):\n if timeout is None:\n timeout = self._request_timeout\n f = tornado_Future()\n informs = []\n\n def x(msg):\n f.set_result((msg, informs))\n\n def x(msg):\n informs.append(msg)\n try:\n self.callback_request(msg, reply_cb=reply_cb, inform_cb=inform_cb,\n timeout=timeout, use_mid=use_mid)\n except Exception:\n f.set_exc_info(sys.exc_info())\n return f\n",
"role": "user"
},
{
"content": "future_request",
"role": "assistant"
}
] |
def x(self, msg, timeout=None, use_mid=None):
assert get_thread_ident(
) != self.ioloop_thread_id, 'Cannot call blocking_request() in ioloop'
if timeout is None:
timeout = self._request_timeout
f = Future()
tf = [None]
def x():
try:
tf[0] = frf = self.future_request(msg, timeout=timeout, use_mid
=use_mid)
except Exception:
tf[0] = frf = tornado_Future()
frf.set_exc_info(sys.exc_info())
gen.chain_future(frf, f)
self.ioloop.add_callback(blocking_request_callback)
extra_wait = 1
wait_timeout = timeout
if wait_timeout is not None:
wait_timeout = wait_timeout + extra_wait
try:
return f.result(timeout=wait_timeout)
except TimeoutError:
raise RuntimeError(
'Unexpected error: Async request handler did not call reply handler within timeout period'
)
except Exception:
tf[0].result()
assert False
|
blocking_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, timeout=None, use_mid=None):\n assert get_thread_ident(\n ) != self.ioloop_thread_id, 'Cannot call blocking_request() in ioloop'\n if timeout is None:\n timeout = self._request_timeout\n f = Future()\n tf = [None]\n\n def x():\n try:\n tf[0] = frf = self.future_request(msg, timeout=timeout, use_mid\n =use_mid)\n except Exception:\n tf[0] = frf = tornado_Future()\n frf.set_exc_info(sys.exc_info())\n gen.chain_future(frf, f)\n self.ioloop.add_callback(blocking_request_callback)\n extra_wait = 1\n wait_timeout = timeout\n if wait_timeout is not None:\n wait_timeout = wait_timeout + extra_wait\n try:\n return f.result(timeout=wait_timeout)\n except TimeoutError:\n raise RuntimeError(\n 'Unexpected error: Async request handler did not call reply handler within timeout period'\n )\n except Exception:\n tf[0].result()\n assert False\n",
"role": "user"
},
{
"content": "blocking_request",
"role": "assistant"
}
] |
def x(self, msg):
if msg.mid is not None:
_request, _reply_cb, inform_cb, user_data, _timeout_handle = (self.
_peek_async_request(msg.mid, None))
else:
request, _reply_cb, inform_cb, user_data, _timeout_handle = (self.
_peek_async_request(None, msg.name))
if request is not None and request.mid is not None:
inform_cb, user_data = None, None
if inform_cb is None:
inform_cb = super(AsyncClient, self).handle_inform
user_data = None
try:
if user_data is None:
inform_cb(msg)
else:
inform_cb(msg, *user_data)
except Exception:
e_type, e_value, trace = sys.exc_info()
reason = '\n'.join(traceback.format_exception(e_type, e_value,
trace, self._tb_limit))
self._logger.error('Callback inform %s FAIL: %s' % (msg.name, reason))
|
handle_inform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n if msg.mid is not None:\n _request, _reply_cb, inform_cb, user_data, _timeout_handle = (self.\n _peek_async_request(msg.mid, None))\n else:\n request, _reply_cb, inform_cb, user_data, _timeout_handle = (self.\n _peek_async_request(None, msg.name))\n if request is not None and request.mid is not None:\n inform_cb, user_data = None, None\n if inform_cb is None:\n inform_cb = super(AsyncClient, self).handle_inform\n user_data = None\n try:\n if user_data is None:\n inform_cb(msg)\n else:\n inform_cb(msg, *user_data)\n except Exception:\n e_type, e_value, trace = sys.exc_info()\n reason = '\\n'.join(traceback.format_exception(e_type, e_value,\n trace, self._tb_limit))\n self._logger.error('Callback inform %s FAIL: %s' % (msg.name, reason))\n",
"role": "user"
},
{
"content": "handle_inform",
"role": "assistant"
}
] |
def x(self, reason, msg, reply_cb, inform_cb, user_data, timeout_handle):
if reply_cb is None:
return
reason_msg = Message.reply(msg.name, 'fail', reason, mid=msg.mid)
try:
if user_data is None:
reply_cb(reason_msg)
else:
reply_cb(reason_msg, *user_data)
except Exception:
e_type, e_value, trace = sys.exc_info()
exc_reason = '\n'.join(traceback.format_exception(e_type, e_value,
trace, self._tb_limit))
self._logger.error('Callback reply during failure %s, %s FAIL: %s' %
(reason, msg.name, exc_reason))
|
do_fail_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason, msg, reply_cb, inform_cb, user_data, timeout_handle):\n if reply_cb is None:\n return\n reason_msg = Message.reply(msg.name, 'fail', reason, mid=msg.mid)\n try:\n if user_data is None:\n reply_cb(reason_msg)\n else:\n reply_cb(reason_msg, *user_data)\n except Exception:\n e_type, e_value, trace = sys.exc_info()\n exc_reason = '\\n'.join(traceback.format_exception(e_type, e_value,\n trace, self._tb_limit))\n self._logger.error('Callback reply during failure %s, %s FAIL: %s' %\n (reason, msg.name, exc_reason))\n",
"role": "user"
},
{
"content": "do_fail_callback",
"role": "assistant"
}
] |
def x(self, msg_id, start_time):
msg, reply_cb, inform_cb, user_data, timeout_handle = (self.
_pop_async_request(msg_id, None))
if timeout_handle is None:
return
reason = 'Request {0.name} timed out after {1:f} seconds.'.format(msg,
self.ioloop.time() - start_time)
self._do_fail_callback(reason, msg, reply_cb, inform_cb, user_data,
timeout_handle)
|
handle_timeout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg_id, start_time):\n msg, reply_cb, inform_cb, user_data, timeout_handle = (self.\n _pop_async_request(msg_id, None))\n if timeout_handle is None:\n return\n reason = 'Request {0.name} timed out after {1:f} seconds.'.format(msg, \n self.ioloop.time() - start_time)\n self._do_fail_callback(reason, msg, reply_cb, inform_cb, user_data,\n timeout_handle)\n",
"role": "user"
},
{
"content": "handle_timeout",
"role": "assistant"
}
] |
def x(self, msg):
if msg.mid is not None:
_request, reply_cb, _inform_cb, user_data, timeout_handle = (self.
_pop_async_request(msg.mid, None))
else:
request, _reply_cb, _inform_cb, _user_data, timeout_handle = (self.
_peek_async_request(None, msg.name))
if request is not None and request.mid is None:
_request, reply_cb, _inform_cb, user_data, timeout_handle = (self
._pop_async_request(None, msg.name))
else:
reply_cb, user_data = None, None
if timeout_handle is not None:
self.ioloop.remove_timeout(timeout_handle)
if reply_cb is None:
reply_cb = super(AsyncClient, self).handle_reply
user_data = None
try:
if user_data is None:
reply_cb(msg)
else:
reply_cb(msg, *user_data)
except Exception:
e_type, e_value, trace = sys.exc_info()
reason = '\n'.join(traceback.format_exception(e_type, e_value,
trace, self._tb_limit))
self._logger.error('Callback reply %s FAIL: %s' % (msg.name, reason))
|
handle_reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n if msg.mid is not None:\n _request, reply_cb, _inform_cb, user_data, timeout_handle = (self.\n _pop_async_request(msg.mid, None))\n else:\n request, _reply_cb, _inform_cb, _user_data, timeout_handle = (self.\n _peek_async_request(None, msg.name))\n if request is not None and request.mid is None:\n _request, reply_cb, _inform_cb, user_data, timeout_handle = (self\n ._pop_async_request(None, msg.name))\n else:\n reply_cb, user_data = None, None\n if timeout_handle is not None:\n self.ioloop.remove_timeout(timeout_handle)\n if reply_cb is None:\n reply_cb = super(AsyncClient, self).handle_reply\n user_data = None\n try:\n if user_data is None:\n reply_cb(msg)\n else:\n reply_cb(msg, *user_data)\n except Exception:\n e_type, e_value, trace = sys.exc_info()\n reason = '\\n'.join(traceback.format_exception(e_type, e_value,\n trace, self._tb_limit))\n self._logger.error('Callback reply %s FAIL: %s' % (msg.name, reason))\n",
"role": "user"
},
{
"content": "handle_reply",
"role": "assistant"
}
] |
def x(self, value):
try:
serialized = json.dumps(value)
except (ValueError, TypeError):
raise serializers.ValidationError(
'Answer value must be JSON-serializable')
if len(serialized) > Submission.MAXSIZE:
raise serializers.ValidationError('Maximum answer size exceeded.')
return value
|
validate_answer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n try:\n serialized = json.dumps(value)\n except (ValueError, TypeError):\n raise serializers.ValidationError(\n 'Answer value must be JSON-serializable')\n if len(serialized) > Submission.MAXSIZE:\n raise serializers.ValidationError('Maximum answer size exceeded.')\n return value\n",
"role": "user"
},
{
"content": "validate_answer",
"role": "assistant"
}
] |
def x(self, obj):
annotations = ScoreAnnotation.objects.filter(score_id=obj.id)
return [ScoreAnnotationSerializer(instance=annotation).data for
annotation in annotations]
|
get_annotations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n annotations = ScoreAnnotation.objects.filter(score_id=obj.id)\n return [ScoreAnnotationSerializer(instance=annotation).data for\n annotation in annotations]\n",
"role": "user"
},
{
"content": "get_annotations",
"role": "assistant"
}
] |
def x(cls, student_item):
return cls.objects.create(student_item=student_item, submission=None,
points_earned=0, points_possible=0, reset=True)
|
create_reset_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, student_item):\n return cls.objects.create(student_item=student_item, submission=None,\n points_earned=0, points_possible=0, reset=True)\n",
"role": "user"
},
{
"content": "create_reset_score",
"role": "assistant"
}
] |
def x(sender, **kwargs):
score = kwargs['instance']
try:
score_summary = ScoreSummary.objects.get(student_item=score.
student_item)
score_summary.latest = score
if score.reset:
score_summary.highest = score
elif score.to_float() > score_summary.highest.to_float():
score_summary.highest = score
score_summary.save()
except ScoreSummary.DoesNotExist:
ScoreSummary.objects.create(student_item=score.student_item,
highest=score, latest=score)
except DatabaseError as err:
logger.exception(
u'Error while updating score summary for student item {}'.
format(score.student_item))
|
update_score_summary
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sender, **kwargs):\n score = kwargs['instance']\n try:\n score_summary = ScoreSummary.objects.get(student_item=score.\n student_item)\n score_summary.latest = score\n if score.reset:\n score_summary.highest = score\n elif score.to_float() > score_summary.highest.to_float():\n score_summary.highest = score\n score_summary.save()\n except ScoreSummary.DoesNotExist:\n ScoreSummary.objects.create(student_item=score.student_item,\n highest=score, latest=score)\n except DatabaseError as err:\n logger.exception(\n u'Error while updating score summary for student item {}'.\n format(score.student_item))\n",
"role": "user"
},
{
"content": "update_score_summary",
"role": "assistant"
}
] |
def x(self, parser):
parser.add_argument('--start', '-s', default=0, type=int, help=
u'The Submission.id at which to begin updating rows. 0 by default.')
parser.add_argument('--chunk', '-c', default=1000, type=int, help=
u'Batch size, how many rows to update in a given transaction. Default 1000.'
)
parser.add_argument('--wait', '-w', default=2, type=int, help=
u'Wait time between transactions, in seconds. Default 2.')
|
add_arguments
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser):\n parser.add_argument('--start', '-s', default=0, type=int, help=\n u'The Submission.id at which to begin updating rows. 0 by default.')\n parser.add_argument('--chunk', '-c', default=1000, type=int, help=\n u'Batch size, how many rows to update in a given transaction. Default 1000.'\n )\n parser.add_argument('--wait', '-w', default=2, type=int, help=\n u'Wait time between transactions, in seconds. Default 2.')\n",
"role": "user"
},
{
"content": "add_arguments",
"role": "assistant"
}
] |
def x(self, *args, **options):
last_id = Submission._objects.all().aggregate(Max('id'))['id__max']
log.info('Beginning uuid update')
current = options['start']
while current < last_id:
end_chunk = current + options['chunk'] if last_id - options['chunk'
] >= current else last_id
log.info('Updating entries in range [{}, {}]'.format(current,
end_chunk))
with transaction.atomic():
for submission in Submission._objects.filter(id__gte=current,
id__lte=end_chunk).iterator():
submission.save(update_fields=['uuid'])
time.sleep(options['wait'])
current = end_chunk + 1
|
handle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **options):\n last_id = Submission._objects.all().aggregate(Max('id'))['id__max']\n log.info('Beginning uuid update')\n current = options['start']\n while current < last_id:\n end_chunk = current + options['chunk'] if last_id - options['chunk'\n ] >= current else last_id\n log.info('Updating entries in range [{}, {}]'.format(current,\n end_chunk))\n with transaction.atomic():\n for submission in Submission._objects.filter(id__gte=current,\n id__lte=end_chunk).iterator():\n submission.save(update_fields=['uuid'])\n time.sleep(options['wait'])\n current = end_chunk + 1\n",
"role": "user"
},
{
"content": "handle",
"role": "assistant"
}
] |
def x(request, course_id, student_id, item_id):
student_item_dict = dict(course_id=course_id, student_id=student_id,
item_id=item_id)
context = dict(**student_item_dict)
try:
submissions = get_submissions(student_item_dict)
context['submissions'] = submissions
except SubmissionRequestError:
context['error'] = 'The specified student item was not found.'
return render_to_response('submissions.html', context)
|
get_submissions_for_student_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, course_id, student_id, item_id):\n student_item_dict = dict(course_id=course_id, student_id=student_id,\n item_id=item_id)\n context = dict(**student_item_dict)\n try:\n submissions = get_submissions(student_item_dict)\n context['submissions'] = submissions\n except SubmissionRequestError:\n context['error'] = 'The specified student item was not found.'\n return render_to_response('submissions.html', context)\n",
"role": "user"
},
{
"content": "get_submissions_for_student_item",
"role": "assistant"
}
] |
def x(student_item_dict, answer, submitted_at=None, attempt_number=None):
student_item_model = _get_or_create_student_item(student_item_dict)
if attempt_number is None:
try:
submissions = Submission.objects.filter(student_item=
student_item_model)[:1]
except DatabaseError:
error_message = (
u'An error occurred while filtering submissions for student item: {}'
.format(student_item_dict))
logger.exception(error_message)
raise SubmissionInternalError(error_message)
attempt_number = submissions[0
].attempt_number + 1 if submissions else 1
model_kwargs = {'student_item': student_item_model.pk, 'answer': answer,
'attempt_number': attempt_number}
if submitted_at:
model_kwargs['submitted_at'] = submitted_at
try:
submission_serializer = SubmissionSerializer(data=model_kwargs)
if not submission_serializer.is_valid():
raise SubmissionRequestError(field_errors=submission_serializer
.errors)
submission_serializer.save()
sub_data = submission_serializer.data
_log_submission(sub_data, student_item_dict)
return sub_data
except DatabaseError:
error_message = (
u'An error occurred while creating submission {} for student item: {}'
.format(model_kwargs, student_item_dict))
logger.exception(error_message)
raise SubmissionInternalError(error_message)
|
create_submission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(student_item_dict, answer, submitted_at=None, attempt_number=None):\n student_item_model = _get_or_create_student_item(student_item_dict)\n if attempt_number is None:\n try:\n submissions = Submission.objects.filter(student_item=\n student_item_model)[:1]\n except DatabaseError:\n error_message = (\n u'An error occurred while filtering submissions for student item: {}'\n .format(student_item_dict))\n logger.exception(error_message)\n raise SubmissionInternalError(error_message)\n attempt_number = submissions[0\n ].attempt_number + 1 if submissions else 1\n model_kwargs = {'student_item': student_item_model.pk, 'answer': answer,\n 'attempt_number': attempt_number}\n if submitted_at:\n model_kwargs['submitted_at'] = submitted_at\n try:\n submission_serializer = SubmissionSerializer(data=model_kwargs)\n if not submission_serializer.is_valid():\n raise SubmissionRequestError(field_errors=submission_serializer\n .errors)\n submission_serializer.save()\n sub_data = submission_serializer.data\n _log_submission(sub_data, student_item_dict)\n return sub_data\n except DatabaseError:\n error_message = (\n u'An error occurred while creating submission {} for student item: {}'\n .format(model_kwargs, student_item_dict))\n logger.exception(error_message)\n raise SubmissionInternalError(error_message)\n",
"role": "user"
},
{
"content": "create_submission",
"role": "assistant"
}
] |
def x(uuid, read_replica=False):
submission_qs = Submission.objects
if read_replica:
submission_qs = _use_read_replica(submission_qs)
try:
submission = submission_qs.get(uuid=uuid)
except Submission.DoesNotExist:
try:
hyphenated_value = six.text_type(UUID(uuid))
query = """
SELECT
`submissions_submission`.`id`,
`submissions_submission`.`uuid`,
`submissions_submission`.`student_item_id`,
`submissions_submission`.`attempt_number`,
`submissions_submission`.`submitted_at`,
`submissions_submission`.`created_at`,
`submissions_submission`.`raw_answer`,
`submissions_submission`.`status`
FROM
`submissions_submission`
WHERE (
NOT (`submissions_submission`.`status` = 'D')
AND `submissions_submission`.`uuid` = '{}'
)
"""
query = query.replace('{}', hyphenated_value)
submission = Submission.objects.raw(query)[0]
except IndexError:
raise Submission.DoesNotExist()
submission.save(update_fields=['uuid'])
return submission
|
get_submission_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uuid, read_replica=False):\n submission_qs = Submission.objects\n if read_replica:\n submission_qs = _use_read_replica(submission_qs)\n try:\n submission = submission_qs.get(uuid=uuid)\n except Submission.DoesNotExist:\n try:\n hyphenated_value = six.text_type(UUID(uuid))\n query = \"\"\"\n SELECT\n `submissions_submission`.`id`,\n `submissions_submission`.`uuid`,\n `submissions_submission`.`student_item_id`,\n `submissions_submission`.`attempt_number`,\n `submissions_submission`.`submitted_at`,\n `submissions_submission`.`created_at`,\n `submissions_submission`.`raw_answer`,\n `submissions_submission`.`status`\n FROM\n `submissions_submission`\n WHERE (\n NOT (`submissions_submission`.`status` = 'D')\n AND `submissions_submission`.`uuid` = '{}'\n )\n \"\"\"\n query = query.replace('{}', hyphenated_value)\n submission = Submission.objects.raw(query)[0]\n except IndexError:\n raise Submission.DoesNotExist()\n submission.save(update_fields=['uuid'])\n return submission\n",
"role": "user"
},
{
"content": "get_submission_model",
"role": "assistant"
}
] |
def x(submission_uuid, read_replica=False):
if not isinstance(submission_uuid, six.string_types):
if isinstance(submission_uuid, UUID):
submission_uuid = six.text_type(submission_uuid)
else:
raise SubmissionRequestError(msg=
'submission_uuid ({!r}) must be serializable'.format(
submission_uuid))
cache_key = Submission.get_cache_key(submission_uuid)
try:
cached_submission_data = cache.get(cache_key)
except Exception:
logger.exception(
'Error occurred while retrieving submission from the cache')
cached_submission_data = None
if cached_submission_data:
logger.info('Get submission {} (cached)'.format(submission_uuid))
return cached_submission_data
try:
submission = _get_submission_model(submission_uuid, read_replica)
submission_data = SubmissionSerializer(submission).data
cache.set(cache_key, submission_data)
except Submission.DoesNotExist:
logger.error('Submission {} not found.'.format(submission_uuid))
raise SubmissionNotFoundError(u'No submission matching uuid {}'.
format(submission_uuid))
except Exception as exc:
err_msg = 'Could not get submission due to error: {}'.format(exc)
logger.exception(err_msg)
raise SubmissionInternalError(err_msg)
logger.info('Get submission {}'.format(submission_uuid))
return submission_data
|
get_submission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(submission_uuid, read_replica=False):\n if not isinstance(submission_uuid, six.string_types):\n if isinstance(submission_uuid, UUID):\n submission_uuid = six.text_type(submission_uuid)\n else:\n raise SubmissionRequestError(msg=\n 'submission_uuid ({!r}) must be serializable'.format(\n submission_uuid))\n cache_key = Submission.get_cache_key(submission_uuid)\n try:\n cached_submission_data = cache.get(cache_key)\n except Exception:\n logger.exception(\n 'Error occurred while retrieving submission from the cache')\n cached_submission_data = None\n if cached_submission_data:\n logger.info('Get submission {} (cached)'.format(submission_uuid))\n return cached_submission_data\n try:\n submission = _get_submission_model(submission_uuid, read_replica)\n submission_data = SubmissionSerializer(submission).data\n cache.set(cache_key, submission_data)\n except Submission.DoesNotExist:\n logger.error('Submission {} not found.'.format(submission_uuid))\n raise SubmissionNotFoundError(u'No submission matching uuid {}'.\n format(submission_uuid))\n except Exception as exc:\n err_msg = 'Could not get submission due to error: {}'.format(exc)\n logger.exception(err_msg)\n raise SubmissionInternalError(err_msg)\n logger.info('Get submission {}'.format(submission_uuid))\n return submission_data\n",
"role": "user"
},
{
"content": "get_submission",
"role": "assistant"
}
] |
def x(uuid, read_replica=False):
submission = get_submission(uuid, read_replica=read_replica)
cache_key = 'submissions.student_item.{}'.format(submission['student_item']
)
try:
cached_student_item = cache.get(cache_key)
except Exception:
logger.exception(
'Error occurred while retrieving student item from the cache')
cached_student_item = None
if cached_student_item is not None:
submission['student_item'] = cached_student_item
else:
try:
student_item_qs = StudentItem.objects
if read_replica:
student_item_qs = _use_read_replica(student_item_qs)
student_item = student_item_qs.get(id=submission['student_item'])
submission['student_item'] = StudentItemSerializer(student_item
).data
cache.set(cache_key, submission['student_item'])
except Exception as ex:
err_msg = 'Could not get submission due to error: {}'.format(ex)
logger.exception(err_msg)
raise SubmissionInternalError(err_msg)
return submission
|
get_submission_and_student
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uuid, read_replica=False):\n submission = get_submission(uuid, read_replica=read_replica)\n cache_key = 'submissions.student_item.{}'.format(submission['student_item']\n )\n try:\n cached_student_item = cache.get(cache_key)\n except Exception:\n logger.exception(\n 'Error occurred while retrieving student item from the cache')\n cached_student_item = None\n if cached_student_item is not None:\n submission['student_item'] = cached_student_item\n else:\n try:\n student_item_qs = StudentItem.objects\n if read_replica:\n student_item_qs = _use_read_replica(student_item_qs)\n student_item = student_item_qs.get(id=submission['student_item'])\n submission['student_item'] = StudentItemSerializer(student_item\n ).data\n cache.set(cache_key, submission['student_item'])\n except Exception as ex:\n err_msg = 'Could not get submission due to error: {}'.format(ex)\n logger.exception(err_msg)\n raise SubmissionInternalError(err_msg)\n return submission\n",
"role": "user"
},
{
"content": "get_submission_and_student",
"role": "assistant"
}
] |
def x(student_item_dict, limit=None):
student_item_model = _get_or_create_student_item(student_item_dict)
try:
submission_models = Submission.objects.filter(student_item=
student_item_model)
except DatabaseError:
error_message = (
u'Error getting submission request for student item {}'.format(
student_item_dict))
logger.exception(error_message)
raise SubmissionNotFoundError(error_message)
if limit:
submission_models = submission_models[:limit]
return SubmissionSerializer(submission_models, many=True).data
|
get_submissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(student_item_dict, limit=None):\n student_item_model = _get_or_create_student_item(student_item_dict)\n try:\n submission_models = Submission.objects.filter(student_item=\n student_item_model)\n except DatabaseError:\n error_message = (\n u'Error getting submission request for student item {}'.format(\n student_item_dict))\n logger.exception(error_message)\n raise SubmissionNotFoundError(error_message)\n if limit:\n submission_models = submission_models[:limit]\n return SubmissionSerializer(submission_models, many=True).data\n",
"role": "user"
},
{
"content": "get_submissions",
"role": "assistant"
}
] |
def x(course_id, item_id, item_type, read_replica=True):
submission_qs = Submission.objects
if read_replica:
submission_qs = _use_read_replica(submission_qs)
query = submission_qs.select_related('student_item').filter(
student_item__course_id=course_id, student_item__item_id=item_id,
student_item__item_type=item_type).order_by('student_item__student_id',
'-submitted_at', '-id').iterator()
for unused_student_id, row_iter in itertools.groupby(query, operator.
attrgetter('student_item.student_id')):
submission = next(row_iter)
data = SubmissionSerializer(submission).data
data['student_id'] = submission.student_item.student_id
yield data
|
get_all_submissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(course_id, item_id, item_type, read_replica=True):\n submission_qs = Submission.objects\n if read_replica:\n submission_qs = _use_read_replica(submission_qs)\n query = submission_qs.select_related('student_item').filter(\n student_item__course_id=course_id, student_item__item_id=item_id,\n student_item__item_type=item_type).order_by('student_item__student_id',\n '-submitted_at', '-id').iterator()\n for unused_student_id, row_iter in itertools.groupby(query, operator.\n attrgetter('student_item.student_id')):\n submission = next(row_iter)\n data = SubmissionSerializer(submission).data\n data['student_id'] = submission.student_item.student_id\n yield data\n",
"role": "user"
},
{
"content": "get_all_submissions",
"role": "assistant"
}
] |
def x(course_id, item_type, read_replica=True):
submission_qs = Submission.objects
if read_replica:
submission_qs = _use_read_replica(submission_qs)
query = submission_qs.select_related(
'student_item__scoresummary__latest__submission').filter(
student_item__course_id=course_id, student_item__item_type=item_type
).iterator()
for submission in query:
student_item = submission.student_item
serialized_score = {}
if hasattr(student_item, 'scoresummary'):
latest_score = student_item.scoresummary.latest
if not latest_score.is_hidden(
) and latest_score.submission.uuid == submission.uuid:
serialized_score = ScoreSerializer(latest_score).data
yield StudentItemSerializer(student_item).data, SubmissionSerializer(
submission).data, serialized_score
|
get_all_course_submission_information
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(course_id, item_type, read_replica=True):\n submission_qs = Submission.objects\n if read_replica:\n submission_qs = _use_read_replica(submission_qs)\n query = submission_qs.select_related(\n 'student_item__scoresummary__latest__submission').filter(\n student_item__course_id=course_id, student_item__item_type=item_type\n ).iterator()\n for submission in query:\n student_item = submission.student_item\n serialized_score = {}\n if hasattr(student_item, 'scoresummary'):\n latest_score = student_item.scoresummary.latest\n if not latest_score.is_hidden(\n ) and latest_score.submission.uuid == submission.uuid:\n serialized_score = ScoreSerializer(latest_score).data\n yield StudentItemSerializer(student_item).data, SubmissionSerializer(\n submission).data, serialized_score\n",
"role": "user"
},
{
"content": "get_all_course_submission_information",
"role": "assistant"
}
] |
def x(course_id, item_id, item_type, number_of_top_scores, use_cache=True,
read_replica=True):
if number_of_top_scores < 1 or number_of_top_scores > MAX_TOP_SUBMISSIONS:
error_msg = (u'Number of top scores must be a number between 1 and {}.'
.format(MAX_TOP_SUBMISSIONS))
logger.exception(error_msg)
raise SubmissionRequestError(msg=error_msg)
cache_key = ('submissions.top_submissions.{course}.{item}.{type}.{number}'
.format(course=course_id, item=item_id, type=item_type, number=
number_of_top_scores))
top_submissions = cache.get(cache_key) if use_cache else None
if top_submissions is None:
try:
query = ScoreSummary.objects.filter(student_item__course_id=
course_id, student_item__item_id=item_id,
student_item__item_type=item_type, latest__points_earned__gt=0
).select_related('latest', 'latest__submission').order_by(
'-latest__points_earned')
if read_replica:
query = _use_read_replica(query)
score_summaries = query[:number_of_top_scores]
except DatabaseError:
msg = (
u'Could not fetch top score summaries for course {}, item {} of type {}'
.format(course_id, item_id, item_type))
logger.exception(msg)
raise SubmissionInternalError(msg)
top_submissions = [{'score': score_summary.latest.points_earned,
'content': SubmissionSerializer(score_summary.latest.submission
).data['answer']} for score_summary in score_summaries]
cache.set(cache_key, top_submissions, TOP_SUBMISSIONS_CACHE_TIMEOUT)
return top_submissions
|
get_top_submissions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(course_id, item_id, item_type, number_of_top_scores, use_cache=True,\n read_replica=True):\n if number_of_top_scores < 1 or number_of_top_scores > MAX_TOP_SUBMISSIONS:\n error_msg = (u'Number of top scores must be a number between 1 and {}.'\n .format(MAX_TOP_SUBMISSIONS))\n logger.exception(error_msg)\n raise SubmissionRequestError(msg=error_msg)\n cache_key = ('submissions.top_submissions.{course}.{item}.{type}.{number}'\n .format(course=course_id, item=item_id, type=item_type, number=\n number_of_top_scores))\n top_submissions = cache.get(cache_key) if use_cache else None\n if top_submissions is None:\n try:\n query = ScoreSummary.objects.filter(student_item__course_id=\n course_id, student_item__item_id=item_id,\n student_item__item_type=item_type, latest__points_earned__gt=0\n ).select_related('latest', 'latest__submission').order_by(\n '-latest__points_earned')\n if read_replica:\n query = _use_read_replica(query)\n score_summaries = query[:number_of_top_scores]\n except DatabaseError:\n msg = (\n u'Could not fetch top score summaries for course {}, item {} of type {}'\n .format(course_id, item_id, item_type))\n logger.exception(msg)\n raise SubmissionInternalError(msg)\n top_submissions = [{'score': score_summary.latest.points_earned,\n 'content': SubmissionSerializer(score_summary.latest.submission\n ).data['answer']} for score_summary in score_summaries]\n cache.set(cache_key, top_submissions, TOP_SUBMISSIONS_CACHE_TIMEOUT)\n return top_submissions\n",
"role": "user"
},
{
"content": "get_top_submissions",
"role": "assistant"
}
] |
def x(student_item):
try:
student_item_model = StudentItem.objects.get(**student_item)
score = ScoreSummary.objects.get(student_item=student_item_model
).latest
except (ScoreSummary.DoesNotExist, StudentItem.DoesNotExist):
return None
if score.is_hidden():
return None
else:
return ScoreSerializer(score).data
|
get_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(student_item):\n try:\n student_item_model = StudentItem.objects.get(**student_item)\n score = ScoreSummary.objects.get(student_item=student_item_model\n ).latest\n except (ScoreSummary.DoesNotExist, StudentItem.DoesNotExist):\n return None\n if score.is_hidden():\n return None\n else:\n return ScoreSerializer(score).data\n",
"role": "user"
},
{
"content": "get_score",
"role": "assistant"
}
] |
def x(course_id, student_id):
try:
score_summaries = ScoreSummary.objects.filter(student_item__course_id
=course_id, student_item__student_id=student_id).select_related(
'latest', 'latest__submission', 'student_item')
except DatabaseError:
msg = u'Could not fetch scores for course {}, student {}'.format(
course_id, student_id)
logger.exception(msg)
raise SubmissionInternalError(msg)
scores = {summary.student_item.item_id: UnannotatedScoreSerializer(
summary.latest).data for summary in score_summaries if not summary.
latest.is_hidden()}
return scores
|
get_scores
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(course_id, student_id):\n try:\n score_summaries = ScoreSummary.objects.filter(student_item__course_id\n =course_id, student_item__student_id=student_id).select_related(\n 'latest', 'latest__submission', 'student_item')\n except DatabaseError:\n msg = u'Could not fetch scores for course {}, student {}'.format(\n course_id, student_id)\n logger.exception(msg)\n raise SubmissionInternalError(msg)\n scores = {summary.student_item.item_id: UnannotatedScoreSerializer(\n summary.latest).data for summary in score_summaries if not summary.\n latest.is_hidden()}\n return scores\n",
"role": "user"
},
{
"content": "get_scores",
"role": "assistant"
}
] |
def x(student_id, course_id, item_id, clear_state=False, emit_signal=True):
try:
student_item = StudentItem.objects.get(student_id=student_id,
course_id=course_id, item_id=item_id)
except StudentItem.DoesNotExist:
return
try:
score = Score.create_reset_score(student_item)
if emit_signal:
score_reset.send(sender=None, anonymous_user_id=student_id,
course_id=course_id, item_id=item_id, created_at=score.
created_at)
if clear_state:
for sub in student_item.submission_set.all():
sub.status = Submission.DELETED
sub.save(update_fields=['status'])
cache_key = Submission.get_cache_key(sub.uuid)
cache.delete(cache_key)
except DatabaseError:
msg = (
u'Error occurred while reseting scores for item {item_id} in course {course_id} for student {student_id}'
.format(item_id=item_id, course_id=course_id, student_id=
student_id))
logger.exception(msg)
raise SubmissionInternalError(msg)
else:
msg = (
u'Score reset for item {item_id} in course {course_id} for student {student_id}'
.format(item_id=item_id, course_id=course_id, student_id=
student_id))
logger.info(msg)
|
reset_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(student_id, course_id, item_id, clear_state=False, emit_signal=True):\n try:\n student_item = StudentItem.objects.get(student_id=student_id,\n course_id=course_id, item_id=item_id)\n except StudentItem.DoesNotExist:\n return\n try:\n score = Score.create_reset_score(student_item)\n if emit_signal:\n score_reset.send(sender=None, anonymous_user_id=student_id,\n course_id=course_id, item_id=item_id, created_at=score.\n created_at)\n if clear_state:\n for sub in student_item.submission_set.all():\n sub.status = Submission.DELETED\n sub.save(update_fields=['status'])\n cache_key = Submission.get_cache_key(sub.uuid)\n cache.delete(cache_key)\n except DatabaseError:\n msg = (\n u'Error occurred while reseting scores for item {item_id} in course {course_id} for student {student_id}'\n .format(item_id=item_id, course_id=course_id, student_id=\n student_id))\n logger.exception(msg)\n raise SubmissionInternalError(msg)\n else:\n msg = (\n u'Score reset for item {item_id} in course {course_id} for student {student_id}'\n .format(item_id=item_id, course_id=course_id, student_id=\n student_id))\n logger.info(msg)\n",
"role": "user"
},
{
"content": "reset_score",
"role": "assistant"
}
] |
def x(submission_uuid, points_earned, points_possible, annotation_creator=
None, annotation_type=None, annotation_reason=None):
try:
submission_model = _get_submission_model(submission_uuid)
except Submission.DoesNotExist:
raise SubmissionNotFoundError(u'No submission matching uuid {}'.
format(submission_uuid))
except DatabaseError:
error_msg = u'Could not retrieve submission {}.'.format(submission_uuid
)
logger.exception(error_msg)
raise SubmissionRequestError(msg=error_msg)
score = ScoreSerializer(data={'student_item': submission_model.
student_item.pk, 'submission': submission_model.pk, 'points_earned':
points_earned, 'points_possible': points_possible})
if not score.is_valid():
logger.exception(score.errors)
raise SubmissionInternalError(score.errors)
try:
score_model = score.save()
_log_score(score_model)
if annotation_creator is not None:
score_annotation = ScoreAnnotation(score=score_model, creator=
annotation_creator, annotation_type=annotation_type, reason
=annotation_reason)
score_annotation.save()
score_set.send(sender=None, points_possible=points_possible,
points_earned=points_earned, anonymous_user_id=submission_model
.student_item.student_id, course_id=submission_model.
student_item.course_id, item_id=submission_model.student_item.
item_id, created_at=score_model.created_at)
except IntegrityError:
pass
|
set_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(submission_uuid, points_earned, points_possible, annotation_creator=\n None, annotation_type=None, annotation_reason=None):\n try:\n submission_model = _get_submission_model(submission_uuid)\n except Submission.DoesNotExist:\n raise SubmissionNotFoundError(u'No submission matching uuid {}'.\n format(submission_uuid))\n except DatabaseError:\n error_msg = u'Could not retrieve submission {}.'.format(submission_uuid\n )\n logger.exception(error_msg)\n raise SubmissionRequestError(msg=error_msg)\n score = ScoreSerializer(data={'student_item': submission_model.\n student_item.pk, 'submission': submission_model.pk, 'points_earned':\n points_earned, 'points_possible': points_possible})\n if not score.is_valid():\n logger.exception(score.errors)\n raise SubmissionInternalError(score.errors)\n try:\n score_model = score.save()\n _log_score(score_model)\n if annotation_creator is not None:\n score_annotation = ScoreAnnotation(score=score_model, creator=\n annotation_creator, annotation_type=annotation_type, reason\n =annotation_reason)\n score_annotation.save()\n score_set.send(sender=None, points_possible=points_possible,\n points_earned=points_earned, anonymous_user_id=submission_model\n .student_item.student_id, course_id=submission_model.\n student_item.course_id, item_id=submission_model.student_item.\n item_id, created_at=score_model.created_at)\n except IntegrityError:\n pass\n",
"role": "user"
},
{
"content": "set_score",
"role": "assistant"
}
] |
def x(submission, student_item):
logger.info(
u'Created submission uuid={submission_uuid} for (course_id={course_id}, item_id={item_id}, anonymous_student_id={anonymous_student_id})'
.format(submission_uuid=submission['uuid'], course_id=student_item[
'course_id'], item_id=student_item['item_id'], anonymous_student_id
=student_item['student_id']))
|
log_submission
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(submission, student_item):\n logger.info(\n u'Created submission uuid={submission_uuid} for (course_id={course_id}, item_id={item_id}, anonymous_student_id={anonymous_student_id})'\n .format(submission_uuid=submission['uuid'], course_id=student_item[\n 'course_id'], item_id=student_item['item_id'], anonymous_student_id\n =student_item['student_id']))\n",
"role": "user"
},
{
"content": "log_submission",
"role": "assistant"
}
] |
def x(score):
logger.info('Score of ({}/{}) set for submission {}'.format(score.
points_earned, score.points_possible, score.submission.uuid))
|
log_score
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(score):\n logger.info('Score of ({}/{}) set for submission {}'.format(score.\n points_earned, score.points_possible, score.submission.uuid))\n",
"role": "user"
},
{
"content": "log_score",
"role": "assistant"
}
] |
def x(student_item_dict):
try:
try:
return StudentItem.objects.get(**student_item_dict)
except StudentItem.DoesNotExist:
student_item_serializer = StudentItemSerializer(data=
student_item_dict)
if not student_item_serializer.is_valid():
logger.error(
u'Invalid StudentItemSerializer: errors:{} data:{}'.
format(student_item_serializer.errors, student_item_dict))
raise SubmissionRequestError(field_errors=
student_item_serializer.errors)
return student_item_serializer.save()
except DatabaseError:
error_message = u'An error occurred creating student item: {}'.format(
student_item_dict)
logger.exception(error_message)
raise SubmissionInternalError(error_message)
|
get_or_create_student_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(student_item_dict):\n try:\n try:\n return StudentItem.objects.get(**student_item_dict)\n except StudentItem.DoesNotExist:\n student_item_serializer = StudentItemSerializer(data=\n student_item_dict)\n if not student_item_serializer.is_valid():\n logger.error(\n u'Invalid StudentItemSerializer: errors:{} data:{}'.\n format(student_item_serializer.errors, student_item_dict))\n raise SubmissionRequestError(field_errors=\n student_item_serializer.errors)\n return student_item_serializer.save()\n except DatabaseError:\n error_message = u'An error occurred creating student item: {}'.format(\n student_item_dict)\n logger.exception(error_message)\n raise SubmissionInternalError(error_message)\n",
"role": "user"
},
{
"content": "get_or_create_student_item",
"role": "assistant"
}
] |
def x(self, path, method='GET', query=None, body=None, headers=None):
assert path.startswith('/'), 'bogus path: %r' % path
if not isinstance(path, bytes):
spath = path.encode('utf-8')
else:
spath = path
qpath = urlquote(spath)
if query:
qpath += '?' + urlencode(query)
url = self.url + qpath
http = self._get_http()
ubody = body
if body is not None and isinstance(body, dict):
ubody = urlencode(body)
if headers is None:
headers = {}
headers['User-Agent'] = self.user_agent
if self.signer:
if 'Date' not in headers:
headers['Date'] = http_date()
sigstr = 'date: ' + headers['Date']
algorithm, fingerprint, signature = self.signer.sign(sigstr.encode(
'utf-8'))
auth = (
'Signature keyId="/%s/keys/%s",algorithm="%s",signature="%s"' %
('/'.join(filter(None, [self.account, self.subuser])),
fingerprint, algorithm, signature.decode('utf-8')))
headers['Authorization'] = auth
if self.role:
headers['Role'] = self.role
try:
url = url.decode('utf-8')
except:
pass
return http.request(url, method, ubody, headers)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, method='GET', query=None, body=None, headers=None):\n assert path.startswith('/'), 'bogus path: %r' % path\n if not isinstance(path, bytes):\n spath = path.encode('utf-8')\n else:\n spath = path\n qpath = urlquote(spath)\n if query:\n qpath += '?' + urlencode(query)\n url = self.url + qpath\n http = self._get_http()\n ubody = body\n if body is not None and isinstance(body, dict):\n ubody = urlencode(body)\n if headers is None:\n headers = {}\n headers['User-Agent'] = self.user_agent\n if self.signer:\n if 'Date' not in headers:\n headers['Date'] = http_date()\n sigstr = 'date: ' + headers['Date']\n algorithm, fingerprint, signature = self.signer.sign(sigstr.encode(\n 'utf-8'))\n auth = (\n 'Signature keyId=\"/%s/keys/%s\",algorithm=\"%s\",signature=\"%s\"' %\n ('/'.join(filter(None, [self.account, self.subuser])),\n fingerprint, algorithm, signature.decode('utf-8')))\n headers['Authorization'] = auth\n if self.role:\n headers['Role'] = self.role\n try:\n url = url.decode('utf-8')\n except:\n pass\n return http.request(url, method, ubody, headers)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, mdir):
log.debug('PutDirectory %r', mdir)
headers = {'Content-Type': 'application/json; type=directory'}
res, content = self._request(mdir, 'PUT', headers=headers)
if res['status'] != '204':
raise errors.MantaAPIError(res, content)
|
put_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mdir):\n log.debug('PutDirectory %r', mdir)\n headers = {'Content-Type': 'application/json; type=directory'}\n res, content = self._request(mdir, 'PUT', headers=headers)\n if res['status'] != '204':\n raise errors.MantaAPIError(res, content)\n",
"role": "user"
},
{
"content": "put_directory",
"role": "assistant"
}
] |
def x(self, mdir, limit=None, marker=None):
res, dirents = self.list_directory2(mdir, limit=limit, marker=marker)
return dirents
|
list_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mdir, limit=None, marker=None):\n res, dirents = self.list_directory2(mdir, limit=limit, marker=marker)\n return dirents\n",
"role": "user"
},
{
"content": "list_directory",
"role": "assistant"
}
] |
def x(self, mdir, limit=None, marker=None):
log.debug('ListDirectory %r', mdir)
query = {}
if limit:
query['limit'] = limit
if marker:
query['marker'] = marker
res, content = self._request(mdir, 'GET', query=query)
if res['status'] != '200':
raise errors.MantaAPIError(res, content)
lines = content.splitlines(False)
dirents = []
for line in lines:
if not line.strip():
continue
try:
dirents.append(json.loads(line.decode('utf-8')))
except ValueError:
raise errors.MantaError('invalid directory entry: %r' % line)
return res, dirents
|
list_directory2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mdir, limit=None, marker=None):\n log.debug('ListDirectory %r', mdir)\n query = {}\n if limit:\n query['limit'] = limit\n if marker:\n query['marker'] = marker\n res, content = self._request(mdir, 'GET', query=query)\n if res['status'] != '200':\n raise errors.MantaAPIError(res, content)\n lines = content.splitlines(False)\n dirents = []\n for line in lines:\n if not line.strip():\n continue\n try:\n dirents.append(json.loads(line.decode('utf-8')))\n except ValueError:\n raise errors.MantaError('invalid directory entry: %r' % line)\n return res, dirents\n",
"role": "user"
},
{
"content": "list_directory2",
"role": "assistant"
}
] |
def x(self, mdir):
log.debug('HEAD ListDirectory %r', mdir)
res, content = self._request(mdir, 'HEAD')
if res['status'] != '200':
raise errors.MantaAPIError(res, content)
return res
|
head_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mdir):\n log.debug('HEAD ListDirectory %r', mdir)\n res, content = self._request(mdir, 'HEAD')\n if res['status'] != '200':\n raise errors.MantaAPIError(res, content)\n return res\n",
"role": "user"
},
{
"content": "head_directory",
"role": "assistant"
}
] |
def x(self, mpath, content=None, path=None, file=None, content_length=None,
content_type='application/octet-stream', durability_level=None):
log.debug('PutObject %r', mpath)
headers = {'Content-Type': content_type}
if durability_level:
headers['x-durability-level'] = durability_level
methods = [m for m in [content, path, file] if m is not None]
if len(methods) != 1:
raise errors.MantaError(
"exactly one of 'content', 'path' or 'file' must be provided")
if content is not None:
pass
elif path:
f = io.open(path, 'rb')
try:
content = f.read()
finally:
f.close()
else:
content = file.read()
try:
content_bytes = bytes(content, encoding='utf-8')
except:
content_bytes = content
headers['Content-Length'] = str(len(content))
md5 = hashlib.md5(content_bytes)
headers['Content-MD5'] = base64.b64encode(md5.digest())
res, content = self._request(mpath, 'PUT', body=content, headers=headers)
if res['status'] != '204':
raise errors.MantaAPIError(res, content)
|
put_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mpath, content=None, path=None, file=None, content_length=None,\n content_type='application/octet-stream', durability_level=None):\n log.debug('PutObject %r', mpath)\n headers = {'Content-Type': content_type}\n if durability_level:\n headers['x-durability-level'] = durability_level\n methods = [m for m in [content, path, file] if m is not None]\n if len(methods) != 1:\n raise errors.MantaError(\n \"exactly one of 'content', 'path' or 'file' must be provided\")\n if content is not None:\n pass\n elif path:\n f = io.open(path, 'rb')\n try:\n content = f.read()\n finally:\n f.close()\n else:\n content = file.read()\n try:\n content_bytes = bytes(content, encoding='utf-8')\n except:\n content_bytes = content\n headers['Content-Length'] = str(len(content))\n md5 = hashlib.md5(content_bytes)\n headers['Content-MD5'] = base64.b64encode(md5.digest())\n res, content = self._request(mpath, 'PUT', body=content, headers=headers)\n if res['status'] != '204':\n raise errors.MantaAPIError(res, content)\n",
"role": "user"
},
{
"content": "put_object",
"role": "assistant"
}
] |
def x(self, mpath, path=None, accept='*/*'):
res, content = self.get_object2(mpath, path=path, accept=accept)
try:
if isinstance(content, bytes):
return content.decode(sys.stdout.encoding)
else:
return content
except UnicodeDecodeError:
return content
|
get_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mpath, path=None, accept='*/*'):\n res, content = self.get_object2(mpath, path=path, accept=accept)\n try:\n if isinstance(content, bytes):\n return content.decode(sys.stdout.encoding)\n else:\n return content\n except UnicodeDecodeError:\n return content\n",
"role": "user"
},
{
"content": "get_object",
"role": "assistant"
}
] |
def x(self, mpath, path=None, accept='*/*'):
log.debug('GetObject %r', mpath)
headers = {'Accept': accept}
res, content = self._request(mpath, 'GET', headers=headers)
if res['status'] not in ('200', '304'):
raise errors.MantaAPIError(res, content)
if len(content) != int(res['content-length']):
raise errors.MantaError(
'content-length mismatch: expected %d, got %s' % (res[
'content-length'], content))
if res.get('content-md5'):
md5 = hashlib.md5(content)
content_md5 = base64.b64encode(md5.digest()).decode('utf-8')
if content_md5 != res['content-md5']:
raise errors.MantaError(
'content-md5 mismatch: expected %s, got %s' % (res[
'content-md5'], content_md5))
if path is not None:
f = io.open(path, 'wb')
try:
f.write(content)
finally:
f.close()
return res, None
else:
return res, content
|
get_object2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mpath, path=None, accept='*/*'):\n log.debug('GetObject %r', mpath)\n headers = {'Accept': accept}\n res, content = self._request(mpath, 'GET', headers=headers)\n if res['status'] not in ('200', '304'):\n raise errors.MantaAPIError(res, content)\n if len(content) != int(res['content-length']):\n raise errors.MantaError(\n 'content-length mismatch: expected %d, got %s' % (res[\n 'content-length'], content))\n if res.get('content-md5'):\n md5 = hashlib.md5(content)\n content_md5 = base64.b64encode(md5.digest()).decode('utf-8')\n if content_md5 != res['content-md5']:\n raise errors.MantaError(\n 'content-md5 mismatch: expected %s, got %s' % (res[\n 'content-md5'], content_md5))\n if path is not None:\n f = io.open(path, 'wb')\n try:\n f.write(content)\n finally:\n f.close()\n return res, None\n else:\n return res, content\n",
"role": "user"
},
{
"content": "get_object2",
"role": "assistant"
}
] |
def x(self, mpath):
log.debug('DeleteObject %r', mpath)
res, content = self._request(mpath, 'DELETE')
if res['status'] != '204':
raise errors.MantaAPIError(res, content)
return res
|
delete_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mpath):\n log.debug('DeleteObject %r', mpath)\n res, content = self._request(mpath, 'DELETE')\n if res['status'] != '204':\n raise errors.MantaAPIError(res, content)\n return res\n",
"role": "user"
},
{
"content": "delete_object",
"role": "assistant"
}
] |
def x(self, link_path, object_path):
log.debug('PutLink %r -> %r', link_path, object_path)
headers = {'Content-Type': 'application/json; type=link', 'Location':
object_path}
res, content = self._request(link_path, 'PUT', headers=headers)
if res['status'] != '204':
raise errors.MantaAPIError(res, content)
|
put_snaplink
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link_path, object_path):\n log.debug('PutLink %r -> %r', link_path, object_path)\n headers = {'Content-Type': 'application/json; type=link', 'Location':\n object_path}\n res, content = self._request(link_path, 'PUT', headers=headers)\n if res['status'] != '204':\n raise errors.MantaAPIError(res, content)\n",
"role": "user"
},
{
"content": "put_snaplink",
"role": "assistant"
}
] |
def x(self, phases, name=None, input=None):
log.debug('CreateJob')
path = '/%s/jobs' % self.account
body = {'phases': phases}
if name:
body['name'] = name
if input:
body['input'] = input
headers = {'Content-Type': 'application/json'}
res, content = self._request(path, 'POST', body=json.dumps(body),
headers=headers)
if res['status'] != '201':
raise errors.MantaAPIError(res, content)
location = res['location']
assert res['location']
job_id = res['location'].rsplit('/', 1)[-1]
return job_id
|
create_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, phases, name=None, input=None):\n log.debug('CreateJob')\n path = '/%s/jobs' % self.account\n body = {'phases': phases}\n if name:\n body['name'] = name\n if input:\n body['input'] = input\n headers = {'Content-Type': 'application/json'}\n res, content = self._request(path, 'POST', body=json.dumps(body),\n headers=headers)\n if res['status'] != '201':\n raise errors.MantaAPIError(res, content)\n location = res['location']\n assert res['location']\n job_id = res['location'].rsplit('/', 1)[-1]\n return job_id\n",
"role": "user"
},
{
"content": "create_job",
"role": "assistant"
}
] |
def x(self, job_id, keys):
log.debug('AddJobInputs %r', job_id)
path = '/%s/jobs/%s/live/in' % (self.account, job_id)
body = '\r\n'.join(keys) + '\r\n'
headers = {'Content-Type': 'text/plain', 'Content-Length': str(len(body))}
res, content = self._request(path, 'POST', body=body, headers=headers)
if res['status'] != '204':
raise errors.MantaAPIError(res, content)
|
add_job_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id, keys):\n log.debug('AddJobInputs %r', job_id)\n path = '/%s/jobs/%s/live/in' % (self.account, job_id)\n body = '\\r\\n'.join(keys) + '\\r\\n'\n headers = {'Content-Type': 'text/plain', 'Content-Length': str(len(body))}\n res, content = self._request(path, 'POST', body=body, headers=headers)\n if res['status'] != '204':\n raise errors.MantaAPIError(res, content)\n",
"role": "user"
},
{
"content": "add_job_inputs",
"role": "assistant"
}
] |
def x(self, job_id):
log.debug('EndJobInput %r', job_id)
path = '/%s/jobs/%s/live/in/end' % (self.account, job_id)
headers = {}
res, content = self._request(path, 'POST', headers=headers)
if res['status'] != '202':
raise errors.MantaAPIError(res, content)
|
end_job_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n log.debug('EndJobInput %r', job_id)\n path = '/%s/jobs/%s/live/in/end' % (self.account, job_id)\n headers = {}\n res, content = self._request(path, 'POST', headers=headers)\n if res['status'] != '202':\n raise errors.MantaAPIError(res, content)\n",
"role": "user"
},
{
"content": "end_job_input",
"role": "assistant"
}
] |
def x(self, state=None, limit=None, marker=None):
log.debug('ListJobs')
path = '/%s/jobs' % self.account
query = {}
if state:
query['state'] = state
if limit:
query['limit'] = limit
if marker:
query['marker'] = marker
res, content = self._request(path, 'GET', query=query)
if res['status'] != '200':
raise errors.MantaAPIError(res, content)
lines = content.splitlines(False)
jobs = []
for line in lines:
if not line.strip():
continue
try:
jobs.append(json.loads(line))
except ValueError:
raise errors.MantaError('invalid job entry: %r' % line)
return jobs
|
list_jobs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state=None, limit=None, marker=None):\n log.debug('ListJobs')\n path = '/%s/jobs' % self.account\n query = {}\n if state:\n query['state'] = state\n if limit:\n query['limit'] = limit\n if marker:\n query['marker'] = marker\n res, content = self._request(path, 'GET', query=query)\n if res['status'] != '200':\n raise errors.MantaAPIError(res, content)\n lines = content.splitlines(False)\n jobs = []\n for line in lines:\n if not line.strip():\n continue\n try:\n jobs.append(json.loads(line))\n except ValueError:\n raise errors.MantaError('invalid job entry: %r' % line)\n return jobs\n",
"role": "user"
},
{
"content": "list_jobs",
"role": "assistant"
}
] |
def x(self, job_id):
log.debug('GetJob %r', job_id)
path = '/%s/jobs/%s/live/status' % (self.account, job_id)
res, content = self._request(path, 'GET')
if res.status != 200:
raise errors.MantaAPIError(res, content)
try:
return json.loads(content)
except ValueError:
raise errors.MantaError('invalid job data: %r' % content)
|
get_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n log.debug('GetJob %r', job_id)\n path = '/%s/jobs/%s/live/status' % (self.account, job_id)\n res, content = self._request(path, 'GET')\n if res.status != 200:\n raise errors.MantaAPIError(res, content)\n try:\n return json.loads(content)\n except ValueError:\n raise errors.MantaError('invalid job data: %r' % content)\n",
"role": "user"
},
{
"content": "get_job",
"role": "assistant"
}
] |
def x(self, job_id):
log.debug('GetJobOutput %r', job_id)
path = '/%s/jobs/%s/live/out' % (self.account, job_id)
res, content = self._request(path, 'GET')
if res['status'] != '200':
raise errors.MantaAPIError(res, content)
keys = content.splitlines(False)
return keys
|
get_job_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n log.debug('GetJobOutput %r', job_id)\n path = '/%s/jobs/%s/live/out' % (self.account, job_id)\n res, content = self._request(path, 'GET')\n if res['status'] != '200':\n raise errors.MantaAPIError(res, content)\n keys = content.splitlines(False)\n return keys\n",
"role": "user"
},
{
"content": "get_job_output",
"role": "assistant"
}
] |
def x(self, job_id):
log.debug('GetJobErrors %r', job_id)
path = '/%s/jobs/%s/live/err' % (self.account, job_id)
res, content = self._request(path, 'GET')
if res['status'] != '200':
raise errors.MantaAPIError(res, content)
return self._job_errors_from_content(content)
|
get_job_errors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n log.debug('GetJobErrors %r', job_id)\n path = '/%s/jobs/%s/live/err' % (self.account, job_id)\n res, content = self._request(path, 'GET')\n if res['status'] != '200':\n raise errors.MantaAPIError(res, content)\n return self._job_errors_from_content(content)\n",
"role": "user"
},
{
"content": "get_job_errors",
"role": "assistant"
}
] |
def x(self, mtop, topdown=True):
dirents = self.ls(mtop)
mdirs, mnondirs = [], []
for dirent in sorted(dirents.values(), key=itemgetter('name')):
if dirent['type'] == 'directory':
mdirs.append(dirent)
else:
mnondirs.append(dirent)
if topdown:
yield mtop, mdirs, mnondirs
for mdir in mdirs:
mpath = ujoin(mtop, mdir['name'])
for x in self.walk(mpath, topdown):
yield x
if not topdown:
yield mtop, mdirs, mnondirs
|
walk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mtop, topdown=True):\n dirents = self.ls(mtop)\n mdirs, mnondirs = [], []\n for dirent in sorted(dirents.values(), key=itemgetter('name')):\n if dirent['type'] == 'directory':\n mdirs.append(dirent)\n else:\n mnondirs.append(dirent)\n if topdown:\n yield mtop, mdirs, mnondirs\n for mdir in mdirs:\n mpath = ujoin(mtop, mdir['name'])\n for x in self.walk(mpath, topdown):\n yield x\n if not topdown:\n yield mtop, mdirs, mnondirs\n",
"role": "user"
},
{
"content": "walk",
"role": "assistant"
}
] |
def x(self, mdir, limit=None, marker=None):
assert limit is None and marker is None, 'not yet implemented'
dirents = {}
if limit or marker:
entries = self.list_directory(mdir, limit=limit, marker=marker)
for entry in entries:
dirents[entry['name']] = entry
else:
marker = None
while True:
res, entries = self.list_directory2(mdir, marker=marker)
if marker:
entries.pop(0)
if not entries:
break
for entry in entries:
if 'id' in entry:
dirents[entry['id']] = entry
else:
dirents[entry['name']] = entry
if marker is None:
result_set_size = int(res.get('result-set-size', 0))
if len(entries) == result_set_size:
break
if 'id' in entries[-1]:
marker = entries[-1]['id']
else:
marker = entries[-1]['name']
return dirents
|
ls
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mdir, limit=None, marker=None):\n assert limit is None and marker is None, 'not yet implemented'\n dirents = {}\n if limit or marker:\n entries = self.list_directory(mdir, limit=limit, marker=marker)\n for entry in entries:\n dirents[entry['name']] = entry\n else:\n marker = None\n while True:\n res, entries = self.list_directory2(mdir, marker=marker)\n if marker:\n entries.pop(0)\n if not entries:\n break\n for entry in entries:\n if 'id' in entry:\n dirents[entry['id']] = entry\n else:\n dirents[entry['name']] = entry\n if marker is None:\n result_set_size = int(res.get('result-set-size', 0))\n if len(entries) == result_set_size:\n break\n if 'id' in entries[-1]:\n marker = entries[-1]['id']\n else:\n marker = entries[-1]['name']\n return dirents\n",
"role": "user"
},
{
"content": "ls",
"role": "assistant"
}
] |
def x(self, mdir, parents=False):
assert mdir.startswith('/'), '%s: invalid manta path' % mdir
parts = mdir.split('/')
assert len(parts) > 3, '%s: cannot create top-level dirs' % mdir
if not parents:
self.put_directory(mdir)
else:
end = len(parts) + 1
start = 3
while start < end - 1:
idx = int((end - start) // 2 + start)
d = '/'.join(parts[:idx])
try:
self.put_directory(d)
except errors.MantaAPIError:
_, ex, _ = sys.exc_info()
if ex.code == 'DirectoryDoesNotExist':
end = idx
else:
raise
else:
start = idx
for i in range(end, len(parts) + 1):
d = '/'.join(parts[:i])
self.put_directory(d)
|
mkdir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mdir, parents=False):\n assert mdir.startswith('/'), '%s: invalid manta path' % mdir\n parts = mdir.split('/')\n assert len(parts) > 3, '%s: cannot create top-level dirs' % mdir\n if not parents:\n self.put_directory(mdir)\n else:\n end = len(parts) + 1\n start = 3\n while start < end - 1:\n idx = int((end - start) // 2 + start)\n d = '/'.join(parts[:idx])\n try:\n self.put_directory(d)\n except errors.MantaAPIError:\n _, ex, _ = sys.exc_info()\n if ex.code == 'DirectoryDoesNotExist':\n end = idx\n else:\n raise\n else:\n start = idx\n for i in range(end, len(parts) + 1):\n d = '/'.join(parts[:i])\n self.put_directory(d)\n",
"role": "user"
},
{
"content": "mkdir",
"role": "assistant"
}
] |
def x(self, mpath):
parts = mpath.split('/')
if len(parts) == 0:
raise errors.MantaError('cannot stat empty manta path: %r' % mpath)
elif len(parts) <= 3:
raise errors.MantaError('cannot stat special manta path: %r' % mpath)
mparent = udirname(mpath)
name = ubasename(mpath)
dirents = self.ls(mparent)
if name in dirents:
return dirents[name]
else:
raise errors.MantaResourceNotFoundError(
'%s: no such object or directory' % mpath)
|
stat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mpath):\n parts = mpath.split('/')\n if len(parts) == 0:\n raise errors.MantaError('cannot stat empty manta path: %r' % mpath)\n elif len(parts) <= 3:\n raise errors.MantaError('cannot stat special manta path: %r' % mpath)\n mparent = udirname(mpath)\n name = ubasename(mpath)\n dirents = self.ls(mparent)\n if name in dirents:\n return dirents[name]\n else:\n raise errors.MantaResourceNotFoundError(\n '%s: no such object or directory' % mpath)\n",
"role": "user"
},
{
"content": "stat",
"role": "assistant"
}
] |
def x(self, mpath):
try:
return self.stat(mpath)['type']
except errors.MantaResourceNotFoundError:
return None
except errors.MantaAPIError:
_, ex, _ = sys.exc_info()
if ex.code in ('ResourceNotFound', 'DirectoryDoesNotExist'):
return None
else:
raise
|
type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mpath):\n try:\n return self.stat(mpath)['type']\n except errors.MantaResourceNotFoundError:\n return None\n except errors.MantaAPIError:\n _, ex, _ = sys.exc_info()\n if ex.code in ('ResourceNotFound', 'DirectoryDoesNotExist'):\n return None\n else:\n raise\n",
"role": "user"
},
{
"content": "type",
"role": "assistant"
}
] |
def x(self, job_id):
try:
return RawMantaClient.get_job(self, job_id)
except errors.MantaAPIError as ex:
if ex.res.status != 404:
raise
mpath = '/%s/jobs/%s/job.json' % (self.account, job_id)
content = self.get_object(mpath, accept='application/json')
try:
return json.loads(content)
except ValueError:
raise errors.MantaError('invalid job data: %r' % content)
|
get_job
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n try:\n return RawMantaClient.get_job(self, job_id)\n except errors.MantaAPIError as ex:\n if ex.res.status != 404:\n raise\n mpath = '/%s/jobs/%s/job.json' % (self.account, job_id)\n content = self.get_object(mpath, accept='application/json')\n try:\n return json.loads(content)\n except ValueError:\n raise errors.MantaError('invalid job data: %r' % content)\n",
"role": "user"
},
{
"content": "get_job",
"role": "assistant"
}
] |
def x(self, job_id):
try:
return RawMantaClient.get_job_input(self, job_id)
except errors.MantaAPIError as ex:
if ex.res.status != 404:
raise
mpath = '/%s/jobs/%s/in.txt' % (self.account, job_id)
content = self.get_object(mpath)
keys = content.splitlines(False)
return keys
|
get_job_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n try:\n return RawMantaClient.get_job_input(self, job_id)\n except errors.MantaAPIError as ex:\n if ex.res.status != 404:\n raise\n mpath = '/%s/jobs/%s/in.txt' % (self.account, job_id)\n content = self.get_object(mpath)\n keys = content.splitlines(False)\n return keys\n",
"role": "user"
},
{
"content": "get_job_input",
"role": "assistant"
}
] |
def x(self, job_id):
try:
return RawMantaClient.get_job_errors(self, job_id)
except errors.MantaAPIError as ex:
if ex.res.status != 404:
raise
mpath = '/%s/jobs/%s/err.txt' % (self.account, job_id)
content = self.get_object(mpath)
return self._job_errors_from_content(content)
|
get_job_errors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id):\n try:\n return RawMantaClient.get_job_errors(self, job_id)\n except errors.MantaAPIError as ex:\n if ex.res.status != 404:\n raise\n mpath = '/%s/jobs/%s/err.txt' % (self.account, job_id)\n content = self.get_object(mpath)\n return self._job_errors_from_content(content)\n",
"role": "user"
},
{
"content": "get_job_errors",
"role": "assistant"
}
] |
def x(*aliases):
def x(f):
if not hasattr(f, 'aliases'):
f.aliases = []
f.aliases += aliases
return f
return decorate
|
alias
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*aliases):\n\n def x(f):\n if not hasattr(f, 'aliases'):\n f.aliases = []\n f.aliases += aliases\n return f\n return decorate\n",
"role": "user"
},
{
"content": "alias",
"role": "assistant"
}
] |
def x(*args, **kwargs):
def x(f):
if not hasattr(f, 'optparser'):
f.optparser = SubCmdOptionParser()
f.optparser.add_option(*args, **kwargs)
return f
return decorate
|
option
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n\n def x(f):\n if not hasattr(f, 'optparser'):\n f.optparser = SubCmdOptionParser()\n f.optparser.add_option(*args, **kwargs)\n return f\n return decorate\n",
"role": "user"
},
{
"content": "option",
"role": "assistant"
}
] |
def x(inst, summary=None, description=None, author=None):
if not inst.__class__.name:
raise ValueError(
'cannot generate man page content: `name` is not set on class %r' %
inst.__class__)
data = {'name': inst.name, 'ucname': inst.name.upper(), 'date':
datetime.date.today().strftime('%b %Y'), 'cmdln_version':
__version__, 'version_str': inst.version and ' %s' % inst.version or
'', 'summary_str': summary and ' \\- %s' % summary or ''}
sections = []
sections.append(
""".\\" Automatically generated by cmdln %(cmdln_version)s
.TH %(ucname)s "1" "%(date)s" "%(name)s%(version_str)s" "User Commands\"
"""
% data)
sections.append('.SH NAME\n%(name)s%(summary_str)s\n' % data)
sections.append(_dedent(
"""
.SH SYNOPSIS
.B %(name)s
[\\fIGLOBALOPTS\\fR] \\fISUBCOMMAND \\fR[\\fIOPTS\\fR] [\\fIARGS\\fR...]
.br
.B %(name)s
\\fIhelp SUBCOMMAND\\fR
"""
) % data)
if description:
sections.append('.SH DESCRIPTION\n%s\n' % description)
section = '.SH OPTIONS\n'
if not hasattr(inst, 'optparser') is None:
inst.optparser = inst.get_optparser()
lines = inst._help_preprocess('${option_list}', None).splitlines(False)
for line in lines[1:]:
line = line.lstrip()
if not line:
continue
section += '.TP\n'
opts, desc = line.split(' ', 1)
section += '.B %s\n' % opts
section += '%s\n' % _dedent(desc.lstrip(), skip_first_line=True)
sections.append(section)
section = '.SH COMMANDS\n'
cmds = inst._get_cmds_data()
for cmdstr, doc in cmds:
cmdname = cmdstr.split(' ')[0]
doc = inst._help_reindent(doc, indent='')
doc = inst._help_preprocess(doc, cmdname)
doc = doc.rstrip() + '\n'
section += '.PP\n.SS %s\n%s\n' % (cmdstr, doc)
sections.append(section)
help_names = inst._get_help_names()
if help_names:
section = '.SH HELP TOPICS\n'
for help_name, help_meth in sorted(help_names.items()):
help = help_meth(inst)
help = inst._help_reindent(help, indent='')
section += '.PP\n.SS %s\n%s\n' % (help_name, help)
sections.append(section)
if author:
sections.append('.SH AUTHOR\n%s\n' % author)
return sections
|
man_sections_from_cmdln
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inst, summary=None, description=None, author=None):\n if not inst.__class__.name:\n raise ValueError(\n 'cannot generate man page content: `name` is not set on class %r' %\n inst.__class__)\n data = {'name': inst.name, 'ucname': inst.name.upper(), 'date':\n datetime.date.today().strftime('%b %Y'), 'cmdln_version':\n __version__, 'version_str': inst.version and ' %s' % inst.version or\n '', 'summary_str': summary and ' \\\\- %s' % summary or ''}\n sections = []\n sections.append(\n \"\"\".\\\\\" Automatically generated by cmdln %(cmdln_version)s\n.TH %(ucname)s \"1\" \"%(date)s\" \"%(name)s%(version_str)s\" \"User Commands\\\"\n\"\"\"\n % data)\n sections.append('.SH NAME\\n%(name)s%(summary_str)s\\n' % data)\n sections.append(_dedent(\n \"\"\"\n .SH SYNOPSIS\n .B %(name)s\n [\\\\fIGLOBALOPTS\\\\fR] \\\\fISUBCOMMAND \\\\fR[\\\\fIOPTS\\\\fR] [\\\\fIARGS\\\\fR...]\n .br\n .B %(name)s\n \\\\fIhelp SUBCOMMAND\\\\fR\n \"\"\"\n ) % data)\n if description:\n sections.append('.SH DESCRIPTION\\n%s\\n' % description)\n section = '.SH OPTIONS\\n'\n if not hasattr(inst, 'optparser') is None:\n inst.optparser = inst.get_optparser()\n lines = inst._help_preprocess('${option_list}', None).splitlines(False)\n for line in lines[1:]:\n line = line.lstrip()\n if not line:\n continue\n section += '.TP\\n'\n opts, desc = line.split(' ', 1)\n section += '.B %s\\n' % opts\n section += '%s\\n' % _dedent(desc.lstrip(), skip_first_line=True)\n sections.append(section)\n section = '.SH COMMANDS\\n'\n cmds = inst._get_cmds_data()\n for cmdstr, doc in cmds:\n cmdname = cmdstr.split(' ')[0]\n doc = inst._help_reindent(doc, indent='')\n doc = inst._help_preprocess(doc, cmdname)\n doc = doc.rstrip() + '\\n'\n section += '.PP\\n.SS %s\\n%s\\n' % (cmdstr, doc)\n sections.append(section)\n help_names = inst._get_help_names()\n if help_names:\n section = '.SH HELP TOPICS\\n'\n for help_name, help_meth in sorted(help_names.items()):\n help = help_meth(inst)\n help = inst._help_reindent(help, indent='')\n section += '.PP\\n.SS %s\\n%s\\n' % (help_name, help)\n sections.append(section)\n if author:\n sections.append('.SH AUTHOR\\n%s\\n' % author)\n return sections\n",
"role": "user"
},
{
"content": "man_sections_from_cmdln",
"role": "assistant"
}
] |
def x(linedata, indent, indent_width):
lines = []
WIDTH = 78 - indent_width
SPACING = 2
NAME_WIDTH_LOWER_BOUND = 13
NAME_WIDTH_UPPER_BOUND = 30
NAME_WIDTH = max([len(s) for s, d in linedata])
if NAME_WIDTH < NAME_WIDTH_LOWER_BOUND:
NAME_WIDTH = NAME_WIDTH_LOWER_BOUND
elif NAME_WIDTH > NAME_WIDTH_UPPER_BOUND:
NAME_WIDTH = NAME_WIDTH_UPPER_BOUND
DOC_WIDTH = WIDTH - NAME_WIDTH - SPACING
for namestr, doc in linedata:
line = indent + namestr
if len(namestr) <= NAME_WIDTH:
line += ' ' * (NAME_WIDTH + SPACING - len(namestr))
else:
lines.append(line)
line = indent + ' ' * (NAME_WIDTH + SPACING)
line += _summarize_doc(doc, DOC_WIDTH)
lines.append(line.rstrip())
return lines
|
format_linedata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(linedata, indent, indent_width):\n lines = []\n WIDTH = 78 - indent_width\n SPACING = 2\n NAME_WIDTH_LOWER_BOUND = 13\n NAME_WIDTH_UPPER_BOUND = 30\n NAME_WIDTH = max([len(s) for s, d in linedata])\n if NAME_WIDTH < NAME_WIDTH_LOWER_BOUND:\n NAME_WIDTH = NAME_WIDTH_LOWER_BOUND\n elif NAME_WIDTH > NAME_WIDTH_UPPER_BOUND:\n NAME_WIDTH = NAME_WIDTH_UPPER_BOUND\n DOC_WIDTH = WIDTH - NAME_WIDTH - SPACING\n for namestr, doc in linedata:\n line = indent + namestr\n if len(namestr) <= NAME_WIDTH:\n line += ' ' * (NAME_WIDTH + SPACING - len(namestr))\n else:\n lines.append(line)\n line = indent + ' ' * (NAME_WIDTH + SPACING)\n line += _summarize_doc(doc, DOC_WIDTH)\n lines.append(line.rstrip())\n return lines\n",
"role": "user"
},
{
"content": "format_linedata",
"role": "assistant"
}
] |
def x(doc, length=60):
import re
if doc is None:
return ''
assert length > 3, 'length <= 3 is absurdly short for a doc summary'
doclines = doc.strip().splitlines(0)
if not doclines:
return ''
summlines = []
for i, line in enumerate(doclines):
stripped = line.strip()
if not stripped:
break
summlines.append(stripped)
if len(''.join(summlines)) >= length:
break
summary = ' '.join(summlines)
if len(summary) > length:
summary = summary[:length - 3] + '...'
return summary
|
summarize_doc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(doc, length=60):\n import re\n if doc is None:\n return ''\n assert length > 3, 'length <= 3 is absurdly short for a doc summary'\n doclines = doc.strip().splitlines(0)\n if not doclines:\n return ''\n summlines = []\n for i, line in enumerate(doclines):\n stripped = line.strip()\n if not stripped:\n break\n summlines.append(stripped)\n if len(''.join(summlines)) >= length:\n break\n summary = ' '.join(summlines)\n if len(summary) > length:\n summary = summary[:length - 3] + '...'\n return summary\n",
"role": "user"
},
{
"content": "summarize_doc",
"role": "assistant"
}
] |
def x(line):
line = line.strip()
argv = []
state = 'default'
arg = None
i = -1
WHITESPACE = '\t\n\x0b\x0c\r '
while 1:
i += 1
if i >= len(line):
break
ch = line[i]
if ch == '\\' and i + 1 < len(line):
if arg is None:
arg = ''
if (sys.platform == 'win32' or state in ('double-quoted',
'single-quoted')) and line[i + 1] not in tuple('"\''):
arg += ch
i += 1
arg += line[i]
continue
if state == 'single-quoted':
if ch == "'":
state = 'default'
else:
arg += ch
elif state == 'double-quoted':
if ch == '"':
state = 'default'
else:
arg += ch
elif state == 'default':
if ch == '"':
if arg is None:
arg = ''
state = 'double-quoted'
elif ch == "'":
if arg is None:
arg = ''
state = 'single-quoted'
elif ch in WHITESPACE:
if arg is not None:
argv.append(arg)
arg = None
else:
if arg is None:
arg = ''
arg += ch
if arg is not None:
argv.append(arg)
if not sys.platform == 'win32' and state != 'default':
raise ValueError(
'command line is not terminated: unfinished %s segment' % state)
return argv
|
line2argv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(line):\n line = line.strip()\n argv = []\n state = 'default'\n arg = None\n i = -1\n WHITESPACE = '\\t\\n\\x0b\\x0c\\r '\n while 1:\n i += 1\n if i >= len(line):\n break\n ch = line[i]\n if ch == '\\\\' and i + 1 < len(line):\n if arg is None:\n arg = ''\n if (sys.platform == 'win32' or state in ('double-quoted',\n 'single-quoted')) and line[i + 1] not in tuple('\"\\''):\n arg += ch\n i += 1\n arg += line[i]\n continue\n if state == 'single-quoted':\n if ch == \"'\":\n state = 'default'\n else:\n arg += ch\n elif state == 'double-quoted':\n if ch == '\"':\n state = 'default'\n else:\n arg += ch\n elif state == 'default':\n if ch == '\"':\n if arg is None:\n arg = ''\n state = 'double-quoted'\n elif ch == \"'\":\n if arg is None:\n arg = ''\n state = 'single-quoted'\n elif ch in WHITESPACE:\n if arg is not None:\n argv.append(arg)\n arg = None\n else:\n if arg is None:\n arg = ''\n arg += ch\n if arg is not None:\n argv.append(arg)\n if not sys.platform == 'win32' and state != 'default':\n raise ValueError(\n 'command line is not terminated: unfinished %s segment' % state)\n return argv\n",
"role": "user"
},
{
"content": "line2argv",
"role": "assistant"
}
] |
def x(argv):
escapedArgs = []
for arg in argv:
if ' ' in arg and '"' not in arg:
arg = '"' + arg + '"'
elif ' ' in arg and "'" not in arg:
arg = "'" + arg + "'"
elif ' ' in arg:
arg = arg.replace('"', '\\"')
arg = '"' + arg + '"'
escapedArgs.append(arg)
return ' '.join(escapedArgs)
|
argv2line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(argv):\n escapedArgs = []\n for arg in argv:\n if ' ' in arg and '\"' not in arg:\n arg = '\"' + arg + '\"'\n elif ' ' in arg and \"'\" not in arg:\n arg = \"'\" + arg + \"'\"\n elif ' ' in arg:\n arg = arg.replace('\"', '\\\\\"')\n arg = '\"' + arg + '\"'\n escapedArgs.append(arg)\n return ' '.join(escapedArgs)\n",
"role": "user"
},
{
"content": "argv2line",
"role": "assistant"
}
] |
def x(marker, s, tab_width=8):
INDENT_CHARS = tuple(' \t')
start = s.index(marker)
i = start
while i > 0:
if s[i - 1] not in INDENT_CHARS:
break
i -= 1
indent = s[i:start]
indent_width = 0
for ch in indent:
if ch == ' ':
indent_width += 1
elif ch == '\t':
indent_width += tab_width - indent_width % tab_width
return indent, indent_width
|
get_indent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marker, s, tab_width=8):\n INDENT_CHARS = tuple(' \\t')\n start = s.index(marker)\n i = start\n while i > 0:\n if s[i - 1] not in INDENT_CHARS:\n break\n i -= 1\n indent = s[i:start]\n indent_width = 0\n for ch in indent:\n if ch == ' ':\n indent_width += 1\n elif ch == '\\t':\n indent_width += tab_width - indent_width % tab_width\n return indent, indent_width\n",
"role": "user"
},
{
"content": "get_indent",
"role": "assistant"
}
] |
def x(marker, s):
suffix = ''
start = s.index(marker) + len(marker)
i = start
while i < len(s):
if s[i] in ' \t':
suffix += s[i]
elif s[i] in '\r\n':
suffix += s[i]
if s[i] == '\r' and i + 1 < len(s) and s[i + 1] == '\n':
suffix += s[i + 1]
break
else:
break
i += 1
return suffix
|
get_trailing_whitespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(marker, s):\n suffix = ''\n start = s.index(marker) + len(marker)\n i = start\n while i < len(s):\n if s[i] in ' \\t':\n suffix += s[i]\n elif s[i] in '\\r\\n':\n suffix += s[i]\n if s[i] == '\\r' and i + 1 < len(s) and s[i + 1] == '\\n':\n suffix += s[i + 1]\n break\n else:\n break\n i += 1\n return suffix\n",
"role": "user"
},
{
"content": "get_trailing_whitespace",
"role": "assistant"
}
] |
def x(self):
version = self.version is not None and '%s %s' % (self._name_str, self.
version) or None
return CmdlnOptionParser(self, version=version)
|
get_optparser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n version = self.version is not None and '%s %s' % (self._name_str, self.\n version) or None\n return CmdlnOptionParser(self, version=version)\n",
"role": "user"
},
{
"content": "get_optparser",
"role": "assistant"
}
] |
def x(self, argv=None, loop=LOOP_NEVER):
if argv is None:
import sys
argv = sys.argv
else:
argv = argv[:]
self.optparser = self.get_optparser()
if self.optparser:
try:
self.options, args = self.optparser.parse_args(argv[1:])
except CmdlnUserError as ex:
msg = "%s: %s\nTry '%s help' for info.\n" % (self.name, ex,
self.name)
self.stderr.write(self._str(msg))
self.stderr.flush()
return 1
except StopOptionProcessing as ex:
return 0
else:
self.options, args = None, argv[1:]
retval = self.postoptparse()
if retval:
return retval
if loop == LOOP_ALWAYS:
if args:
self.cmdqueue.append(args)
return self.cmdloop()
elif loop == LOOP_NEVER:
if args:
return self.cmd(args)
else:
return self.emptyline()
elif loop == LOOP_IF_EMPTY:
if args:
return self.cmd(args)
else:
return self.cmdloop()
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv=None, loop=LOOP_NEVER):\n if argv is None:\n import sys\n argv = sys.argv\n else:\n argv = argv[:]\n self.optparser = self.get_optparser()\n if self.optparser:\n try:\n self.options, args = self.optparser.parse_args(argv[1:])\n except CmdlnUserError as ex:\n msg = \"%s: %s\\nTry '%s help' for info.\\n\" % (self.name, ex,\n self.name)\n self.stderr.write(self._str(msg))\n self.stderr.flush()\n return 1\n except StopOptionProcessing as ex:\n return 0\n else:\n self.options, args = None, argv[1:]\n retval = self.postoptparse()\n if retval:\n return retval\n if loop == LOOP_ALWAYS:\n if args:\n self.cmdqueue.append(args)\n return self.cmdloop()\n elif loop == LOOP_NEVER:\n if args:\n return self.cmd(args)\n else:\n return self.emptyline()\n elif loop == LOOP_IF_EMPTY:\n if args:\n return self.cmd(args)\n else:\n return self.cmdloop()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, argv):
assert isinstance(argv, (list, tuple)
), "'argv' is not a sequence: %r" % argv
retval = None
try:
argv = self.precmd(argv)
retval = self.onecmd(argv)
self.postcmd(argv)
except:
if not self.cmdexc(argv):
raise
retval = 1
return retval
|
cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv):\n assert isinstance(argv, (list, tuple)\n ), \"'argv' is not a sequence: %r\" % argv\n retval = None\n try:\n argv = self.precmd(argv)\n retval = self.onecmd(argv)\n self.postcmd(argv)\n except:\n if not self.cmdexc(argv):\n raise\n retval = 1\n return retval\n",
"role": "user"
},
{
"content": "cmd",
"role": "assistant"
}
] |
def x(self, intro=None):
self.cmdlooping = True
self.preloop()
if self.use_rawinput and self.completekey:
try:
import readline
self.old_completer = readline.get_completer()
readline.set_completer(self.complete)
if sys.platform == 'darwin':
readline.parse_and_bind('bind ^I rl_complete')
else:
readline.parse_and_bind(self.completekey + ': complete')
except ImportError:
pass
try:
if intro is None:
intro = self.intro
if intro:
intro_str = self._str(intro)
self.stdout.write(intro_str + '\n')
self.stop = False
retval = None
while not self.stop:
if self.cmdqueue:
argv = self.cmdqueue.pop(0)
assert isinstance(argv, (list, tuple)
), "item on 'cmdqueue' is not a sequence: %r" % argv
else:
if self.use_rawinput:
try:
line = input(self._str(self._prompt_str))
except EOFError:
line = 'EOF'
except KeyboardInterrupt:
line = 'KeyboardInterrupt'
else:
self.stdout.write(self._str(self._prompt_str))
self.stdout.flush()
line = self.stdin.readline()
if not len(line):
line = 'EOF'
else:
line = line[:-1]
argv = line2argv(line)
try:
argv = self.precmd(argv)
retval = self.onecmd(argv)
self.postcmd(argv)
except:
if not self.cmdexc(argv):
raise
retval = 1
self.lastretval = retval
self.postloop()
finally:
if self.use_rawinput and self.completekey:
try:
import readline
readline.set_completer(self.old_completer)
except ImportError:
pass
self.cmdlooping = False
return retval
|
cmdloop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, intro=None):\n self.cmdlooping = True\n self.preloop()\n if self.use_rawinput and self.completekey:\n try:\n import readline\n self.old_completer = readline.get_completer()\n readline.set_completer(self.complete)\n if sys.platform == 'darwin':\n readline.parse_and_bind('bind ^I rl_complete')\n else:\n readline.parse_and_bind(self.completekey + ': complete')\n except ImportError:\n pass\n try:\n if intro is None:\n intro = self.intro\n if intro:\n intro_str = self._str(intro)\n self.stdout.write(intro_str + '\\n')\n self.stop = False\n retval = None\n while not self.stop:\n if self.cmdqueue:\n argv = self.cmdqueue.pop(0)\n assert isinstance(argv, (list, tuple)\n ), \"item on 'cmdqueue' is not a sequence: %r\" % argv\n else:\n if self.use_rawinput:\n try:\n line = input(self._str(self._prompt_str))\n except EOFError:\n line = 'EOF'\n except KeyboardInterrupt:\n line = 'KeyboardInterrupt'\n else:\n self.stdout.write(self._str(self._prompt_str))\n self.stdout.flush()\n line = self.stdin.readline()\n if not len(line):\n line = 'EOF'\n else:\n line = line[:-1]\n argv = line2argv(line)\n try:\n argv = self.precmd(argv)\n retval = self.onecmd(argv)\n self.postcmd(argv)\n except:\n if not self.cmdexc(argv):\n raise\n retval = 1\n self.lastretval = retval\n self.postloop()\n finally:\n if self.use_rawinput and self.completekey:\n try:\n import readline\n readline.set_completer(self.old_completer)\n except ImportError:\n pass\n self.cmdlooping = False\n return retval\n",
"role": "user"
},
{
"content": "cmdloop",
"role": "assistant"
}
] |
def x(self, argv):
import sys
type, exc, traceback = sys.exc_info()
if isinstance(exc, CmdlnUserError):
msg = "%s %s: %s\nTry '%s help %s' for info.\n" % (self.name, argv[
0], exc, self.name, argv[0])
self.stderr.write(self._str(msg))
self.stderr.flush()
return True
|
cmdexc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv):\n import sys\n type, exc, traceback = sys.exc_info()\n if isinstance(exc, CmdlnUserError):\n msg = \"%s %s: %s\\nTry '%s help %s' for info.\\n\" % (self.name, argv[\n 0], exc, self.name, argv[0])\n self.stderr.write(self._str(msg))\n self.stderr.flush()\n return True\n",
"role": "user"
},
{
"content": "cmdexc",
"role": "assistant"
}
] |
def x(self, argv):
errmsg = self._str(self.unknowncmd % (argv[0],))
if self.cmdlooping:
self.stderr.write(errmsg + '\n')
else:
self.stderr.write("%s: %s\nTry '%s help' for info.\n" % (self.
_name_str, errmsg, self._name_str))
self.stderr.flush()
return 1
|
default
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv):\n errmsg = self._str(self.unknowncmd % (argv[0],))\n if self.cmdlooping:\n self.stderr.write(errmsg + '\\n')\n else:\n self.stderr.write(\"%s: %s\\nTry '%s help' for info.\\n\" % (self.\n _name_str, errmsg, self._name_str))\n self.stderr.flush()\n return 1\n",
"role": "user"
},
{
"content": "default",
"role": "assistant"
}
] |
def x(self, cmd, known):
if known:
msg = self._str(self.nohelp % (cmd,))
if self.cmdlooping:
self.stderr.write(msg + '\n')
else:
self.stderr.write('%s: %s\n' % (self.name, msg))
else:
msg = self.unknowncmd % (cmd,)
if self.cmdlooping:
self.stderr.write(msg + '\n')
else:
self.stderr.write("%s: %s\nTry '%s help' for info.\n" % (self.
name, msg, self.name))
self.stderr.flush()
return 1
|
helpdefault
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, known):\n if known:\n msg = self._str(self.nohelp % (cmd,))\n if self.cmdlooping:\n self.stderr.write(msg + '\\n')\n else:\n self.stderr.write('%s: %s\\n' % (self.name, msg))\n else:\n msg = self.unknowncmd % (cmd,)\n if self.cmdlooping:\n self.stderr.write(msg + '\\n')\n else:\n self.stderr.write(\"%s: %s\\nTry '%s help' for info.\\n\" % (self.\n name, msg, self.name))\n self.stderr.flush()\n return 1\n",
"role": "user"
},
{
"content": "helpdefault",
"role": "assistant"
}
] |
def x(self, argv):
if len(argv) > 1:
doc = None
cmdname = self._get_canonical_cmd_name(argv[1]) or argv[1]
if not cmdname:
return self.helpdefault(argv[1], False)
else:
helpfunc = getattr(self, 'help_' + cmdname, None)
if helpfunc:
doc = helpfunc()
else:
handler = self._get_cmd_handler(cmdname)
if handler:
doc = handler.__doc__
if doc is None:
return self.helpdefault(argv[1], handler != None)
else:
doc = self.__class__.__doc__
if doc is None:
if self.cmdlooping:
prefix = ''
else:
prefix = self.name + ' '
doc = (
"""Usage:
%sCOMMAND [ARGS...]
%shelp [COMMAND]
${option_list}
${command_list}
${help_list}
"""
% (prefix, prefix))
cmdname = None
if doc:
doc = self._help_reindent(doc)
doc = self._help_preprocess(doc, cmdname)
doc = doc.rstrip() + '\n'
self.stdout.write(self._str(doc))
self.stdout.flush()
|
do_help
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argv):\n if len(argv) > 1:\n doc = None\n cmdname = self._get_canonical_cmd_name(argv[1]) or argv[1]\n if not cmdname:\n return self.helpdefault(argv[1], False)\n else:\n helpfunc = getattr(self, 'help_' + cmdname, None)\n if helpfunc:\n doc = helpfunc()\n else:\n handler = self._get_cmd_handler(cmdname)\n if handler:\n doc = handler.__doc__\n if doc is None:\n return self.helpdefault(argv[1], handler != None)\n else:\n doc = self.__class__.__doc__\n if doc is None:\n if self.cmdlooping:\n prefix = ''\n else:\n prefix = self.name + ' '\n doc = (\n \"\"\"Usage:\n %sCOMMAND [ARGS...]\n %shelp [COMMAND]\n\n ${option_list}\n ${command_list}\n ${help_list}\n \"\"\"\n % (prefix, prefix))\n cmdname = None\n if doc:\n doc = self._help_reindent(doc)\n doc = self._help_preprocess(doc, cmdname)\n doc = doc.rstrip() + '\\n'\n self.stdout.write(self._str(doc))\n self.stdout.flush()\n",
"role": "user"
},
{
"content": "do_help",
"role": "assistant"
}
] |
def x(self, help, indent=None):
if indent is None:
indent = self.helpindent
lines = help.splitlines(0)
_dedentlines(lines, skip_first_line=True)
lines = [(indent + line).rstrip() for line in lines]
return '\n'.join(lines)
|
help_reindent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, help, indent=None):\n if indent is None:\n indent = self.helpindent\n lines = help.splitlines(0)\n _dedentlines(lines, skip_first_line=True)\n lines = [(indent + line).rstrip() for line in lines]\n return '\\n'.join(lines)\n",
"role": "user"
},
{
"content": "help_reindent",
"role": "assistant"
}
] |
def x(self, help, cmdname):
preprocessors = {'${name}': self._help_preprocess_name,
'${option_list}': self._help_preprocess_option_list,
'${command_list}': self._help_preprocess_command_list,
'${help_list}': self._help_preprocess_help_list, '${cmd_name}':
self._help_preprocess_cmd_name, '${cmd_usage}': self.
_help_preprocess_cmd_usage, '${cmd_option_list}': self.
_help_preprocess_cmd_option_list}
for marker, preprocessor in preprocessors.items():
if marker in help:
help = preprocessor(help, cmdname)
return help
|
help_preprocess
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, help, cmdname):\n preprocessors = {'${name}': self._help_preprocess_name,\n '${option_list}': self._help_preprocess_option_list,\n '${command_list}': self._help_preprocess_command_list,\n '${help_list}': self._help_preprocess_help_list, '${cmd_name}':\n self._help_preprocess_cmd_name, '${cmd_usage}': self.\n _help_preprocess_cmd_usage, '${cmd_option_list}': self.\n _help_preprocess_cmd_option_list}\n for marker, preprocessor in preprocessors.items():\n if marker in help:\n help = preprocessor(help, cmdname)\n return help\n",
"role": "user"
},
{
"content": "help_preprocess",
"role": "assistant"
}
] |
def x(self):
help_names = {}
token2cmdname = self._get_canonical_map()
for attrname, attr in self._gen_names_and_attrs():
if not attrname.startswith('help_'):
continue
help_name = attrname[5:]
if help_name not in token2cmdname:
help_names[help_name] = attr
return help_names
|
get_help_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n help_names = {}\n token2cmdname = self._get_canonical_map()\n for attrname, attr in self._gen_names_and_attrs():\n if not attrname.startswith('help_'):\n continue\n help_name = attrname[5:]\n if help_name not in token2cmdname:\n help_names[help_name] = attr\n return help_names\n",
"role": "user"
},
{
"content": "get_help_names",
"role": "assistant"
}
] |
def x(self):
cacheattr = '_token2canonical'
if not hasattr(self, cacheattr):
token2canonical = {}
cmd2funcname = {}
for attr in self.get_names():
if attr.startswith('do_'):
cmdname = attr[3:]
elif attr.startswith('_do_'):
cmdname = attr[4:]
else:
continue
cmd2funcname[cmdname] = attr
token2canonical[cmdname] = cmdname
for cmdname, funcname in cmd2funcname.items():
func = getattr(self, funcname)
aliases = getattr(func, 'aliases', [])
for alias in aliases:
if alias in cmd2funcname:
import warnings
warnings.warn(
"'%s' alias for '%s' command conflicts with '%s' handler"
% (alias, cmdname, cmd2funcname[alias]))
continue
token2canonical[alias] = cmdname
setattr(self, cacheattr, token2canonical)
return getattr(self, cacheattr)
|
get_canonical_map
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cacheattr = '_token2canonical'\n if not hasattr(self, cacheattr):\n token2canonical = {}\n cmd2funcname = {}\n for attr in self.get_names():\n if attr.startswith('do_'):\n cmdname = attr[3:]\n elif attr.startswith('_do_'):\n cmdname = attr[4:]\n else:\n continue\n cmd2funcname[cmdname] = attr\n token2canonical[cmdname] = cmdname\n for cmdname, funcname in cmd2funcname.items():\n func = getattr(self, funcname)\n aliases = getattr(func, 'aliases', [])\n for alias in aliases:\n if alias in cmd2funcname:\n import warnings\n warnings.warn(\n \"'%s' alias for '%s' command conflicts with '%s' handler\"\n % (alias, cmdname, cmd2funcname[alias]))\n continue\n token2canonical[alias] = cmdname\n setattr(self, cacheattr, token2canonical)\n return getattr(self, cacheattr)\n",
"role": "user"
},
{
"content": "get_canonical_map",
"role": "assistant"
}
] |
def x(self, cmdln, subcmd):
self.cmdln = cmdln
self.subcmd = subcmd
|
set_cmdln_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmdln, subcmd):\n self.cmdln = cmdln\n self.subcmd = subcmd\n",
"role": "user"
},
{
"content": "set_cmdln_info",
"role": "assistant"
}
] |
def x(self, handler, argv):
co_argcount = handler.__func__.__code__.co_argcount
if co_argcount == 2:
return handler(argv)
elif co_argcount >= 3:
try:
optparser = handler.optparser
except AttributeError:
optparser = handler.__func__.optparser = SubCmdOptionParser()
assert isinstance(optparser, SubCmdOptionParser)
optparser.set_cmdln_info(self, argv[0])
try:
opts, args = optparser.parse_args(argv[1:])
except StopOptionProcessing:
return 0
try:
return handler(argv[0], opts, *args)
except TypeError as ex:
import sys
tb = sys.exc_info()[2]
if tb.tb_next is not None:
raise
msg = ex.args[0]
userErr = self._userErrFromNumArgsErrmsg(msg)
if userErr:
raise userErr
else:
raise
else:
raise CmdlnError(
"incorrect argcount for %s(): takes %d, must take 2 for 'argv' signature or 3+ for 'opts' signature"
% (handler.__name__, co_argcount))
|
dispatch_cmd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handler, argv):\n co_argcount = handler.__func__.__code__.co_argcount\n if co_argcount == 2:\n return handler(argv)\n elif co_argcount >= 3:\n try:\n optparser = handler.optparser\n except AttributeError:\n optparser = handler.__func__.optparser = SubCmdOptionParser()\n assert isinstance(optparser, SubCmdOptionParser)\n optparser.set_cmdln_info(self, argv[0])\n try:\n opts, args = optparser.parse_args(argv[1:])\n except StopOptionProcessing:\n return 0\n try:\n return handler(argv[0], opts, *args)\n except TypeError as ex:\n import sys\n tb = sys.exc_info()[2]\n if tb.tb_next is not None:\n raise\n msg = ex.args[0]\n userErr = self._userErrFromNumArgsErrmsg(msg)\n if userErr:\n raise userErr\n else:\n raise\n else:\n raise CmdlnError(\n \"incorrect argcount for %s(): takes %d, must take 2 for 'argv' signature or 3+ for 'opts' signature\"\n % (handler.__name__, co_argcount))\n",
"role": "user"
},
{
"content": "dispatch_cmd",
"role": "assistant"
}
] |
def x(exeName):
registered = None
if sys.platform.startswith('win'):
if os.path.splitext(exeName)[1].lower() != '.exe':
exeName += '.exe'
import _winreg
try:
key = (
'SOFTWARE\\Microsoft\\Windows\\CurrentVersion\\App Paths\\' +
exeName)
value = _winreg.QueryValue(_winreg.HKEY_LOCAL_MACHINE, key)
registered = value, 'from HKLM\\' + key
except _winreg.error:
pass
if registered and not os.path.exists(registered[0]):
registered = None
return registered
|
getRegisteredExecutable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exeName):\n registered = None\n if sys.platform.startswith('win'):\n if os.path.splitext(exeName)[1].lower() != '.exe':\n exeName += '.exe'\n import _winreg\n try:\n key = (\n 'SOFTWARE\\\\Microsoft\\\\Windows\\\\CurrentVersion\\\\App Paths\\\\' +\n exeName)\n value = _winreg.QueryValue(_winreg.HKEY_LOCAL_MACHINE, key)\n registered = value, 'from HKLM\\\\' + key\n except _winreg.error:\n pass\n if registered and not os.path.exists(registered[0]):\n registered = None\n return registered\n",
"role": "user"
},
{
"content": "getRegisteredExecutable",
"role": "assistant"
}
] |
def x(command, path=None, verbose=0, exts=None):
matches = []
if path is None:
usingGivenPath = 0
path = os.environ.get('PATH', '').split(os.pathsep)
if sys.platform.startswith('win'):
path.insert(0, os.curdir)
else:
usingGivenPath = 1
if sys.platform.startswith('win'):
if exts is None:
exts = os.environ.get('PATHEXT', '').split(os.pathsep)
for ext in exts:
if ext.lower() == '.exe':
break
else:
exts = ['.COM', '.EXE', '.BAT']
elif not isinstance(exts, list):
raise TypeError("'exts' argument must be a list or None")
else:
if exts is not None:
raise WhichError(
"'exts' argument is not supported on platform '%s'" % sys.
platform)
exts = []
if os.sep in command or os.altsep and os.altsep in command:
if os.path.exists(command):
match = _cull((command, 'explicit path given'), matches, verbose)
if verbose:
yield match
else:
yield match[0]
else:
for i in range(len(path)):
dirName = path[i]
if sys.platform.startswith('win') and len(dirName
) >= 2 and dirName[0] == '"' and dirName[-1] == '"':
dirName = dirName[1:-1]
for ext in ([''] + exts):
absName = os.path.abspath(os.path.normpath(os.path.join(
dirName, command + ext)))
if os.path.isfile(absName):
if usingGivenPath:
fromWhere = 'from given path element %d' % i
elif not sys.platform.startswith('win'):
fromWhere = 'from PATH element %d' % i
elif i == 0:
fromWhere = 'from current directory'
else:
fromWhere = 'from PATH element %d' % (i - 1)
match = _cull((absName, fromWhere), matches, verbose)
if match:
if verbose:
yield match
else:
yield match[0]
match = _getRegisteredExecutable(command)
if match is not None:
match = _cull(match, matches, verbose)
if match:
if verbose:
yield match
else:
yield match[0]
|
whichgen
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, path=None, verbose=0, exts=None):\n matches = []\n if path is None:\n usingGivenPath = 0\n path = os.environ.get('PATH', '').split(os.pathsep)\n if sys.platform.startswith('win'):\n path.insert(0, os.curdir)\n else:\n usingGivenPath = 1\n if sys.platform.startswith('win'):\n if exts is None:\n exts = os.environ.get('PATHEXT', '').split(os.pathsep)\n for ext in exts:\n if ext.lower() == '.exe':\n break\n else:\n exts = ['.COM', '.EXE', '.BAT']\n elif not isinstance(exts, list):\n raise TypeError(\"'exts' argument must be a list or None\")\n else:\n if exts is not None:\n raise WhichError(\n \"'exts' argument is not supported on platform '%s'\" % sys.\n platform)\n exts = []\n if os.sep in command or os.altsep and os.altsep in command:\n if os.path.exists(command):\n match = _cull((command, 'explicit path given'), matches, verbose)\n if verbose:\n yield match\n else:\n yield match[0]\n else:\n for i in range(len(path)):\n dirName = path[i]\n if sys.platform.startswith('win') and len(dirName\n ) >= 2 and dirName[0] == '\"' and dirName[-1] == '\"':\n dirName = dirName[1:-1]\n for ext in ([''] + exts):\n absName = os.path.abspath(os.path.normpath(os.path.join(\n dirName, command + ext)))\n if os.path.isfile(absName):\n if usingGivenPath:\n fromWhere = 'from given path element %d' % i\n elif not sys.platform.startswith('win'):\n fromWhere = 'from PATH element %d' % i\n elif i == 0:\n fromWhere = 'from current directory'\n else:\n fromWhere = 'from PATH element %d' % (i - 1)\n match = _cull((absName, fromWhere), matches, verbose)\n if match:\n if verbose:\n yield match\n else:\n yield match[0]\n match = _getRegisteredExecutable(command)\n if match is not None:\n match = _cull(match, matches, verbose)\n if match:\n if verbose:\n yield match\n else:\n yield match[0]\n",
"role": "user"
},
{
"content": "whichgen",
"role": "assistant"
}
] |
def x(command, path=None, verbose=0, exts=None):
return list(whichgen(command, path, verbose, exts))
|
whichall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, path=None, verbose=0, exts=None):\n return list(whichgen(command, path, verbose, exts))\n",
"role": "user"
},
{
"content": "whichall",
"role": "assistant"
}
] |
def x():
_globals = {}
_locals = {}
exec(compile(open(TOP + '/manta/version.py').read(), TOP +
'/manta/version.py', 'exec'), _globals, _locals)
return _locals['__version__']
|
get_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _globals = {}\n _locals = {}\n exec(compile(open(TOP + '/manta/version.py').read(), TOP +\n '/manta/version.py', 'exec'), _globals, _locals)\n return _locals['__version__']\n",
"role": "user"
},
{
"content": "get_version",
"role": "assistant"
}
] |
def x(data):
data = data.strip()
if re.search('^ssh-(?:rsa|dss) ', data) or re.search(
'^ecdsa-sha2-nistp(?:[0-9]+)', data):
data = data.split(None, 2)[1]
key = base64.b64decode(data)
fp_plain = hashlib.md5(key).hexdigest()
return ':'.join(a + b for a, b in zip(fp_plain[::2], fp_plain[1::2]))
|
fingerprint_from_ssh_pub_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n data = data.strip()\n if re.search('^ssh-(?:rsa|dss) ', data) or re.search(\n '^ecdsa-sha2-nistp(?:[0-9]+)', data):\n data = data.split(None, 2)[1]\n key = base64.b64decode(data)\n fp_plain = hashlib.md5(key).hexdigest()\n return ':'.join(a + b for a, b in zip(fp_plain[::2], fp_plain[1::2]))\n",
"role": "user"
},
{
"content": "fingerprint_from_ssh_pub_key",
"role": "assistant"
}
] |
def x(key):
fp_plain = hashlib.md5(key).hexdigest()
return ':'.join(a + b for a, b in zip(fp_plain[::2], fp_plain[1::2]))
|
fingerprint_from_raw_ssh_pub_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key):\n fp_plain = hashlib.md5(key).hexdigest()\n return ':'.join(a + b for a, b in zip(fp_plain[::2], fp_plain[1::2]))\n",
"role": "user"
},
{
"content": "fingerprint_from_raw_ssh_pub_key",
"role": "assistant"
}
] |
def x(raw_key):
digest = hashlib.sha256(raw_key).digest()
h = base64.b64encode(digest).decode('utf-8')
h = h.rstrip().rstrip('=')
return 'SHA256:' + h
|
sha256_fingerprint_from_raw_ssh_pub_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_key):\n digest = hashlib.sha256(raw_key).digest()\n h = base64.b64encode(digest).decode('utf-8')\n h = h.rstrip().rstrip('=')\n return 'SHA256:' + h\n",
"role": "user"
},
{
"content": "sha256_fingerprint_from_raw_ssh_pub_key",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.