source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
new_stream = Stream(writebufferlimit=None)
if self._sendHeaders:
self.container.subroutine(new_stream.copy_to(self.outputstream,
self.container, buffering=False))
self.outputstream = Stream(writebufferlimit=None)
| bufferoutput | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n new_stream = Stream(writebufferlimit=None)\n if self._sendHeaders:\n self.container.subroutine(new_stream.copy_to(self.outputstream,\n ... |
async def rewrite(self, path, method=None, keepresponse=True):
"""Rewrite this request to another processor. Must be called before header sent"""
if self._sendHeaders:
raise HttpProtocolException(
'Cannot modify response, headers already sent')
if getattr(self.event, 'rewritedepth', 0) >... | rewrite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def rewrite(self, path, method=None, keepresponse=True):\n \"\"\"Rewrite this request to another processor. Must be called before header sent\"\"\"\n if ... |
async def redirect(self, path, status=302):
"""
Redirect this request with 3xx status
"""
location = urljoin(urlunsplit((b'https' if self.https else b'http',
self.host, quote_from_bytes(self.path).encode('ascii'), '', '')), path)
self.start_response(status, [(b'Location', location)])... | redirect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def redirect(self, path, status=302):\n \"\"\"\n Redirect this request with 3xx status\n \"\"\"\n location = urljoin(urlunsplit((b'https' i... |
def x(self, text):
if isinstance(text, bytes):
return text.replace(b'\n', b'<br/>\n')
else:
return text.replace('\n', '<br/>\n')
| nl2br | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if isinstance(text, bytes):\n return text.replace(b'\\n', b'<br/>\\n')\n else:\n return text.replace('\\n', '<br/>\\n')\n",
... |
def x(self, text, quote=True):
if isinstance(text, bytes):
return escape_b(text, quote)
else:
return escape(text, quote)
| escape | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, quote=True):\n if isinstance(text, bytes):\n return escape_b(text, quote)\n else:\n return escape(text, quote)\n",
"role": ... |
async def error(self, status=500, allowredirect=True, close=True, showerror
=None, headers=[]):
"""
Show default error response
"""
if showerror is None:
showerror = self.showerrorinfo
if self._sendHeaders:
if showerror:
typ, exc, tb = sys.exc_info()
... | error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def error(self, status=500, allowredirect=True, close=True, showerror\n =None, headers=[]):\n \"\"\"\n Show default error response\n \"\"\"... |
async def write(self, data, eof=False, buffering=True):
"""
Write output to current output stream
"""
if not self.outputstream:
self.outputstream = Stream()
self._startResponse()
elif (not buffering or eof) and not self._sendHeaders:
self._startResponse()
if not i... | write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def write(self, data, eof=False, buffering=True):\n \"\"\"\n Write output to current output stream\n \"\"\"\n if not self.outputstream:\n ... |
async def writelines(self, lines, eof=False, buffering=True):
"""
Write lines to current output stream
"""
for l in lines:
await self.write(l, False, buffering)
if eof:
await self.write(b'', eof, buffering)
| writelines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def writelines(self, lines, eof=False, buffering=True):\n \"\"\"\n Write lines to current output stream\n \"\"\"\n for l in lines:\n ... |
def x(self, stream, disabletransferencoding=None):
if self._sendHeaders:
raise HttpProtocolException(
'Cannot modify response, headers already sent')
self.outputstream = stream
try:
content_length = len(stream)
except Exception:
pass
else:
self.header(b'Co... | output | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, disabletransferencoding=None):\n if self._sendHeaders:\n raise HttpProtocolException(\n 'Cannot modify response, headers alr... |
def x(self, data):
if not isinstance(data, bytes):
data = str(data).encode(self.encoding)
self.output(MemoryStream(data))
| outputdata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not isinstance(data, bytes):\n data = str(data).encode(self.encoding)\n self.output(MemoryStream(data))\n",
"role": "user"
... |
async def close(self):
"""
Close this request, send all data. You can still run other operations in the handler.
"""
if not self._sendHeaders:
self._startResponse()
if self.inputstream is not None:
self.inputstream.close(self.connection.scheduler)
if self.outputstream is ... | close | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def close(self):\n \"\"\"\n Close this request, send all data. You can still run other operations in the handler.\n \"\"\"\n if not self._s... |
async def parseform(self, limit=67108864, tostr=True, safename=True):
"""
Parse form-data with multipart/form-data or application/x-www-form-urlencoded
In Python3, the keys of form and files are unicode, but values are bytes
If the key ends with '[]', it is considered to be a list:
a... | parseform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def parseform(self, limit=67108864, tostr=True, safename=True):\n \"\"\"\n Parse form-data with multipart/form-data or application/x-www-form-urlenco... |
async def sessionstart(self):
"""Start session. Must start service.utils.session.Session to use this method"""
if not hasattr(self, 'session') or not self.session:
self.session, setcookies = await call_api(self.container, 'session',
'start', {'cookies': self.rawcookie})
for nc in set... | sessionstart | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def sessionstart(self):\n \"\"\"Start session. Must start service.utils.session.Session to use this method\"\"\"\n if not hasattr(self, 'session') or not... |
async def sessiondestroy(self):
"""
Destroy current session. The session object is discarded and can no longer be used in other requests.
"""
if hasattr(self, 'session') and self.session:
setcookies = await call_api(self.container, 'session', 'destroy', {
'sessionid': self.se... | sessiondestroy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def sessiondestroy(self):\n \"\"\"\n Destroy current session. The session object is discarded and can no longer be used in other requests.\n \... |
def x(self, realm=b'all', nofail=False):
if b'authorization' in self.headerdict:
auth = self.headerdict[b'authorization']
auth_pair = auth.split(b' ', 1)
if len(auth_pair) < 2:
raise HttpInputException('Authorization header is malformed')
if auth_pair[0].lower() == b'basi... | basicauth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, realm=b'all', nofail=False):\n if b'authorization' in self.headerdict:\n auth = self.headerdict[b'authorization']\n auth_pair = auth.spl... |
def x(self, realm=b'all'):
if not isinstance(realm, bytes):
realm = realm.encode('ascii')
self.start_response(401, [(b'WWW-Authenticate', b'Basic realm="' +
realm + b'"')])
self.exit(b'<h1>' + _createstatus(401) + b'</h1>')
| basicauthfail | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, realm=b'all'):\n if not isinstance(realm, bytes):\n realm = realm.encode('ascii')\n self.start_response(401, [(b'WWW-Authenticate', b'Basic ... |
def x(self, root, path):
if not isinstance(path, str):
path = path.decode(self.encoding)
path = pathrep.subn('/', path)[0]
path = os.path.normpath(os.path.join('/', path))
if os.path.splitdrive(path)[0]:
raise HttpInputException('Bad path')
return os.path.join(root, path[1:])
| getrealpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root, path):\n if not isinstance(path, str):\n path = path.decode(self.encoding)\n path = pathrep.subn('/', path)[0]\n path = os.path.nor... |
def x(self):
self.args = dict((k, self._tostr(v)) for k, v in self.args.items())
return self.args
| argstostr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.args = dict((k, self._tostr(v)) for k, v in self.args.items())\n return self.args\n",
"role": "user"
},
{
"content": "argstostr... |
def x(self):
self.cookies = dict((k, v.decode(self.encoding) if not isinstance(v,
str) else v) for k, v in self.cookies.items())
return self.cookies
| cookietostr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.cookies = dict((k, v.decode(self.encoding) if not isinstance(v,\n str) else v) for k, v in self.cookies.items())\n return self.cooki... |
async def createcsrf(self, csrfarg='_csrf'):
"""
Create a anti-CSRF token in the session
"""
await self.sessionstart()
if not csrfarg in self.session.vars:
self.session.vars[csrfarg] = uuid.uuid4().hex
| createcsrf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def createcsrf(self, csrfarg='_csrf'):\n \"\"\"\n Create a anti-CSRF token in the session\n \"\"\"\n await self.sessionstart()\n if not ... |
def x(self, obj):
self.header('Content-Type', 'application/json')
self.outputdata(json.dumps(obj).encode('ascii'))
| outputjson | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n self.header('Content-Type', 'application/json')\n self.outputdata(json.dumps(obj).encode('ascii'))\n",
"role": "user"
},
{
"con... |
def x(self, path, routinemethod, container=None, host=None, vhost=None,
method=[b'GET', b'HEAD']):
regm = re.compile(path + b'$')
if vhost is None:
vhost = self.vhost
if container is None:
container = getattr(routinemethod, '__self__', None)
def x(event):
if vhost is not Non... | routeevent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, routinemethod, container=None, host=None, vhost=None,\n method=[b'GET', b'HEAD']):\n regm = re.compile(path + b'$')\n if vhost is None:\n ... |
def x(self, path, routinemethod, container=None, host=None, vhost=None,
method=[b'GET', b'HEAD']):
self.routeevent(path, statichttp(container)(routinemethod), container,
host, vhost, method)
| route | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, routinemethod, container=None, host=None, vhost=None,\n method=[b'GET', b'HEAD']):\n self.routeevent(path, statichttp(container)(routinemetho... |
def x(self, path, routinemethod, container=None, host=None, vhost=None,
method=[b'POST'], tostr=True, matchargs=(), fileargs=(), queryargs=(),
cookieargs=(), sessionargs=(), csrfcheck=False, csrfarg='_csrf',
formlimit=67108864):
code = routinemethod.__code__
if code.co_flags & 8:
haskwargs =... | routeargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, routinemethod, container=None, host=None, vhost=None,\n method=[b'POST'], tostr=True, matchargs=(), fileargs=(), queryargs=(),\n cookieargs=(... |
def x(cls, match, expand):
return re._expand(match.re, cls._EncodedMatch(match), expand)
| expand | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, match, expand):\n return re._expand(match.re, cls._EncodedMatch(match), expand)\n",
"role": "user"
},
{
"content": "expand",
"role": "a... |
def x(self, path, expand, newmethod=None, host=None, vhost=None, method=[
b'GET', b'HEAD'], keepquery=True):
async def func(env):
newpath = self.expand(env.path_match, expand)
if keepquery and getattr(env, 'querystring', None):
if b'?' in newpath:
newpath += b'&' + e... | rewrite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, expand, newmethod=None, host=None, vhost=None, method=[\n b'GET', b'HEAD'], keepquery=True):\n\n async def func(env):\n newpath = self... |
def x(path, host=None, vhost=None, method=[b'POST'], **kwargs):
def x(func):
func.routemode = 'routeargs'
func.route_path = path
func.route_host = host
func.route_vhost = vhost
func.route_method = method
func.route_kwargs = kwargs
return func
return decor... | routeargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, host=None, vhost=None, method=[b'POST'], **kwargs):\n\n def x(func):\n func.routemode = 'routeargs'\n func.route_path = path\n fu... |
def x(g):
if isinstance(g, generatorwrapper):
g.close()
elif _get_frame(g) is not None:
try:
g.throw(GeneratorExit_)
except (StopIteration, GeneratorExit_):
return
else:
raise RuntimeError('coroutine ignored GeneratorExit')
| close_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(g):\n if isinstance(g, generatorwrapper):\n g.close()\n elif _get_frame(g) is not None:\n try:\n g.throw(GeneratorExit_)\n ... |
def x(coroutine, scheduler, asyncStart=True, container=None, manualStart=
False, daemon=False):
def x():
iterator = _await(coroutine)
iterself = yield
if manualStart:
yield
try:
if asyncStart:
scheduler.yield_(iterself)
yie... | Routine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coroutine, scheduler, asyncStart=True, container=None, manualStart=\n False, daemon=False):\n\n def x():\n iterator = _await(coroutine)\n i... |
def x(self, matcher, handler):
self.handlers[matcher] = handler
self.scheduler.register((matcher,), self)
self._setDaemon()
| registerHandler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matcher, handler):\n self.handlers[matcher] = handler\n self.scheduler.register((matcher,), self)\n self._setDaemon()\n",
"role": "user"
}... |
def x(self, handlerDict):
self.handlers.update(handlerDict)
if hasattr(handlerDict, 'keys'):
self.scheduler.register(handlerDict.keys(), self)
else:
self.scheduler.register(tuple(h[0] for h in handlerDict), self)
self._setDaemon()
| registerAllHandlers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handlerDict):\n self.handlers.update(handlerDict)\n if hasattr(handlerDict, 'keys'):\n self.scheduler.register(handlerDict.keys(), self)\n ... |
def x(self, asyncStart=False):
r = Routine(self.main(), self.scheduler, asyncStart, self, True, self.
daemon)
self.mainroutine = r
try:
next(r)
except StopIteration:
pass
return r
| start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, asyncStart=False):\n r = Routine(self.main(), self.scheduler, asyncStart, self, True, self.\n daemon)\n self.mainroutine = r\n try:\n ... |
def x(self, iterator, asyncStart=True, name=None, daemon=False):
r = Routine(iterator, self.scheduler, asyncStart, self, True, daemon)
if name is not None:
setattr(self, name, r)
currentroutine = getattr(self, 'currentroutine', None)
try:
next(r)
except StopIteration:
pass
... | subroutine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iterator, asyncStart=True, name=None, daemon=False):\n r = Routine(iterator, self.scheduler, asyncStart, self, True, daemon)\n if name is not None:... |
async def wait_for_send(self, event, *, until=None):
"""
Send an event to the main event queue. Can call without delegate.
:param until: if the callback returns True, stop sending and return
:return: the last True value the callback returns, or None
"""
while Tr... | wait_for_send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def wait_for_send(self, event, *, until=None):\n \"\"\"\n Send an event to the main event queue. Can call without delegate.\n \n :param... |
async def wait_with_timeout(self, timeout, *matchers):
"""
Wait for multiple event matchers, or until timeout.
:param timeout: a timeout value
:param \\*matchers: event matchers
:return: (is_timeout, event, matcher). When is_timeout = True, event = matcher ... | wait_with_timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def wait_with_timeout(self, timeout, *matchers):\n \"\"\"\n Wait for multiple event matchers, or until timeout.\n \n :param timeout: a ... |
async def execute_with_timeout(self, timeout, subprocess):
"""
Execute a subprocess with timeout. If time limit exceeds, the subprocess is terminated,
and `is_timeout` is set to True; otherwise the `is_timeout` is set to False.
You can uses `execute_with_timeout` with other help fun... | execute_with_timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def execute_with_timeout(self, timeout, subprocess):\n \"\"\"\n Execute a subprocess with timeout. If time limit exceeds, the subprocess is terminate... |
async def with_exception(self, subprocess, *matchers):
"""
Monitoring event matchers while executing a subprocess. If events are matched before the subprocess ends,
the subprocess is terminated and a RoutineException is raised.
"""
def x(event, matcher):
raise RoutineException(m... | with_exception | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def with_exception(self, subprocess, *matchers):\n \"\"\"\n Monitoring event matchers while executing a subprocess. If events are matched before the ... |
def x(self, subprocess, callback, *matchers, intercept_callback=None):
it_ = _await(subprocess)
if not matchers and not intercept_callback:
return (yield from it_)
try:
try:
m = next(it_)
except StopIteration as e:
return e.value
while True:
... | with_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subprocess, callback, *matchers, intercept_callback=None):\n it_ = _await(subprocess)\n if not matchers and not intercept_callback:\n return... |
async def wait_for_all(self, *matchers, eventlist=None, eventdict=None,
callback=None):
"""
Wait until each matcher matches an event. When this coroutine method returns,
`eventlist` is set to the list of events in the arriving order (may not
be the same as the matchers); `eventdict` is s... | wait_for_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def wait_for_all(self, *matchers, eventlist=None, eventdict=None,\n callback=None):\n \"\"\"\n Wait until each matcher matches an event. When this... |
async def wait_for_all_to_process(self, *matchers, eventlist=None,
eventdict=None, callback=None):
"""
Similar to `waitForAll`, but set `canignore=True` for these events. This ensures
blocking events are processed correctly.
"""
def x(event, matcher):
event.canignore = True
... | wait_for_all_to_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def wait_for_all_to_process(self, *matchers, eventlist=None,\n eventdict=None, callback=None):\n \"\"\"\n Similar to `waitForAll`, but set `canign... |
async def wait_for_all_empty(self, *queues):
"""
Wait for multiple queues to be empty at the same time.
Require delegate when calling from coroutines running in other containers
"""
matchers = [m for m in (q.waitForEmpty() for q in queues) if m is not None]
while matchers:
a... | wait_for_all_empty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def wait_for_all_empty(self, *queues):\n \"\"\"\n Wait for multiple queues to be empty at the same time.\n\n Require delegate when calling fro... |
def x(self, func):
matcher = self.scheduler.syscall(func)
while not matcher:
yield
matcher = self.scheduler.syscall(func)
ev, _ = yield matcher,
return ev
| syscall_noreturn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n matcher = self.scheduler.syscall(func)\n while not matcher:\n yield\n matcher = self.scheduler.syscall(func)\n ev, _ = yi... |
async def syscall(self, func, ignoreException=False):
"""
Call a syscall method and retrieve its return value
"""
ev = await self.syscall_noreturn(func)
if hasattr(ev, 'exception'):
if ignoreException:
return
else:
raise ev.exception[1]
else:
... | syscall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def syscall(self, func, ignoreException=False):\n \"\"\"\n Call a syscall method and retrieve its return value\n \"\"\"\n ev = await self.s... |
async def delegate(self, subprocess, forceclose=False):
"""
Run a subprocess without container support
Many subprocess assume itself running in a specified container, it uses container reference
like self.events. Calling the subprocess in other containers will fail.
... | delegate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def delegate(self, subprocess, forceclose=False):\n \"\"\"\n Run a subprocess without container support\n \n Many subprocess assume its... |
async def end_delegate(self, delegate_matcher, routine=None, forceclose=False):
"""
Retrieve a begin_delegate result. Must be called immediately after begin_delegate
before any other `await`, or the result might be lost.
Do not use this method without thinking. Always use `RoutineFu... | end_delegate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def end_delegate(self, delegate_matcher, routine=None, forceclose=False):\n \"\"\"\n Retrieve a begin_delegate result. Must be called immediately aft... |
def x(self, subprocess):
async def delegateroutine():
try:
r = await subprocess
except:
_, val, _ = sys.exc_info()
e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,
self.currentroutine, exception=val)
self.scheduler.emerge... | begin_delegate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subprocess):\n\n async def delegateroutine():\n try:\n r = await subprocess\n except:\n _, val, _ = sys.exc_info()... |
def x(self, subprocess, container, retnames=('',)):
async def delegateroutine():
try:
r = await subprocess
except:
_, val, _ = sys.exc_info()
e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,
container.currentroutine, exception=val)
... | begin_delegate_other | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subprocess, container, retnames=('',)):\n\n async def delegateroutine():\n try:\n r = await subprocess\n except:\n ... |
async def delegate_other(self, subprocess, container, retnames=('',),
forceclose=False):
"""
DEPRECATED Another format of delegate allows delegate a subprocess in another container, and get some returning values
the subprocess is actually running in 'container'. ::
ret = awa... | delegate_other | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def delegate_other(self, subprocess, container, retnames=('',),\n forceclose=False):\n \"\"\"\n DEPRECATED Another format of delegate allows deleg... |
async def execute_all_with_names(self, subprocesses, container=None,
retnames=('',), forceclose=True):
"""
DEPRECATED Execute all subprocesses and get the return values.
:param subprocesses: sequence of subroutines (coroutines)
:param container: if specified, run subpro... | execute_all_with_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def execute_all_with_names(self, subprocesses, container=None,\n retnames=('',), forceclose=True):\n \"\"\"\n DEPRECATED Execute all subprocesses ... |
async def execute_all(self, subprocesses, forceclose=True):
"""
Execute all subprocesses and get the return values.
:param subprocesses: sequence of subroutines (coroutines)
:param forceclose: force close the routines on exit, so all the subprocesses are terminated
... | execute_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def execute_all(self, subprocesses, forceclose=True):\n \"\"\"\n Execute all subprocesses and get the return values.\n \n :param subpro... |
def x(cls, scheduler):
if scheduler in cls._container_cache:
return cls._container_cache[scheduler]
else:
c = cls(scheduler)
cls._container_cache[scheduler] = c
return c
| get_container | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, scheduler):\n if scheduler in cls._container_cache:\n return cls._container_cache[scheduler]\n else:\n c = cls(scheduler)\n cls... |
def x(*args):
def x(cls):
if not 'depends' in cls.__dict__:
cls.depends = []
cls.depends.extend(list(args))
for a in args:
if not hasattr(a, 'referencedBy'):
a.referencedBy = []
a.referencedBy.append(cls)
return cls
return decf... | depend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n\n def x(cls):\n if not 'depends' in cls.__dict__:\n cls.depends = []\n cls.depends.extend(list(args))\n for a in a... |
def x(func, container=None, criteria=None):
return func.__name__.lower(), functools.update_wrapper(lambda n, p:
func(**p), func), container, create_discover_info(func), criteria
| api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, container=None, criteria=None):\n return func.__name__.lower(), functools.update_wrapper(lambda n, p:\n func(**p), func), container, create_dis... |
def x(name, default=None):
proxymodule = _ProxyMetaClass(name, (_ProxyModule,), {'_default': default})
proxymodule.__module__ = sys._getframe(1).f_globals.get('__name__')
return proxymodule
| proxy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, default=None):\n proxymodule = _ProxyMetaClass(name, (_ProxyModule,), {'_default': default})\n proxymodule.__module__ = sys._getframe(1).f_globals.... |
async def send_api(container, targetname, name, params={}):
"""
Send API and discard the result
"""
handle = object()
apiEvent = ModuleAPICall(handle, targetname, name, params=params)
await container.wait_for_send(apiEvent)
| send_api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def send_api(container, targetname, name, params={}):\n \"\"\"\n Send API and discard the result\n \"\"\"\n handle = object()\n apiEvent = Modul... |
async def call_api(container, targetname, name, params={}, timeout=120.0):
"""
Call module API `targetname/name` with parameters.
:param targetname: module targetname. Usually the lower-cased name of the module class, or 'public' for
public APIs.
:param name: method name... | call_api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def call_api(container, targetname, name, params={}, timeout=120.0):\n \"\"\"\n Call module API `targetname/name` with parameters.\n \n :param targ... |
async def batch_call_api(container, apis, timeout=120.0):
"""
DEPRECATED - use execute_all instead
"""
apiHandles = [(object(), api) for api in apis]
apiEvents = [ModuleAPICall(handle, targetname, name, params=params) for
handle, (targetname, name, params) in apiHandles]
apiMatchers = tu... | batch_call_api | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def batch_call_api(container, apis, timeout=120.0):\n \"\"\"\n DEPRECATED - use execute_all instead\n \"\"\"\n apiHandles = [(object(), api) for ap... |
def x(self, apidefs):
handlers = [self._createHandler(*apidef) for apidef in apidefs]
self.handler.registerAllHandlers(handlers)
self.discoverinfo.update((apidef[0], apidef[3] if len(apidef) > 3 else
{'description': cleandoc(apidef[1].__doc__)}) for apidef in apidefs)
| registerAPIs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, apidefs):\n handlers = [self._createHandler(*apidef) for apidef in apidefs]\n self.handler.registerAllHandlers(handlers)\n self.discoverinfo.upd... |
def x(self, name, handler, container=None, discoverinfo=None, criteria=None):
self.handler.registerHandler(*self._createHandler(name, handler,
container, criteria))
if discoverinfo is None:
self.discoverinfo[name] = {'description': cleandoc(handler.__doc__)}
else:
self.discoverinfo[n... | registerAPI | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, handler, container=None, discoverinfo=None, criteria=None):\n self.handler.registerHandler(*self._createHandler(name, handler,\n containe... |
def x(self, name):
if name.startswith('public/'):
target = 'public'
name = name[len('public/'):]
else:
target = self.servicename
name = name
removes = [m for m in self.handler.handlers.keys() if m.target ==
target and m.name == name]
for m in removes:
self... | unregisterAPI | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if name.startswith('public/'):\n target = 'public'\n name = name[len('public/'):]\n else:\n target = self.servicename... |
def x(self, details=False):
if details and not (isinstance(details, str) and details.lower() == 'false'
):
return copy.deepcopy(self.discoverinfo)
else:
return dict((k, v.get('description', '')) for k, v in self.
discoverinfo.items())
| discover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, details=False):\n if details and not (isinstance(details, str) and details.lower() == 'false'\n ):\n return copy.deepcopy(self.discoveri... |
async def loadmodule(self, module):
"""
Load a module class
"""
self._logger.debug('Try to load module %r', module)
if hasattr(module, '_instance'):
self._logger.debug('Module is already initialized, module state is: %r'
, module._instance.state)
if (module._insta... | loadmodule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def loadmodule(self, module):\n \"\"\"\n Load a module class\n \"\"\"\n self._logger.debug('Try to load module %r', module)\n if hasattr... |
async def unloadmodule(self, module, ignoreDependencies=False):
"""
Unload a module class
"""
self._logger.debug('Try to unload module %r', module)
if hasattr(module, '_instance'):
self._logger.debug('Module %r is loaded, module state is %r',
module, module._instance.stat... | unloadmodule | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def unloadmodule(self, module, ignoreDependencies=False):\n \"\"\"\n Unload a module class\n \"\"\"\n self._logger.debug('Try to unload mod... |
async def load_by_path(self, path):
"""
Load a module by full path. If there are dependencies, they are also loaded.
"""
try:
p, module = findModule(path, True)
except KeyError as exc:
raise ModuleLoadException('Cannot load module ' + repr(path) + ': ' +
str(exc) ... | load_by_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def load_by_path(self, path):\n \"\"\"\n Load a module by full path. If there are dependencies, they are also loaded.\n \"\"\"\n try:\n ... |
async def unload_by_path(self, path):
"""
Unload a module by full path. Dependencies are automatically unloaded if they are marked to be
services.
"""
p, module = findModule(path, False)
if module is None:
raise ModuleLoadException('Cannot find module: ' + repr(path))
ret... | unload_by_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def unload_by_path(self, path):\n \"\"\"\n Unload a module by full path. Dependencies are automatically unloaded if they are marked to be\n se... |
async def reload_modules(self, pathlist):
"""
Reload modules with a full path in the pathlist
"""
loadedModules = []
failures = []
for path in pathlist:
p, module = findModule(path, False)
if module is not None and hasattr(module, '_instance'
) and module._ins... | reload_modules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def reload_modules(self, pathlist):\n \"\"\"\n Reload modules with a full path in the pathlist\n \"\"\"\n loadedModules = []\n failures ... |
def x(self, targetname):
if targetname == 'public':
target = None
elif not targetname not in self.activeModules:
raise KeyError('Module %r not exists or is not loaded' % (targetname,))
else:
target = self.activeModules[targetname]
return target
| get_module_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, targetname):\n if targetname == 'public':\n target = None\n elif not targetname not in self.activeModules:\n raise KeyError('Module %... |
def x(key):
def x(cls):
parent = cls.getConfigurableParent()
if parent is None:
parentbase = None
else:
parentbase = getattr(parent, 'configbase', None)
if parentbase is None:
base = key
else:
base = parentbase + '.' + key
... | configbase | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key):\n\n def x(cls):\n parent = cls.getConfigurableParent()\n if parent is None:\n parentbase = None\n else:\n p... |
def x(key):
def x(cls):
parent = cls.getConfigurableParent()
if parent is None:
parentbase = None
else:
parentbase = getattr(parent, 'configbase', None)
if parentbase is None:
cls.configkey = key
else:
cls.configkey = parentbas... | config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key):\n\n def x(cls):\n parent = cls.getConfigurableParent()\n if parent is None:\n parentbase = None\n else:\n p... |
def x(cls):
parentbase = None
for p in cls.__bases__:
if issubclass(p, Configurable):
parentbase = getattr(p, 'configbase', None)
break
if parentbase is None:
base = cls.__name__.lower()
cls.configbase = base
cls.configkey = base + '.default'
else:... | defaultconfig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n parentbase = None\n for p in cls.__bases__:\n if issubclass(p, Configurable):\n parentbase = getattr(p, 'configbase', None)\n ... |
def x(self, sortkey=False):
if sortkey:
items = sorted(self.items())
else:
items = self.items()
for k, v in items:
if isinstance(v, ConfigTree):
for k2 in v.config_keys(sortkey):
yield k + '.' + k2
else:
yield k
| config_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=False):\n if sortkey:\n items = sorted(self.items())\n else:\n items = self.items()\n for k, v in items:\n if isins... |
def x(self, sortkey=False):
if sortkey:
items = sorted(self.items())
else:
items = self.items()
for k, v in items:
if isinstance(v, ConfigTree):
for k2, v2 in v.config_items(sortkey):
yield k + '.' + k2, v2
else:
yield k, v
| config_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=False):\n if sortkey:\n items = sorted(self.items())\n else:\n items = self.items()\n for k, v in items:\n if isins... |
def x(self, sortkey=False):
if sortkey:
items = sorted(self.items())
else:
items = self.items()
return (k for k, v in items if not isinstance(v, ConfigTree))
| config_value_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=False):\n if sortkey:\n items = sorted(self.items())\n else:\n items = self.items()\n return (k for k, v in items if not i... |
def x(self, keysuffix, obj):
subtree = self.get(keysuffix)
if subtree is not None and isinstance(subtree, ConfigTree):
for k, v in subtree.items():
if isinstance(v, ConfigTree):
if hasattr(obj, k) and not isinstance(getattr(obj, k),
ConfigTree):
... | loadconfig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keysuffix, obj):\n subtree = self.get(keysuffix)\n if subtree is not None and isinstance(subtree, ConfigTree):\n for k, v in subtree.items()... |
def x(self, keysuffix):
def x(cls):
return self.loadconfig(keysuffix, cls)
return decorator
| withconfig | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keysuffix):\n\n def x(cls):\n return self.loadconfig(keysuffix, cls)\n return decorator\n",
"role": "user"
},
{
"content": "with... |
def x(self, key, create=False):
tree, _ = self._getsubitem(key + '.tmp', create)
return tree
| gettree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, create=False):\n tree, _ = self._getsubitem(key + '.tmp', create)\n return tree\n",
"role": "user"
},
{
"content": "gettree",
... |
def x(self, key, defaultvalue=None):
t, k = self._getsubitem(key, False)
if t is None:
return defaultvalue
else:
return t.__dict__.get(k, defaultvalue)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, defaultvalue=None):\n t, k = self._getsubitem(key, False)\n if t is None:\n return defaultvalue\n else:\n return t.__dict__.g... |
def x(self, key, defaultvalue=None):
t, k = self._getsubitem(key, True)
return t.__dict__.setdefault(k, defaultvalue)
| setdefault | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, defaultvalue=None):\n t, k = self._getsubitem(key, True)\n return t.__dict__.setdefault(k, defaultvalue)\n",
"role": "user"
},
{
"... |
def x(self):
dict_entry = []
for k, v in self.items():
if isinstance(v, ConfigTree):
dict_entry.append((k, v.todict()))
else:
dict_entry.append((k, v))
return dict(dict_entry)
| todict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dict_entry = []\n for k, v in self.items():\n if isinstance(v, ConfigTree):\n dict_entry.append((k, v.todict()))\n else... |
def x(self, filelike):
line_format = re.compile(
'((?:[a-zA-Z][a-zA-Z0-9_]*\\.)*[a-zA-Z][a-zA-Z0-9_]*)\\s*=\\s*')
space = re.compile('\\s')
line_no = 0
line_buffer = []
line_key = None
last_line_no = None
for l in filelike:
line_no += 1
ls = l.strip()
if not l... | loadfromfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filelike):\n line_format = re.compile(\n '((?:[a-zA-Z][a-zA-Z0-9_]*\\\\.)*[a-zA-Z][a-zA-Z0-9_]*)\\\\s*=\\\\s*')\n space = re.compile('\\\\s'... |
def x(self, sortkey=True):
return [(k + '=' + repr(v)) for k, v in self.config_items(sortkey)]
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=True):\n return [(k + '=' + repr(v)) for k, v in self.config_items(sortkey)]\n",
"role": "user"
},
{
"content": "save",
"role"... |
def x(self, sortkey=True):
return ''.join(k + '=' + repr(v) + '\n' for k, v in self.config_items(
sortkey))
| savetostr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=True):\n return ''.join(k + '=' + repr(v) + '\\n' for k, v in self.config_items(\n sortkey))\n",
"role": "user"
},
{
"conte... |
def x(self, filelike, sortkey=True):
filelike.writelines(k + '=' + repr(v) + '\n' for k, v in self.
config_items(sortkey))
| savetofile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filelike, sortkey=True):\n filelike.writelines(k + '=' + repr(v) + '\\n' for k, v in self.\n config_items(sortkey))\n",
"role": "user"
},... |
def x(self, path, sortkey=True):
with open(path, 'w') as f:
self.savetofile(f, sortkey)
| saveto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, sortkey=True):\n with open(path, 'w') as f:\n self.savetofile(f, sortkey)\n",
"role": "user"
},
{
"content": "saveto",
"r... |
def x(cls):
for p in cls.__bases__:
if isinstance(p, Configurable) and p is not Configurable:
return p
return None
| getConfigurableParent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for p in cls.__bases__:\n if isinstance(p, Configurable) and p is not Configurable:\n return p\n return None\n",
"role": "u... |
def x(cls, create=False):
try:
return manager.gettree(getattr(cls, 'configkey'), create)
except AttributeError:
return None
| getConfigRoot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, create=False):\n try:\n return manager.gettree(getattr(cls, 'configkey'), create)\n except AttributeError:\n return None\n",
"role... |
def x(self, sortkey=False):
ret = set()
cls = type(self)
while True:
root = cls.getConfigRoot()
if root:
ret = ret.union(set(root.config_value_keys()))
parent = None
for c in cls.__bases__:
if issubclass(c, Configurable):
parent = c
... | config_value_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=False):\n ret = set()\n cls = type(self)\n while True:\n root = cls.getConfigRoot()\n if root:\n ret = ret.unio... |
def x(self, sortkey=False):
return ((k, getattr(self, k)) for k in self.config_value_keys(sortkey))
| config_value_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sortkey=False):\n return ((k, getattr(self, k)) for k in self.config_value_keys(sortkey))\n",
"role": "user"
},
{
"content": "config_value... |
def x(configpath=None, startup=None, daemon=False, pidfile=None, fork=None):
if configpath is not None:
manager.loadfrom(configpath)
if startup is not None:
manager['server.startup'] = startup
if not manager.get('server.startup'):
startup = []
import __main__
for k in... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(configpath=None, startup=None, daemon=False, pidfile=None, fork=None):\n if configpath is not None:\n manager.loadfrom(configpath)\n if startup is... |
async def wait_for_group(self, container, networkid, timeout=120):
"""
Wait for a VXLAN group to be created
"""
if networkid in self._current_groups:
return self._current_groups[networkid]
else:
if not self._connection.connected:
raise ConnectionResetException
... | wait_for_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def wait_for_group(self, container, networkid, timeout=120):\n \"\"\"\n Wait for a VXLAN group to be created\n \"\"\"\n if networkid in sel... |
async def read(self, container=None, size=None):
"""
Coroutine method to read from the stream and return the data. Raises EOFError
when the stream end has been reached; raises IOError if there are other errors.
:param container: A routine container
:param size: maxi... | read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def read(self, container=None, size=None):\n \"\"\"\n Coroutine method to read from the stream and return the data. Raises EOFError\n when the... |
def x(self, size=None):
if self.eof:
raise EOFError
if self.errored:
raise IOError('Stream is broken before EOF')
if size is not None and size < len(self.data) - self.pos:
ret = self.data[self.pos:self.pos + size]
self.pos += size
return ret
else:
ret = se... | readonce | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size=None):\n if self.eof:\n raise EOFError\n if self.errored:\n raise IOError('Stream is broken before EOF')\n if size is not Non... |
async def readline(self, container=None, size=None):
"""
Coroutine method which reads the next line or until EOF or size exceeds
"""
ret = []
retsize = 0
if self.eof:
raise EOFError
if self.errored:
raise IOError('Stream is broken before EOF')
while size is None o... | readline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def readline(self, container=None, size=None):\n \"\"\"\n Coroutine method which reads the next line or until EOF or size exceeds\n \"\"\"\n ... |
async def copy_to(self, dest, container, buffering=True):
"""
Coroutine method to copy content from this stream to another stream.
"""
if self.eof:
await dest.write(u'' if self.isunicode else b'', True)
elif self.errored:
await dest.error(container)
else:
try:
... | copy_to | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def copy_to(self, dest, container, buffering=True):\n \"\"\"\n Coroutine method to copy content from this stream to another stream.\n \"\"\"\n... |
async def write(self, data, container, eof=False, ignoreexception=False,
buffering=True, split=True):
"""
Coroutine method to write data to this stream.
:param data: data to write
:param container: the routine container
:param eof: if True, this is the ... | write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def write(self, data, container, eof=False, ignoreexception=False,\n buffering=True, split=True):\n \"\"\"\n Coroutine method to write data to thi... |
def x(self, matcher, create=False):
if matcher is None:
return self
current = self
for i in range(self.depth, len(matcher.indices)):
ind = matcher.indices[i]
if ind is None:
if hasattr(current, 'any'):
current = current.any
elif create:
... | subtree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matcher, create=False):\n if matcher is None:\n return self\n current = self\n for i in range(self.depth, len(matcher.indices)):\n ... |
def x(self, matcher, obj):
current = self.subtree(matcher, True)
if current._use_dict:
current.matchers_dict[obj, matcher] = None
else:
current.matchers_list.append((obj, matcher))
return current
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matcher, obj):\n current = self.subtree(matcher, True)\n if current._use_dict:\n current.matchers_dict[obj, matcher] = None\n else:\n ... |
def x(self, matcher, obj):
current = self.subtree(matcher, False)
if current is None:
return
if current._use_dict:
try:
del current.matchers_dict[obj, matcher]
except KeyError:
pass
elif len(current.matchers_list) > 10:
current.matchers_dict = Orde... | remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matcher, obj):\n current = self.subtree(matcher, False)\n if current is None:\n return\n if current._use_dict:\n try:\n ... |
def x(self, event):
ret = []
self._matches(event, set(), ret)
return tuple(ret)
| matchesWithMatchers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n ret = []\n self._matches(event, set(), ret)\n return tuple(ret)\n",
"role": "user"
},
{
"content": "matchesWithMatchers",
... |
def x(self, event):
ret = []
self._matches(event, set(), ret)
return tuple(r[0] for r in ret)
| matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n ret = []\n self._matches(event, set(), ret)\n return tuple(r[0] for r in ret)\n",
"role": "user"
},
{
"content": "matches"... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.