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 self.container, buffering=False))\n self.outputstream = Stream(writebufferlimit=None)\n",
"role": "user"
},
{
"content": "bufferoutput",
"role": "assistant"
}
] |
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) >= getattr(self.protocol,
'rewritedepthlimit', 32):
raise HttpRewriteLoopException
newpath = urljoin(quote_from_bytes(self.path).encode('ascii'), path)
if newpath == self.fullpath or newpath == self.originalpath:
raise HttpRewriteLoopException
extraparams = {}
if keepresponse:
if hasattr(self, 'status'):
extraparams['status'] = self.status
extraparams['sent_headers'] = self.sent_headers
extraparams['sent_cookies'] = self.sent_cookies
r = HttpRequestEvent(self.host, newpath, self.method if method is None else
method, self.connection, self.connmark, self.xid, self.protocol,
headers=self.headers, headerdict=self.headerdict, setcookies=self.
setcookies, stream=self.inputstream, rewritefrom=self.fullpath,
originalpath=self.originalpath, rewritedepth=getattr(self.event,
'rewritedepth', 0) + 1, **extraparams)
await self.connection.wait_for_send(r)
self._sendHeaders = True
self.outputstream = None
|
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 self._sendHeaders:\n raise HttpProtocolException(\n 'Cannot modify response, headers already sent')\n if getattr(self.event, 'rewritedepth', 0) >= getattr(self.protocol,\n 'rewritedepthlimit', 32):\n raise HttpRewriteLoopException\n newpath = urljoin(quote_from_bytes(self.path).encode('ascii'), path)\n if newpath == self.fullpath or newpath == self.originalpath:\n raise HttpRewriteLoopException\n extraparams = {}\n if keepresponse:\n if hasattr(self, 'status'):\n extraparams['status'] = self.status\n extraparams['sent_headers'] = self.sent_headers\n extraparams['sent_cookies'] = self.sent_cookies\n r = HttpRequestEvent(self.host, newpath, self.method if method is None else\n method, self.connection, self.connmark, self.xid, self.protocol,\n headers=self.headers, headerdict=self.headerdict, setcookies=self.\n setcookies, stream=self.inputstream, rewritefrom=self.fullpath,\n originalpath=self.originalpath, rewritedepth=getattr(self.event,\n 'rewritedepth', 0) + 1, **extraparams)\n await self.connection.wait_for_send(r)\n self._sendHeaders = True\n self.outputstream = None\n",
"role": "user"
},
{
"content": "rewrite",
"role": "assistant"
}
] |
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)])
await self.write(b'<a href="' + self.escape(location, True) + b'">' +
self.escape(location) + b'</a>')
await self.flush(True)
|
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' if self.https else b'http',\n self.host, quote_from_bytes(self.path).encode('ascii'), '', '')), path)\n self.start_response(status, [(b'Location', location)])\n await self.write(b'<a href=\"' + self.escape(location, True) + b'\">' +\n self.escape(location) + b'</a>')\n await self.flush(True)\n",
"role": "user"
},
{
"content": "redirect",
"role": "assistant"
}
] |
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",
"role": "user"
},
{
"content": "nl2br",
"role": "assistant"
}
] |
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": "user"
},
{
"content": "escape",
"role": "assistant"
}
] |
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()
if exc:
await self.write('<span style="white-space:pre-wrap">\n',
buffering=False)
await self.writelines((self.nl2br(self.escape(v)) for v in
traceback.format_exception(typ, exc, tb)), buffering=False)
await self.write('</span>\n', close, False)
elif allowredirect and status in self.protocol.errorrewrite:
await self.rewrite(self.protocol.errorrewrite[status], b'GET')
elif allowredirect and status in self.protocol.errorredirect:
await self.redirect(self.protocol.errorredirect[status])
else:
self.start_response(status, headers)
typ, exc, tb = sys.exc_info()
if showerror and exc:
await self.write('<span style="white-space:pre-wrap">\n',
buffering=False)
await self.writelines((self.nl2br(self.escape(v)) for v in
traceback.format_exception(typ, exc, tb)), buffering=False)
await self.write('</span>\n', close, False)
else:
await self.write(b'<h1>' + _createstatus(status) + b'</h1>',
close, False)
|
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 \"\"\"\n if showerror is None:\n showerror = self.showerrorinfo\n if self._sendHeaders:\n if showerror:\n typ, exc, tb = sys.exc_info()\n if exc:\n await self.write('<span style=\"white-space:pre-wrap\">\\n',\n buffering=False)\n await self.writelines((self.nl2br(self.escape(v)) for v in\n traceback.format_exception(typ, exc, tb)), buffering=False)\n await self.write('</span>\\n', close, False)\n elif allowredirect and status in self.protocol.errorrewrite:\n await self.rewrite(self.protocol.errorrewrite[status], b'GET')\n elif allowredirect and status in self.protocol.errorredirect:\n await self.redirect(self.protocol.errorredirect[status])\n else:\n self.start_response(status, headers)\n typ, exc, tb = sys.exc_info()\n if showerror and exc:\n await self.write('<span style=\"white-space:pre-wrap\">\\n',\n buffering=False)\n await self.writelines((self.nl2br(self.escape(v)) for v in\n traceback.format_exception(typ, exc, tb)), buffering=False)\n await self.write('</span>\\n', close, False)\n else:\n await self.write(b'<h1>' + _createstatus(status) + b'</h1>',\n close, False)\n",
"role": "user"
},
{
"content": "error",
"role": "assistant"
}
] |
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 isinstance(data, bytes):
data = data.encode(self.encoding)
await self.outputstream.write(data, self.connection, eof, False, buffering)
|
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 self.outputstream = Stream()\n self._startResponse()\n elif (not buffering or eof) and not self._sendHeaders:\n self._startResponse()\n if not isinstance(data, bytes):\n data = data.encode(self.encoding)\n await self.outputstream.write(data, self.connection, eof, False, buffering)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
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 await self.write(l, False, buffering)\n if eof:\n await self.write(b'', eof, buffering)\n",
"role": "user"
},
{
"content": "writelines",
"role": "assistant"
}
] |
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'Content-Length', str(content_length).encode('ascii'))
if disabletransferencoding is not None:
self.disabledeflate = disabletransferencoding
self._startResponse()
|
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 already sent')\n self.outputstream = stream\n try:\n content_length = len(stream)\n except Exception:\n pass\n else:\n self.header(b'Content-Length', str(content_length).encode('ascii'))\n if disabletransferencoding is not None:\n self.disabledeflate = disabletransferencoding\n self._startResponse()\n",
"role": "user"
},
{
"content": "output",
"role": "assistant"
}
] |
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"
},
{
"content": "outputdata",
"role": "assistant"
}
] |
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 not None:
await self.flush(True)
if hasattr(self, 'session') and self.session:
self.session.unlock()
|
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._sendHeaders:\n self._startResponse()\n if self.inputstream is not None:\n self.inputstream.close(self.connection.scheduler)\n if self.outputstream is not None:\n await self.flush(True)\n if hasattr(self, 'session') and self.session:\n self.session.unlock()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
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=1&b=2&b=3 => {'a':1,'b':3}
a[]=1&b[]=2&b[]=3 => {'a':[1],'b':[2,3]}
:param limit: limit total input size, default to 64MB. None = no limit. Note that all the form
data is stored in memory (including upload files), so it is dangerous to accept a very large input.
:param tostr: convert values to str in Python3. Only apply to form, files data are always bytes
:param safename: if True, extra security checks are performed on filenames to reduce known security risks.
"""
if tostr:
def x(s):
try:
if not isinstance(s, str):
return s.decode(self.encoding)
else:
return s
except Exception:
raise HttpInputException('Invalid encoding in post data: ' +
repr(s))
else:
def x(s):
return s
try:
form = {}
files = {}
if b'content-type' in self.headerdict and self.inputstream is not None:
contenttype = self.headerdict[b'content-type']
m = Message()
try:
m.add_header('Content-Type', str(contenttype.decode('ascii')))
except UnicodeDecodeError:
raise HttpInputException(
'Content-Type has non-ascii characters')
if m.get_content_type() == 'multipart/form-data':
fp = BytesFeedParser()
fp.feed(b'Content-Type: ' + contenttype + b'\r\n\r\n')
total_length = 0
while True:
try:
await self.inputstream.prepareRead(self.container)
data = self.inputstream.readonce()
total_length += len(data)
if limit is not None and total_length > limit:
raise HttpInputException('Data is too large')
fp.feed(data)
except EOFError:
break
msg = fp.close()
if not msg.is_multipart() or msg.defects:
raise HttpInputException(
'Not valid multipart/form-data format')
for part in msg.get_payload():
if part.is_multipart() or part.defects:
raise HttpInputException(
'Not valid multipart/form-data format')
disposition = part.get_params(header='content-disposition')
if not disposition:
raise HttpInputException(
'Not valid multipart/form-data format')
disposition = dict(disposition)
if ('form-data' not in disposition or 'name' not in
disposition):
raise HttpInputException(
'Not valid multipart/form-data format')
if 'filename' in disposition:
name = disposition['name']
filename = disposition['filename']
if safename:
filename = _safename(filename)
if name.endswith('[]'):
files.setdefault(name[:-2], []).append({
'filename': filename, 'content': part.
get_payload(decode=True)})
else:
files[name] = {'filename': filename, 'content':
part.get_payload(decode=True)}
else:
name = disposition['name']
if name.endswith('[]'):
form.setdefault(name[:-2], []).append(_str(part
.get_payload(decode=True)))
else:
form[name] = _str(part.get_payload(decode=True))
elif m.get_content_type(
) == 'application/x-www-form-urlencoded' or m.get_content_type(
) == 'application/x-url-encoded':
if limit is not None:
data = await self.inputstream.read(self.container,
limit + 1)
if len(data) > limit:
raise HttpInputException('Data is too large')
else:
data = await self.inputstream.read(self.container)
result = parse_qs(data, True)
def x(k, v):
try:
k = str(k.decode('ascii'))
except Exception:
raise HttpInputException('Form-data key must be ASCII')
if not k.endswith('[]'):
v = _str(v[-1])
else:
k = k[:-2]
v = [_str(i) for i in v]
return k, v
form = dict(convert(k, v) for k, v in result.items())
else:
pass
self.form = form
self.files = files
except Exception as exc:
raise HttpInputException('Failed to parse form-data: ' + str(exc))
|
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-urlencoded\n In Python3, the keys of form and files are unicode, but values are bytes\n If the key ends with '[]', it is considered to be a list:\n a=1&b=2&b=3 => {'a':1,'b':3}\n a[]=1&b[]=2&b[]=3 => {'a':[1],'b':[2,3]}\n :param limit: limit total input size, default to 64MB. None = no limit. Note that all the form\n data is stored in memory (including upload files), so it is dangerous to accept a very large input.\n :param tostr: convert values to str in Python3. Only apply to form, files data are always bytes\n :param safename: if True, extra security checks are performed on filenames to reduce known security risks.\n \"\"\"\n if tostr:\n\n def x(s):\n try:\n if not isinstance(s, str):\n return s.decode(self.encoding)\n else:\n return s\n except Exception:\n raise HttpInputException('Invalid encoding in post data: ' +\n repr(s))\n else:\n\n def x(s):\n return s\n try:\n form = {}\n files = {}\n if b'content-type' in self.headerdict and self.inputstream is not None:\n contenttype = self.headerdict[b'content-type']\n m = Message()\n try:\n m.add_header('Content-Type', str(contenttype.decode('ascii')))\n except UnicodeDecodeError:\n raise HttpInputException(\n 'Content-Type has non-ascii characters')\n if m.get_content_type() == 'multipart/form-data':\n fp = BytesFeedParser()\n fp.feed(b'Content-Type: ' + contenttype + b'\\r\\n\\r\\n')\n total_length = 0\n while True:\n try:\n await self.inputstream.prepareRead(self.container)\n data = self.inputstream.readonce()\n total_length += len(data)\n if limit is not None and total_length > limit:\n raise HttpInputException('Data is too large')\n fp.feed(data)\n except EOFError:\n break\n msg = fp.close()\n if not msg.is_multipart() or msg.defects:\n raise HttpInputException(\n 'Not valid multipart/form-data format')\n for part in msg.get_payload():\n if part.is_multipart() or part.defects:\n raise HttpInputException(\n 'Not valid multipart/form-data format')\n disposition = part.get_params(header='content-disposition')\n if not disposition:\n raise HttpInputException(\n 'Not valid multipart/form-data format')\n disposition = dict(disposition)\n if ('form-data' not in disposition or 'name' not in\n disposition):\n raise HttpInputException(\n 'Not valid multipart/form-data format')\n if 'filename' in disposition:\n name = disposition['name']\n filename = disposition['filename']\n if safename:\n filename = _safename(filename)\n if name.endswith('[]'):\n files.setdefault(name[:-2], []).append({\n 'filename': filename, 'content': part.\n get_payload(decode=True)})\n else:\n files[name] = {'filename': filename, 'content':\n part.get_payload(decode=True)}\n else:\n name = disposition['name']\n if name.endswith('[]'):\n form.setdefault(name[:-2], []).append(_str(part\n .get_payload(decode=True)))\n else:\n form[name] = _str(part.get_payload(decode=True))\n elif m.get_content_type(\n ) == 'application/x-www-form-urlencoded' or m.get_content_type(\n ) == 'application/x-url-encoded':\n if limit is not None:\n data = await self.inputstream.read(self.container, \n limit + 1)\n if len(data) > limit:\n raise HttpInputException('Data is too large')\n else:\n data = await self.inputstream.read(self.container)\n result = parse_qs(data, True)\n\n def x(k, v):\n try:\n k = str(k.decode('ascii'))\n except Exception:\n raise HttpInputException('Form-data key must be ASCII')\n if not k.endswith('[]'):\n v = _str(v[-1])\n else:\n k = k[:-2]\n v = [_str(i) for i in v]\n return k, v\n form = dict(convert(k, v) for k, v in result.items())\n else:\n pass\n self.form = form\n self.files = files\n except Exception as exc:\n raise HttpInputException('Failed to parse form-data: ' + str(exc))\n",
"role": "user"
},
{
"content": "parseform",
"role": "assistant"
}
] |
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 setcookies:
self.sent_cookies = [c for c in self.sent_cookies if c.key !=
nc.key]
self.sent_cookies.append(nc)
|
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 self.session:\n self.session, setcookies = await call_api(self.container, 'session',\n 'start', {'cookies': self.rawcookie})\n for nc in setcookies:\n self.sent_cookies = [c for c in self.sent_cookies if c.key !=\n nc.key]\n self.sent_cookies.append(nc)\n",
"role": "user"
},
{
"content": "sessionstart",
"role": "assistant"
}
] |
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.session.id})
self.session.unlock()
del self.session
for nc in setcookies:
self.sent_cookies = [c for c in self.sent_cookies if c.key !=
nc.key]
self.sent_cookies.append(nc)
|
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 \"\"\"\n if hasattr(self, 'session') and self.session:\n setcookies = await call_api(self.container, 'session', 'destroy', {\n 'sessionid': self.session.id})\n self.session.unlock()\n del self.session\n for nc in setcookies:\n self.sent_cookies = [c for c in self.sent_cookies if c.key !=\n nc.key]\n self.sent_cookies.append(nc)\n",
"role": "user"
},
{
"content": "sessiondestroy",
"role": "assistant"
}
] |
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'basic':
try:
userpass = base64.b64decode(auth_pair[1])
except Exception:
raise HttpInputException('Invalid base-64 string')
userpass_pair = userpass.split(b':', 1)
if len(userpass_pair) != 2:
raise HttpInputException('Authorization header is malformed')
return userpass_pair
if nofail:
return None, None
else:
self.basicauthfail(realm)
|
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.split(b' ', 1)\n if len(auth_pair) < 2:\n raise HttpInputException('Authorization header is malformed')\n if auth_pair[0].lower() == b'basic':\n try:\n userpass = base64.b64decode(auth_pair[1])\n except Exception:\n raise HttpInputException('Invalid base-64 string')\n userpass_pair = userpass.split(b':', 1)\n if len(userpass_pair) != 2:\n raise HttpInputException('Authorization header is malformed')\n return userpass_pair\n if nofail:\n return None, None\n else:\n self.basicauthfail(realm)\n",
"role": "user"
},
{
"content": "basicauth",
"role": "assistant"
}
] |
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 realm=\"' +\n realm + b'\"')])\n self.exit(b'<h1>' + _createstatus(401) + b'</h1>')\n",
"role": "user"
},
{
"content": "basicauthfail",
"role": "assistant"
}
] |
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.normpath(os.path.join('/', path))\n if os.path.splitdrive(path)[0]:\n raise HttpInputException('Bad path')\n return os.path.join(root, path[1:])\n",
"role": "user"
},
{
"content": "getrealpath",
"role": "assistant"
}
] |
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",
"role": "assistant"
}
] |
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.cookies\n",
"role": "user"
},
{
"content": "cookietostr",
"role": "assistant"
}
] |
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 csrfarg in self.session.vars:\n self.session.vars[csrfarg] = uuid.uuid4().hex\n",
"role": "user"
},
{
"content": "createcsrf",
"role": "assistant"
}
] |
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"
},
{
"content": "outputjson",
"role": "assistant"
}
] |
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 None and getattr(event.createby, 'vhost', '') != vhost:
return False
psplit = urlsplit(event.path)
if psplit.path[:1] != b'/':
return False
if psplit.netloc and host is not None and host != psplit.netloc:
return False
if getattr(event.createby, 'unquoteplus', True):
realpath = unquote_plus_to_bytes(psplit.path)
else:
realpath = unquote_to_bytes(psplit.path)
m = regm.match(realpath)
if m is None:
return False
event.realpath = realpath
event.querystring = psplit.query
event.path_match = m
return True
def x(event, scheduler):
try:
if event.canignore:
return
event.canignore = True
c = event.connection if container is None else container
c.subroutine(routinemethod(event), False)
except Exception:
pass
for m in method:
self.registerHandler(HttpRequestEvent.createMatcher(host, None, m,
_ismatch=ismatch), func)
|
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 vhost = self.vhost\n if container is None:\n container = getattr(routinemethod, '__self__', None)\n\n def x(event):\n if vhost is not None and getattr(event.createby, 'vhost', '') != vhost:\n return False\n psplit = urlsplit(event.path)\n if psplit.path[:1] != b'/':\n return False\n if psplit.netloc and host is not None and host != psplit.netloc:\n return False\n if getattr(event.createby, 'unquoteplus', True):\n realpath = unquote_plus_to_bytes(psplit.path)\n else:\n realpath = unquote_to_bytes(psplit.path)\n m = regm.match(realpath)\n if m is None:\n return False\n event.realpath = realpath\n event.querystring = psplit.query\n event.path_match = m\n return True\n\n def x(event, scheduler):\n try:\n if event.canignore:\n return\n event.canignore = True\n c = event.connection if container is None else container\n c.subroutine(routinemethod(event), False)\n except Exception:\n pass\n for m in method:\n self.registerHandler(HttpRequestEvent.createMatcher(host, None, m,\n _ismatch=ismatch), func)\n",
"role": "user"
},
{
"content": "routeevent",
"role": "assistant"
}
] |
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)(routinemethod), container,\n host, vhost, method)\n",
"role": "user"
},
{
"content": "route",
"role": "assistant"
}
] |
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 = True
else:
haskwargs = False
arguments = code.co_varnames[1:code.co_argcount]
if hasattr(routinemethod, '__self__') and routinemethod.__self__:
arguments = arguments[1:]
if hasattr(routinemethod, '__defaults__') and routinemethod.__defaults__:
requires = arguments[:-len(routinemethod.__defaults__)]
else:
requires = arguments[:]
async def handler(env):
if tostr:
def x(s):
if not isinstance(s, str):
return s.decode(env.encoding)
else:
return s
else:
def x(s):
return s
if tostr:
env.argstostr()
env.cookietostr()
if env.method == b'POST':
await env.parseform(formlimit, tostr)
argfrom = env.form
else:
env.form = {}
env.files = {}
argfrom = env.args
args = []
kwargs = dict(argfrom)
def x(k):
if k in kwargs:
del kwargs[k]
def x(k, source):
if k in source:
kwargs[k] = source[k]
else:
discard(k)
try:
ps = 0
for ma in matchargs:
v = _str(env.path_match.group(ma))
if v is not None:
if isinstance(ma, str):
kwargs[ma] = v
else:
args.append(v)
ps += 1
elif isinstance(ma, str):
discard(ma)
else:
if ps < len(arguments):
discard(arguments[ps])
ps += 1
for fa in fileargs:
extract(fa, env.files)
if env.method == b'POST':
for qa in queryargs:
extract(qa, env.args)
for ca in cookieargs:
extract(ca, env.cookies)
if csrfcheck:
if csrfarg not in kwargs:
raise HttpInputException('CSRF check failed')
await env.sessionstart()
if env.session.vars[csrfarg] != kwargs[csrfarg]:
raise HttpInputException('CSRF check failed')
if sessionargs:
await env.sessionstart()
for sa in sessionargs:
extract(sa, env.session.vars)
for k in requires[ps:]:
if k not in kwargs:
raise HttpInputException('Argument "' + k + '" is required'
)
for k in requires[:ps]:
if k in kwargs:
del kwargs[k]
if not haskwargs:
validargs = arguments[ps:]
kwargs = dict((k, v) for k, v in kwargs.items() if k in
validargs)
r = routinemethod(env, *args, **kwargs)
except KeyError as exc:
raise HttpInputException('Missing argument: ' + str(exc))
except Exception as exc:
raise HttpInputException(str(exc))
if r:
return await r
self.route(path, handler, container, host, vhost, method)
|
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=(), sessionargs=(), csrfcheck=False, csrfarg='_csrf',\n formlimit=67108864):\n code = routinemethod.__code__\n if code.co_flags & 8:\n haskwargs = True\n else:\n haskwargs = False\n arguments = code.co_varnames[1:code.co_argcount]\n if hasattr(routinemethod, '__self__') and routinemethod.__self__:\n arguments = arguments[1:]\n if hasattr(routinemethod, '__defaults__') and routinemethod.__defaults__:\n requires = arguments[:-len(routinemethod.__defaults__)]\n else:\n requires = arguments[:]\n\n async def handler(env):\n if tostr:\n\n def x(s):\n if not isinstance(s, str):\n return s.decode(env.encoding)\n else:\n return s\n else:\n\n def x(s):\n return s\n if tostr:\n env.argstostr()\n env.cookietostr()\n if env.method == b'POST':\n await env.parseform(formlimit, tostr)\n argfrom = env.form\n else:\n env.form = {}\n env.files = {}\n argfrom = env.args\n args = []\n kwargs = dict(argfrom)\n\n def x(k):\n if k in kwargs:\n del kwargs[k]\n\n def x(k, source):\n if k in source:\n kwargs[k] = source[k]\n else:\n discard(k)\n try:\n ps = 0\n for ma in matchargs:\n v = _str(env.path_match.group(ma))\n if v is not None:\n if isinstance(ma, str):\n kwargs[ma] = v\n else:\n args.append(v)\n ps += 1\n elif isinstance(ma, str):\n discard(ma)\n else:\n if ps < len(arguments):\n discard(arguments[ps])\n ps += 1\n for fa in fileargs:\n extract(fa, env.files)\n if env.method == b'POST':\n for qa in queryargs:\n extract(qa, env.args)\n for ca in cookieargs:\n extract(ca, env.cookies)\n if csrfcheck:\n if csrfarg not in kwargs:\n raise HttpInputException('CSRF check failed')\n await env.sessionstart()\n if env.session.vars[csrfarg] != kwargs[csrfarg]:\n raise HttpInputException('CSRF check failed')\n if sessionargs:\n await env.sessionstart()\n for sa in sessionargs:\n extract(sa, env.session.vars)\n for k in requires[ps:]:\n if k not in kwargs:\n raise HttpInputException('Argument \"' + k + '\" is required'\n )\n for k in requires[:ps]:\n if k in kwargs:\n del kwargs[k]\n if not haskwargs:\n validargs = arguments[ps:]\n kwargs = dict((k, v) for k, v in kwargs.items() if k in\n validargs)\n r = routinemethod(env, *args, **kwargs)\n except KeyError as exc:\n raise HttpInputException('Missing argument: ' + str(exc))\n except Exception as exc:\n raise HttpInputException(str(exc))\n if r:\n return await r\n self.route(path, handler, container, host, vhost, method)\n",
"role": "user"
},
{
"content": "routeargs",
"role": "assistant"
}
] |
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": "assistant"
}
] |
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'&' + env.querystring
else:
newpath += b'?' + env.querystring
await env.rewrite(newpath, newmethod)
self.route(path, func)
|
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.expand(env.path_match, expand)\n if keepquery and getattr(env, 'querystring', None):\n if b'?' in newpath:\n newpath += b'&' + env.querystring\n else:\n newpath += b'?' + env.querystring\n await env.rewrite(newpath, newmethod)\n self.route(path, func)\n",
"role": "user"
},
{
"content": "rewrite",
"role": "assistant"
}
] |
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 decorator
|
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 func.route_host = host\n func.route_vhost = vhost\n func.route_method = method\n func.route_kwargs = kwargs\n return func\n return decorator\n",
"role": "user"
},
{
"content": "routeargs",
"role": "assistant"
}
] |
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 except (StopIteration, GeneratorExit_):\n return\n else:\n raise RuntimeError('coroutine ignored GeneratorExit')\n",
"role": "user"
},
{
"content": "close_generator",
"role": "assistant"
}
] |
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)
yield
if container is not None:
container.currentroutine = iterself
if daemon:
scheduler.setDaemon(iterself, True)
try:
matchers = next(iterator)
except StopIteration:
return
while matchers is None:
scheduler.yield_(iterself)
yield
try:
matchers = next(iterator)
except StopIteration:
return
try:
scheduler.register(matchers, iterself)
except Exception:
try:
iterator.throw(IllegalMatchersException(matchers))
except StopIteration:
pass
raise
while True:
try:
etup = yield
except GeneratorExit_:
raise
except:
lmatchers = matchers
t, v, tr = sys.exc_info()
if container is not None:
container.currentroutine = iterself
try:
matchers = iterator.throw(t, v)
except StopIteration:
return
else:
lmatchers = matchers
if container is not None:
container.currentroutine = iterself
try:
matchers = iterator.send(etup)
except StopIteration:
return
while matchers is None:
scheduler.yield_(iterself)
yield
try:
matchers = next(iterator)
except StopIteration:
return
try:
if hasattr(matchers, 'two_way_difference'):
reg, unreg = matchers.two_way_difference(lmatchers)
else:
reg = set(matchers).difference(lmatchers)
unreg = set(lmatchers).difference(matchers)
scheduler.register(reg, iterself)
scheduler.unregister(unreg, iterself)
except Exception:
try:
iterator.throw(IllegalMatchersException(matchers))
except StopIteration:
pass
raise
finally:
if container is not None:
lastcurrentroutine = getattr(container, 'currentroutine', None)
container.currentroutine = iterself
else:
lastcurrentroutine = None
_close_generator(coroutine)
if container is not None:
container.currentroutine = lastcurrentroutine
scheduler.unregisterall(iterself)
r = generatorwrapper(run())
next(r)
r.send(r)
return r
|
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 iterself = yield\n if manualStart:\n yield\n try:\n if asyncStart:\n scheduler.yield_(iterself)\n yield\n if container is not None:\n container.currentroutine = iterself\n if daemon:\n scheduler.setDaemon(iterself, True)\n try:\n matchers = next(iterator)\n except StopIteration:\n return\n while matchers is None:\n scheduler.yield_(iterself)\n yield\n try:\n matchers = next(iterator)\n except StopIteration:\n return\n try:\n scheduler.register(matchers, iterself)\n except Exception:\n try:\n iterator.throw(IllegalMatchersException(matchers))\n except StopIteration:\n pass\n raise\n while True:\n try:\n etup = yield\n except GeneratorExit_:\n raise\n except:\n lmatchers = matchers\n t, v, tr = sys.exc_info()\n if container is not None:\n container.currentroutine = iterself\n try:\n matchers = iterator.throw(t, v)\n except StopIteration:\n return\n else:\n lmatchers = matchers\n if container is not None:\n container.currentroutine = iterself\n try:\n matchers = iterator.send(etup)\n except StopIteration:\n return\n while matchers is None:\n scheduler.yield_(iterself)\n yield\n try:\n matchers = next(iterator)\n except StopIteration:\n return\n try:\n if hasattr(matchers, 'two_way_difference'):\n reg, unreg = matchers.two_way_difference(lmatchers)\n else:\n reg = set(matchers).difference(lmatchers)\n unreg = set(lmatchers).difference(matchers)\n scheduler.register(reg, iterself)\n scheduler.unregister(unreg, iterself)\n except Exception:\n try:\n iterator.throw(IllegalMatchersException(matchers))\n except StopIteration:\n pass\n raise\n finally:\n if container is not None:\n lastcurrentroutine = getattr(container, 'currentroutine', None)\n container.currentroutine = iterself\n else:\n lastcurrentroutine = None\n _close_generator(coroutine)\n if container is not None:\n container.currentroutine = lastcurrentroutine\n scheduler.unregisterall(iterself)\n r = generatorwrapper(run())\n next(r)\n r.send(r)\n return r\n",
"role": "user"
},
{
"content": "Routine",
"role": "assistant"
}
] |
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"
},
{
"content": "registerHandler",
"role": "assistant"
}
] |
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 else:\n self.scheduler.register(tuple(h[0] for h in handlerDict), self)\n self._setDaemon()\n",
"role": "user"
},
{
"content": "registerAllHandlers",
"role": "assistant"
}
] |
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 next(r)\n except StopIteration:\n pass\n return r\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
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
self.currentroutine = currentroutine
return r
|
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:\n setattr(self, name, r)\n currentroutine = getattr(self, 'currentroutine', None)\n try:\n next(r)\n except StopIteration:\n pass\n self.currentroutine = currentroutine\n return r\n",
"role": "user"
},
{
"content": "subroutine",
"role": "assistant"
}
] |
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 True:
if until:
r = until()
if r:
return r
waiter = self.scheduler.send(event)
if waiter is None:
break
await waiter
|
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 until: if the callback returns True, stop sending and return\n \n :return: the last True value the callback returns, or None\n \"\"\"\n while True:\n if until:\n r = until()\n if r:\n return r\n waiter = self.scheduler.send(event)\n if waiter is None:\n break\n await waiter\n",
"role": "user"
},
{
"content": "wait_for_send",
"role": "assistant"
}
] |
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 = None.
"""
if timeout is None:
ev, m = await M_(*matchers)
return False, ev, m
else:
th = self.scheduler.setTimer(timeout)
try:
tm = TimerEvent.createMatcher(th)
ev, m = await M_(*(tuple(matchers) + (tm,)))
if m is tm:
return True, None, None
else:
return False, ev, m
finally:
self.scheduler.cancelTimer(th)
|
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 timeout value\n \n :param \\\\*matchers: event matchers\n \n :return: (is_timeout, event, matcher). When is_timeout = True, event = matcher = None.\n \"\"\"\n if timeout is None:\n ev, m = await M_(*matchers)\n return False, ev, m\n else:\n th = self.scheduler.setTimer(timeout)\n try:\n tm = TimerEvent.createMatcher(th)\n ev, m = await M_(*(tuple(matchers) + (tm,)))\n if m is tm:\n return True, None, None\n else:\n return False, ev, m\n finally:\n self.scheduler.cancelTimer(th)\n",
"role": "user"
},
{
"content": "wait_with_timeout",
"role": "assistant"
}
] |
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 functions to create time limit for them::
timeout, result = await container.execute_with_timeout(10, container.execute_all([routine1(), routine2()]))
:return: (is_timeout, result) When is_timeout = True, result = None
"""
if timeout is None:
return False, await subprocess
else:
th = self.scheduler.setTimer(timeout)
try:
tm = TimerEvent.createMatcher(th)
try:
r = await self.with_exception(subprocess, tm)
except RoutineException as exc:
if exc.matcher is tm:
return True, None
else:
raise
else:
return False, r
finally:
self.scheduler.cancelTimer(th)
|
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 terminated,\n and `is_timeout` is set to True; otherwise the `is_timeout` is set to False.\n \n You can uses `execute_with_timeout` with other help functions to create time limit for them::\n \n timeout, result = await container.execute_with_timeout(10, container.execute_all([routine1(), routine2()]))\n \n :return: (is_timeout, result) When is_timeout = True, result = None\n \"\"\"\n if timeout is None:\n return False, await subprocess\n else:\n th = self.scheduler.setTimer(timeout)\n try:\n tm = TimerEvent.createMatcher(th)\n try:\n r = await self.with_exception(subprocess, tm)\n except RoutineException as exc:\n if exc.matcher is tm:\n return True, None\n else:\n raise\n else:\n return False, r\n finally:\n self.scheduler.cancelTimer(th)\n",
"role": "user"
},
{
"content": "execute_with_timeout",
"role": "assistant"
}
] |
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(matcher, event)
return await self.with_callback(subprocess, _callback, *matchers)
|
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 subprocess ends,\n the subprocess is terminated and a RoutineException is raised.\n \"\"\"\n\n def x(event, matcher):\n raise RoutineException(matcher, event)\n return await self.with_callback(subprocess, _callback, *matchers)\n",
"role": "user"
},
{
"content": "with_exception",
"role": "assistant"
}
] |
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:
if m is None:
try:
yield
except GeneratorExit_:
raise
except:
t, v, tr = sys.exc_info()
try:
m = it_.throw(t, v)
except StopIteration as e:
return e.value
else:
try:
m = next(it_)
except StopIteration as e:
return e.value
else:
while True:
try:
ev, matcher = yield m + tuple(matchers)
except GeneratorExit_:
raise
except:
t, v, tr = sys.exc_info()
try:
m = it_.throw(t, v)
except StopIteration as e:
return e.value
else:
if matcher in matchers:
callback(ev, matcher)
else:
if intercept_callback:
intercept_callback(ev, matcher)
break
try:
m = it_.send((ev, matcher))
except StopIteration as e:
return e.value
finally:
_close_generator(subprocess)
|
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 (yield from it_)\n try:\n try:\n m = next(it_)\n except StopIteration as e:\n return e.value\n while True:\n if m is None:\n try:\n yield\n except GeneratorExit_:\n raise\n except:\n t, v, tr = sys.exc_info()\n try:\n m = it_.throw(t, v)\n except StopIteration as e:\n return e.value\n else:\n try:\n m = next(it_)\n except StopIteration as e:\n return e.value\n else:\n while True:\n try:\n ev, matcher = yield m + tuple(matchers)\n except GeneratorExit_:\n raise\n except:\n t, v, tr = sys.exc_info()\n try:\n m = it_.throw(t, v)\n except StopIteration as e:\n return e.value\n else:\n if matcher in matchers:\n callback(ev, matcher)\n else:\n if intercept_callback:\n intercept_callback(ev, matcher)\n break\n try:\n m = it_.send((ev, matcher))\n except StopIteration as e:\n return e.value\n finally:\n _close_generator(subprocess)\n",
"role": "user"
},
{
"content": "with_callback",
"role": "assistant"
}
] |
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 set to a dictionary
`{matcher1: event1, matcher2: event2, ...}`
:param eventlist: use external event list, so when an exception occurs
(e.g. routine close), you can retrieve the result
from the passed-in list
:param eventdict: use external event dict
:param callback: if not None, the callback should be a callable callback(event, matcher)
which is called each time an event is received
:return: (eventlist, eventdict)
"""
if eventdict is None:
eventdict = {}
if eventlist is None:
eventlist = []
ms = len(matchers)
last_matchers = Diff_(matchers)
while ms:
ev, m = await last_matchers
ms -= 1
if callback:
callback(ev, m)
eventlist.append(ev)
eventdict[m] = ev
last_matchers = Diff_(last_matchers, remove=(m,))
return eventlist, eventdict
|
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 coroutine method returns,\n `eventlist` is set to the list of events in the arriving order (may not\n be the same as the matchers); `eventdict` is set to a dictionary\n `{matcher1: event1, matcher2: event2, ...}`\n \n :param eventlist: use external event list, so when an exception occurs\n (e.g. routine close), you can retrieve the result\n from the passed-in list\n \n :param eventdict: use external event dict\n \n :param callback: if not None, the callback should be a callable callback(event, matcher)\n which is called each time an event is received\n \n :return: (eventlist, eventdict)\n \"\"\"\n if eventdict is None:\n eventdict = {}\n if eventlist is None:\n eventlist = []\n ms = len(matchers)\n last_matchers = Diff_(matchers)\n while ms:\n ev, m = await last_matchers\n ms -= 1\n if callback:\n callback(ev, m)\n eventlist.append(ev)\n eventdict[m] = ev\n last_matchers = Diff_(last_matchers, remove=(m,))\n return eventlist, eventdict\n",
"role": "user"
},
{
"content": "wait_for_all",
"role": "assistant"
}
] |
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
if callback:
callback(event, matcher)
return await self.wait_for_all(*matchers, eventlist=eventlist,
eventdict=eventdict, callback=_callback)
|
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 `canignore=True` for these events. This ensures\n blocking events are processed correctly.\n \"\"\"\n\n def x(event, matcher):\n event.canignore = True\n if callback:\n callback(event, matcher)\n return await self.wait_for_all(*matchers, eventlist=eventlist,\n eventdict=eventdict, callback=_callback)\n",
"role": "user"
},
{
"content": "wait_for_all_to_process",
"role": "assistant"
}
] |
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:
await self.wait_for_all(*matchers)
matchers = [m for m in (q.waitForEmpty() for q in queues) if m is not
None]
|
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 from coroutines running in other containers\n \"\"\"\n matchers = [m for m in (q.waitForEmpty() for q in queues) if m is not None]\n while matchers:\n await self.wait_for_all(*matchers)\n matchers = [m for m in (q.waitForEmpty() for q in queues) if m is not\n None]\n",
"role": "user"
},
{
"content": "wait_for_all_empty",
"role": "assistant"
}
] |
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, _ = yield matcher,\n return ev\n",
"role": "user"
},
{
"content": "syscall_noreturn",
"role": "assistant"
}
] |
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:
return ev.retvalue
|
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.syscall_noreturn(func)\n if hasattr(ev, 'exception'):\n if ignoreException:\n return\n else:\n raise ev.exception[1]\n else:\n return ev.retvalue\n",
"role": "user"
},
{
"content": "syscall",
"role": "assistant"
}
] |
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.
With delegate, you can call a subprocess in any container (or without a container)::
r = await c.delegate(c.someprocess())
:return: original return value
"""
finish, r = self.begin_delegate(subprocess)
return await self.end_delegate(finish, r, forceclose)
|
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 itself running in a specified container, it uses container reference\n like self.events. Calling the subprocess in other containers will fail.\n \n With delegate, you can call a subprocess in any container (or without a container)::\n \n r = await c.delegate(c.someprocess())\n \n :return: original return value\n \"\"\"\n finish, r = self.begin_delegate(subprocess)\n return await self.end_delegate(finish, r, forceclose)\n",
"role": "user"
},
{
"content": "delegate",
"role": "assistant"
}
] |
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 `RoutineFuture` when possible.
"""
try:
ev = await delegate_matcher
if hasattr(ev, 'exception'):
raise ev.exception
else:
return ev.result
finally:
if forceclose and routine:
routine.close()
|
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 after begin_delegate\n before any other `await`, or the result might be lost.\n \n Do not use this method without thinking. Always use `RoutineFuture` when possible.\n \"\"\"\n try:\n ev = await delegate_matcher\n if hasattr(ev, 'exception'):\n raise ev.exception\n else:\n return ev.result\n finally:\n if forceclose and routine:\n routine.close()\n",
"role": "user"
},
{
"content": "end_delegate",
"role": "assistant"
}
] |
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.emergesend(e)
raise
else:
e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,
self.currentroutine, result=r)
await self.wait_for_send(e)
r = self.subroutine(generatorwrapper(delegateroutine(), 'subprocess',
'delegate'), True)
finish = RoutineControlEvent.createMatcher(RoutineControlEvent.
DELEGATE_FINISHED, r)
return finish, r
|
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()\n e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,\n self.currentroutine, exception=val)\n self.scheduler.emergesend(e)\n raise\n else:\n e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,\n self.currentroutine, result=r)\n await self.wait_for_send(e)\n r = self.subroutine(generatorwrapper(delegateroutine(), 'subprocess',\n 'delegate'), True)\n finish = RoutineControlEvent.createMatcher(RoutineControlEvent.\n DELEGATE_FINISHED, r)\n return finish, r\n",
"role": "user"
},
{
"content": "begin_delegate",
"role": "assistant"
}
] |
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)
container.scheduler.emergesend(e)
raise
else:
e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,
container.currentroutine, result=tuple(r if n == '' else
getattr(container, n, None) for n in retnames))
await container.waitForSend(e)
r = container.subroutine(generatorwrapper(delegateroutine(),
'subprocess', 'delegate'), True)
return RoutineControlEvent.createMatcher(RoutineControlEvent.
DELEGATE_FINISHED, r), r
|
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 _, val, _ = sys.exc_info()\n e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,\n container.currentroutine, exception=val)\n container.scheduler.emergesend(e)\n raise\n else:\n e = RoutineControlEvent(RoutineControlEvent.DELEGATE_FINISHED,\n container.currentroutine, result=tuple(r if n == '' else\n getattr(container, n, None) for n in retnames))\n await container.waitForSend(e)\n r = container.subroutine(generatorwrapper(delegateroutine(),\n 'subprocess', 'delegate'), True)\n return RoutineControlEvent.createMatcher(RoutineControlEvent.\n DELEGATE_FINISHED, r), r\n",
"role": "user"
},
{
"content": "begin_delegate_other",
"role": "assistant"
}
] |
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 = await self.delegate_other(c.method(), c)
:return: a tuple for retnames values
"""
finish, r = self.beginDelegateOther(subprocess, container, retnames)
return await self.end_delegate(finish, r, forceclose)
|
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 delegate a subprocess in another container, and get some returning values\n the subprocess is actually running in 'container'. ::\n \n ret = await self.delegate_other(c.method(), c)\n \n :return: a tuple for retnames values\n \n \"\"\"\n finish, r = self.beginDelegateOther(subprocess, container, retnames)\n return await self.end_delegate(finish, r, forceclose)\n",
"role": "user"
},
{
"content": "delegate_other",
"role": "assistant"
}
] |
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 subprocesses in another container.
:param retnames: DEPRECATED get return value from container.(name) for each name in retnames.
'' for return value (to be compatible with earlier versions)
:param forceclose: force close the routines on exit, so all the subprocesses are terminated
on timeout if used with executeWithTimeout
:returns: a list of tuples, one for each subprocess, with value of retnames inside:
`[('retvalue1',),('retvalue2',),...]`
"""
if not subprocesses:
return []
subprocesses = list(subprocesses)
if len(subprocesses) == 1 and (container is None or container is self
) and forceclose:
return [await subprocesses[0]]
if container is None:
container = self
delegates = [self.begin_delegate_other(p, container, retnames) for p in
subprocesses]
matchers = [d[0] for d in delegates]
try:
_, eventdict = await self.wait_for_all(*matchers)
events = [eventdict[m] for m in matchers]
exceptions = [e.exception for e in events if hasattr(e, 'exception')]
if exceptions:
if len(exceptions) == 1:
raise exceptions[0]
else:
raise MultipleException(exceptions)
return [e.result for e in events]
finally:
if forceclose:
for d in delegates:
try:
container.terminate(d[1])
except Exception:
pass
|
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 and get the return values.\n \n :param subprocesses: sequence of subroutines (coroutines)\n \n :param container: if specified, run subprocesses in another container.\n \n :param retnames: DEPRECATED get return value from container.(name) for each name in retnames.\n '' for return value (to be compatible with earlier versions)\n \n :param forceclose: force close the routines on exit, so all the subprocesses are terminated\n on timeout if used with executeWithTimeout\n \n :returns: a list of tuples, one for each subprocess, with value of retnames inside:\n `[('retvalue1',),('retvalue2',),...]`\n \"\"\"\n if not subprocesses:\n return []\n subprocesses = list(subprocesses)\n if len(subprocesses) == 1 and (container is None or container is self\n ) and forceclose:\n return [await subprocesses[0]]\n if container is None:\n container = self\n delegates = [self.begin_delegate_other(p, container, retnames) for p in\n subprocesses]\n matchers = [d[0] for d in delegates]\n try:\n _, eventdict = await self.wait_for_all(*matchers)\n events = [eventdict[m] for m in matchers]\n exceptions = [e.exception for e in events if hasattr(e, 'exception')]\n if exceptions:\n if len(exceptions) == 1:\n raise exceptions[0]\n else:\n raise MultipleException(exceptions)\n return [e.result for e in events]\n finally:\n if forceclose:\n for d in delegates:\n try:\n container.terminate(d[1])\n except Exception:\n pass\n",
"role": "user"
},
{
"content": "execute_all_with_names",
"role": "assistant"
}
] |
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
on timeout if used with executeWithTimeout
:returns: a list of return values for each subprocess
"""
if not subprocesses:
return []
subprocesses = list(subprocesses)
if len(subprocesses) == 1 and forceclose:
return [await subprocesses[0]]
delegates = [self.begin_delegate(p) for p in subprocesses]
matchers = [d[0] for d in delegates]
try:
_, eventdict = await self.wait_for_all(*matchers)
events = [eventdict[m] for m in matchers]
exceptions = [e.exception for e in events if hasattr(e, 'exception')]
if exceptions:
if len(exceptions) == 1:
raise exceptions[0]
else:
raise MultipleException(exceptions)
return [e.result for e in events]
finally:
if forceclose:
for d in delegates:
try:
d[1].close()
except Exception:
pass
|
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 subprocesses: sequence of subroutines (coroutines)\n \n :param forceclose: force close the routines on exit, so all the subprocesses are terminated\n on timeout if used with executeWithTimeout\n \n :returns: a list of return values for each subprocess\n \"\"\"\n if not subprocesses:\n return []\n subprocesses = list(subprocesses)\n if len(subprocesses) == 1 and forceclose:\n return [await subprocesses[0]]\n delegates = [self.begin_delegate(p) for p in subprocesses]\n matchers = [d[0] for d in delegates]\n try:\n _, eventdict = await self.wait_for_all(*matchers)\n events = [eventdict[m] for m in matchers]\n exceptions = [e.exception for e in events if hasattr(e, 'exception')]\n if exceptions:\n if len(exceptions) == 1:\n raise exceptions[0]\n else:\n raise MultipleException(exceptions)\n return [e.result for e in events]\n finally:\n if forceclose:\n for d in delegates:\n try:\n d[1].close()\n except Exception:\n pass\n",
"role": "user"
},
{
"content": "execute_all",
"role": "assistant"
}
] |
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._container_cache[scheduler] = c\n return c\n",
"role": "user"
},
{
"content": "get_container",
"role": "assistant"
}
] |
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 decfunc
|
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 args:\n if not hasattr(a, 'referencedBy'):\n a.referencedBy = []\n a.referencedBy.append(cls)\n return cls\n return decfunc\n",
"role": "user"
},
{
"content": "depend",
"role": "assistant"
}
] |
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_discover_info(func), criteria\n",
"role": "user"
},
{
"content": "api",
"role": "assistant"
}
] |
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.get('__name__')\n return proxymodule\n",
"role": "user"
},
{
"content": "proxy",
"role": "assistant"
}
] |
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 = ModuleAPICall(handle, targetname, name, params=params)\n await container.wait_for_send(apiEvent)\n",
"role": "user"
},
{
"content": "send_api",
"role": "assistant"
}
] |
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
:param params: module API parameters, should be a dictionary of `{parameter: value}`
:param timeout: raise an exception if the API call is not returned for a long time
:return: API return value
"""
handle = object()
apiEvent = ModuleAPICall(handle, targetname, name, params=params)
await container.wait_for_send(apiEvent)
replyMatcher = ModuleAPIReply.createMatcher(handle)
timeout_, ev, m = await container.wait_with_timeout(timeout, replyMatcher)
if timeout_:
apiEvent.canignore = True
container.scheduler.ignore(ModuleAPICall.createMatcher(handle))
raise ModuleAPICallTimeoutException('API call timeout')
else:
return get_api_result(ev)
|
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 targetname: module targetname. Usually the lower-cased name of the module class, or 'public' for\n public APIs.\n \n :param name: method name\n \n :param params: module API parameters, should be a dictionary of `{parameter: value}`\n \n :param timeout: raise an exception if the API call is not returned for a long time\n \n :return: API return value\n \"\"\"\n handle = object()\n apiEvent = ModuleAPICall(handle, targetname, name, params=params)\n await container.wait_for_send(apiEvent)\n replyMatcher = ModuleAPIReply.createMatcher(handle)\n timeout_, ev, m = await container.wait_with_timeout(timeout, replyMatcher)\n if timeout_:\n apiEvent.canignore = True\n container.scheduler.ignore(ModuleAPICall.createMatcher(handle))\n raise ModuleAPICallTimeoutException('API call timeout')\n else:\n return get_api_result(ev)\n",
"role": "user"
},
{
"content": "call_api",
"role": "assistant"
}
] |
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 = tuple(ModuleAPIReply.createMatcher(handle) for handle, _ in
apiHandles)
async def process():
for e in apiEvents:
await container.wait_for_send(e)
container.subroutine(process(), False)
eventdict = {}
async def process2():
ms = len(apiMatchers)
matchers = Diff_(apiMatchers)
while ms:
ev, m = await matchers
matchers = Diff_(matchers, remove=(m,))
eventdict[ev.handle] = ev
await container.execute_with_timeout(timeout, process2())
for e in apiEvents:
if e.handle not in eventdict:
e.canignore = True
container.scheduler.ignore(ModuleAPICall.createMatcher(e.handle))
return [eventdict.get(handle, None) for handle, _ in apiHandles]
|
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 api in apis]\n apiEvents = [ModuleAPICall(handle, targetname, name, params=params) for\n handle, (targetname, name, params) in apiHandles]\n apiMatchers = tuple(ModuleAPIReply.createMatcher(handle) for handle, _ in\n apiHandles)\n\n async def process():\n for e in apiEvents:\n await container.wait_for_send(e)\n container.subroutine(process(), False)\n eventdict = {}\n\n async def process2():\n ms = len(apiMatchers)\n matchers = Diff_(apiMatchers)\n while ms:\n ev, m = await matchers\n matchers = Diff_(matchers, remove=(m,))\n eventdict[ev.handle] = ev\n await container.execute_with_timeout(timeout, process2())\n for e in apiEvents:\n if e.handle not in eventdict:\n e.canignore = True\n container.scheduler.ignore(ModuleAPICall.createMatcher(e.handle))\n return [eventdict.get(handle, None) for handle, _ in apiHandles]\n",
"role": "user"
},
{
"content": "batch_call_api",
"role": "assistant"
}
] |
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.update((apidef[0], apidef[3] if len(apidef) > 3 else\n {'description': cleandoc(apidef[1].__doc__)}) for apidef in apidefs)\n",
"role": "user"
},
{
"content": "registerAPIs",
"role": "assistant"
}
] |
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[name] = discoverinfo
|
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 container, criteria))\n if discoverinfo is None:\n self.discoverinfo[name] = {'description': cleandoc(handler.__doc__)}\n else:\n self.discoverinfo[name] = discoverinfo\n",
"role": "user"
},
{
"content": "registerAPI",
"role": "assistant"
}
] |
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.handler.unregisterHandler(m)
|
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\n name = name\n removes = [m for m in self.handler.handlers.keys() if m.target ==\n target and m.name == name]\n for m in removes:\n self.handler.unregisterHandler(m)\n",
"role": "user"
},
{
"content": "unregisterAPI",
"role": "assistant"
}
] |
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.discoverinfo)\n else:\n return dict((k, v.get('description', '')) for k, v in self.\n discoverinfo.items())\n",
"role": "user"
},
{
"content": "discover",
"role": "assistant"
}
] |
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._instance.state == ModuleLoadStateChanged.UNLOADING or
module._instance.state == ModuleLoadStateChanged.UNLOADED):
um = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.UNLOADED)
await um
elif module._instance.state == ModuleLoadStateChanged.SUCCEEDED:
pass
elif module._instance.state == ModuleLoadStateChanged.FAILED:
raise ModuleLoadException(
'Cannot load module %r before unloading the failed instance' %
(module,))
elif module._instance.state == ModuleLoadStateChanged.NOTLOADED or module._instance.state == ModuleLoadStateChanged.LOADED or module._instance.state == ModuleLoadStateChanged.LOADING:
sm = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.SUCCEEDED)
fm = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.FAILED)
_, m = await M_(sm, fm)
if m is sm:
pass
else:
raise ModuleLoadException('Module load failed for %r' % (
module,))
if not hasattr(module, '_instance'):
self._logger.info('Loading module %r', module)
inst = module(self.server)
module._instance = inst
if hasattr(module, 'referencedBy'):
inst.dependedBy = set([m for m in module.referencedBy if
hasattr(m, '_instance') and m._instance.state !=
ModuleLoadStateChanged.UNLOADED])
for d in module.depends:
if hasattr(d, '_instance'
) and d._instance.state == ModuleLoadStateChanged.FAILED:
raise ModuleLoadException(
'Cannot load module %r, it depends on %r, which is in failed state.'
% (module, d))
try:
for d in module.depends:
if hasattr(d, '_instance'
) and d._instance.state == ModuleLoadStateChanged.SUCCEEDED:
d._instance.dependedBy.add(module)
preloads = [d for d in module.depends if not hasattr(d,
'_instance') or d._instance.state != ModuleLoadStateChanged
.SUCCEEDED]
for d in preloads:
self.subroutine(self.loadmodule(d), False)
sms = [ModuleLoadStateChanged.createMatcher(d,
ModuleLoadStateChanged.SUCCEEDED) for d in preloads]
fms = [ModuleLoadStateChanged.createMatcher(d,
ModuleLoadStateChanged.FAILED) for d in preloads]
def x(event, matcher):
raise ModuleLoadException(
'Cannot load module %r, it depends on %r, which is in failed state.'
% (module, event.module))
await self.with_callback(self.wait_for_all(*sms), _callback, *fms)
except:
for d in module.depends:
if hasattr(d, '_instance'
) and module in d._instance.dependedBy:
self._removeDepend(module, d)
self._logger.warning('Loading module %r stopped', module,
exc_info=True)
async def _msg():
await self.wait_for_send(ModuleLoadStateChanged(module,
ModuleLoadStateChanged.UNLOADED, inst))
self.subroutine(_msg(), False)
del module._instance
raise
for d in preloads:
d._instance.dependedBy.add(module)
self.activeModules[inst.getServiceName()] = module
await module._instance.changestate(ModuleLoadStateChanged.LOADING, self
)
await module._instance.load(self)
if (module._instance.state == ModuleLoadStateChanged.LOADED or
module._instance.state == ModuleLoadStateChanged.LOADING):
sm = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.SUCCEEDED)
fm = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.FAILED)
_, m = await M_(sm, fm)
if m is sm:
pass
else:
raise ModuleLoadException('Module load failed for %r' % (
module,))
self._logger.info('Loading module %r completed, module state is %r',
module, module._instance.state)
if module._instance.state == ModuleLoadStateChanged.FAILED:
raise ModuleLoadException('Module load failed for %r' % (module,))
|
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(module, '_instance'):\n self._logger.debug('Module is already initialized, module state is: %r'\n , module._instance.state)\n if (module._instance.state == ModuleLoadStateChanged.UNLOADING or \n module._instance.state == ModuleLoadStateChanged.UNLOADED):\n um = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.UNLOADED)\n await um\n elif module._instance.state == ModuleLoadStateChanged.SUCCEEDED:\n pass\n elif module._instance.state == ModuleLoadStateChanged.FAILED:\n raise ModuleLoadException(\n 'Cannot load module %r before unloading the failed instance' %\n (module,))\n elif module._instance.state == ModuleLoadStateChanged.NOTLOADED or module._instance.state == ModuleLoadStateChanged.LOADED or module._instance.state == ModuleLoadStateChanged.LOADING:\n sm = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.SUCCEEDED)\n fm = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.FAILED)\n _, m = await M_(sm, fm)\n if m is sm:\n pass\n else:\n raise ModuleLoadException('Module load failed for %r' % (\n module,))\n if not hasattr(module, '_instance'):\n self._logger.info('Loading module %r', module)\n inst = module(self.server)\n module._instance = inst\n if hasattr(module, 'referencedBy'):\n inst.dependedBy = set([m for m in module.referencedBy if \n hasattr(m, '_instance') and m._instance.state !=\n ModuleLoadStateChanged.UNLOADED])\n for d in module.depends:\n if hasattr(d, '_instance'\n ) and d._instance.state == ModuleLoadStateChanged.FAILED:\n raise ModuleLoadException(\n 'Cannot load module %r, it depends on %r, which is in failed state.'\n % (module, d))\n try:\n for d in module.depends:\n if hasattr(d, '_instance'\n ) and d._instance.state == ModuleLoadStateChanged.SUCCEEDED:\n d._instance.dependedBy.add(module)\n preloads = [d for d in module.depends if not hasattr(d,\n '_instance') or d._instance.state != ModuleLoadStateChanged\n .SUCCEEDED]\n for d in preloads:\n self.subroutine(self.loadmodule(d), False)\n sms = [ModuleLoadStateChanged.createMatcher(d,\n ModuleLoadStateChanged.SUCCEEDED) for d in preloads]\n fms = [ModuleLoadStateChanged.createMatcher(d,\n ModuleLoadStateChanged.FAILED) for d in preloads]\n\n def x(event, matcher):\n raise ModuleLoadException(\n 'Cannot load module %r, it depends on %r, which is in failed state.'\n % (module, event.module))\n await self.with_callback(self.wait_for_all(*sms), _callback, *fms)\n except:\n for d in module.depends:\n if hasattr(d, '_instance'\n ) and module in d._instance.dependedBy:\n self._removeDepend(module, d)\n self._logger.warning('Loading module %r stopped', module,\n exc_info=True)\n\n async def _msg():\n await self.wait_for_send(ModuleLoadStateChanged(module,\n ModuleLoadStateChanged.UNLOADED, inst))\n self.subroutine(_msg(), False)\n del module._instance\n raise\n for d in preloads:\n d._instance.dependedBy.add(module)\n self.activeModules[inst.getServiceName()] = module\n await module._instance.changestate(ModuleLoadStateChanged.LOADING, self\n )\n await module._instance.load(self)\n if (module._instance.state == ModuleLoadStateChanged.LOADED or \n module._instance.state == ModuleLoadStateChanged.LOADING):\n sm = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.SUCCEEDED)\n fm = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.FAILED)\n _, m = await M_(sm, fm)\n if m is sm:\n pass\n else:\n raise ModuleLoadException('Module load failed for %r' % (\n module,))\n self._logger.info('Loading module %r completed, module state is %r',\n module, module._instance.state)\n if module._instance.state == ModuleLoadStateChanged.FAILED:\n raise ModuleLoadException('Module load failed for %r' % (module,))\n",
"role": "user"
},
{
"content": "loadmodule",
"role": "assistant"
}
] |
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.state)
inst = module._instance
if (inst.state == ModuleLoadStateChanged.LOADING or inst.state ==
ModuleLoadStateChanged.LOADED):
sm = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.SUCCEEDED)
fm = ModuleLoadStateChanged.createMatcher(module._instance.
target, ModuleLoadStateChanged.FAILED)
await M_(sm, fm)
elif inst.state == ModuleLoadStateChanged.UNLOADING or inst.state == ModuleLoadStateChanged.UNLOADED:
um = ModuleLoadStateChanged.createMatcher(module,
ModuleLoadStateChanged.UNLOADED)
await um
if hasattr(module, '_instance') and (module._instance.state ==
ModuleLoadStateChanged.SUCCEEDED or module._instance.state ==
ModuleLoadStateChanged.FAILED):
self._logger.info('Unloading module %r', module)
inst = module._instance
await inst.changestate(ModuleLoadStateChanged.UNLOADING, self)
if not ignoreDependencies:
deps = [d for d in inst.dependedBy if hasattr(d, '_instance') and
d._instance.state != ModuleLoadStateChanged.UNLOADED]
ums = [ModuleLoadStateChanged.createMatcher(d,
ModuleLoadStateChanged.UNLOADED) for d in deps]
for d in deps:
self.subroutine(self.unloadmodule(d), False)
await self.wait_for_all(*ums)
await inst.unload(self)
del self.activeModules[inst.getServiceName()]
self._logger.info('Module %r is unloaded', module)
if not ignoreDependencies:
for d in module.depends:
if hasattr(d, '_instance'
) and module in d._instance.dependedBy:
self._removeDepend(module, d)
|
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 module %r', module)\n if hasattr(module, '_instance'):\n self._logger.debug('Module %r is loaded, module state is %r',\n module, module._instance.state)\n inst = module._instance\n if (inst.state == ModuleLoadStateChanged.LOADING or inst.state ==\n ModuleLoadStateChanged.LOADED):\n sm = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.SUCCEEDED)\n fm = ModuleLoadStateChanged.createMatcher(module._instance.\n target, ModuleLoadStateChanged.FAILED)\n await M_(sm, fm)\n elif inst.state == ModuleLoadStateChanged.UNLOADING or inst.state == ModuleLoadStateChanged.UNLOADED:\n um = ModuleLoadStateChanged.createMatcher(module,\n ModuleLoadStateChanged.UNLOADED)\n await um\n if hasattr(module, '_instance') and (module._instance.state ==\n ModuleLoadStateChanged.SUCCEEDED or module._instance.state ==\n ModuleLoadStateChanged.FAILED):\n self._logger.info('Unloading module %r', module)\n inst = module._instance\n await inst.changestate(ModuleLoadStateChanged.UNLOADING, self)\n if not ignoreDependencies:\n deps = [d for d in inst.dependedBy if hasattr(d, '_instance') and\n d._instance.state != ModuleLoadStateChanged.UNLOADED]\n ums = [ModuleLoadStateChanged.createMatcher(d,\n ModuleLoadStateChanged.UNLOADED) for d in deps]\n for d in deps:\n self.subroutine(self.unloadmodule(d), False)\n await self.wait_for_all(*ums)\n await inst.unload(self)\n del self.activeModules[inst.getServiceName()]\n self._logger.info('Module %r is unloaded', module)\n if not ignoreDependencies:\n for d in module.depends:\n if hasattr(d, '_instance'\n ) and module in d._instance.dependedBy:\n self._removeDepend(module, d)\n",
"role": "user"
},
{
"content": "unloadmodule",
"role": "assistant"
}
] |
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) + 'is not defined in the package')
except Exception as exc:
raise ModuleLoadException('Cannot load module ' + repr(path) + ': ' +
str(exc))
if module is None:
raise ModuleLoadException('Cannot find module: ' + repr(path))
return await self.loadmodule(module)
|
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 p, module = findModule(path, True)\n except KeyError as exc:\n raise ModuleLoadException('Cannot load module ' + repr(path) + ': ' +\n str(exc) + 'is not defined in the package')\n except Exception as exc:\n raise ModuleLoadException('Cannot load module ' + repr(path) + ': ' +\n str(exc))\n if module is None:\n raise ModuleLoadException('Cannot find module: ' + repr(path))\n return await self.loadmodule(module)\n",
"role": "user"
},
{
"content": "load_by_path",
"role": "assistant"
}
] |
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))
return await self.unloadmodule(module)
|
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 services.\n \"\"\"\n p, module = findModule(path, False)\n if module is None:\n raise ModuleLoadException('Cannot find module: ' + repr(path))\n return await self.unloadmodule(module)\n",
"role": "user"
},
{
"content": "unload_by_path",
"role": "assistant"
}
] |
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._instance.state != ModuleLoadStateChanged.UNLOADED:
loadedModules.append(module)
ums = [ModuleLoadStateChanged.createMatcher(m, ModuleLoadStateChanged.
UNLOADED) for m in loadedModules]
for m in loadedModules:
self.subroutine(self.unloadmodule(m, True), False)
await self.wait_for_all(*ums)
grouped = {}
for path in pathlist:
dotpos = path.rfind('.')
if dotpos == -1:
raise ModuleLoadException(
'Must specify module with full path, including package name')
package = path[:dotpos]
classname = path[dotpos + 1:]
mlist = grouped.setdefault(package, [])
p, module = findModule(path, False)
mlist.append((classname, module))
for package, mlist in grouped.items():
try:
p = sys.modules[package]
removeCache(p)
p = reload(p)
except KeyError:
try:
p = __import__(package, fromlist=[m[0] for m in mlist])
except Exception:
self._logger.warning(
'Failed to import a package: %r, resume others',
package, exc_info=True)
failures.append('Failed to import: ' + package)
continue
except Exception:
self._logger.warning(
'Failed to import a package: %r, resume others', package,
exc_info=True)
failures.append('Failed to import: ' + package)
continue
for cn, module in mlist:
try:
module2 = getattr(p, cn)
except AttributeError:
self._logger.warning(
'Cannot find module %r in package %r, resume others',
package, cn)
failures.append('Failed to import: ' + package + '.' + cn)
continue
if module is not None and module is not module2:
try:
lpos = loadedModules.index(module)
loaded = True
except Exception:
loaded = False
for d in module.depends:
d.referencedBy.remove(module)
if loaded and hasattr(d, '_instance'):
try:
d._instance.dependedBy.remove(module)
d._instance.dependedBy.add(module2)
except ValueError:
pass
if hasattr(module, 'referencedBy'):
for d in module.referencedBy:
pos = d.depends.index(module)
d.depends[pos] = module2
if not hasattr(module2, 'referencedBy'):
module2.referencedBy = []
module2.referencedBy.append(d)
if loaded:
loadedModules[lpos] = module2
for m in loadedModules:
self.subroutine(self.loadmodule(m))
if failures:
raise ModuleLoadException(
"""Following errors occurred during reloading, check log for more details:
"""
+ '\n'.join(failures))
|
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 = []\n for path in pathlist:\n p, module = findModule(path, False)\n if module is not None and hasattr(module, '_instance'\n ) and module._instance.state != ModuleLoadStateChanged.UNLOADED:\n loadedModules.append(module)\n ums = [ModuleLoadStateChanged.createMatcher(m, ModuleLoadStateChanged.\n UNLOADED) for m in loadedModules]\n for m in loadedModules:\n self.subroutine(self.unloadmodule(m, True), False)\n await self.wait_for_all(*ums)\n grouped = {}\n for path in pathlist:\n dotpos = path.rfind('.')\n if dotpos == -1:\n raise ModuleLoadException(\n 'Must specify module with full path, including package name')\n package = path[:dotpos]\n classname = path[dotpos + 1:]\n mlist = grouped.setdefault(package, [])\n p, module = findModule(path, False)\n mlist.append((classname, module))\n for package, mlist in grouped.items():\n try:\n p = sys.modules[package]\n removeCache(p)\n p = reload(p)\n except KeyError:\n try:\n p = __import__(package, fromlist=[m[0] for m in mlist])\n except Exception:\n self._logger.warning(\n 'Failed to import a package: %r, resume others',\n package, exc_info=True)\n failures.append('Failed to import: ' + package)\n continue\n except Exception:\n self._logger.warning(\n 'Failed to import a package: %r, resume others', package,\n exc_info=True)\n failures.append('Failed to import: ' + package)\n continue\n for cn, module in mlist:\n try:\n module2 = getattr(p, cn)\n except AttributeError:\n self._logger.warning(\n 'Cannot find module %r in package %r, resume others',\n package, cn)\n failures.append('Failed to import: ' + package + '.' + cn)\n continue\n if module is not None and module is not module2:\n try:\n lpos = loadedModules.index(module)\n loaded = True\n except Exception:\n loaded = False\n for d in module.depends:\n d.referencedBy.remove(module)\n if loaded and hasattr(d, '_instance'):\n try:\n d._instance.dependedBy.remove(module)\n d._instance.dependedBy.add(module2)\n except ValueError:\n pass\n if hasattr(module, 'referencedBy'):\n for d in module.referencedBy:\n pos = d.depends.index(module)\n d.depends[pos] = module2\n if not hasattr(module2, 'referencedBy'):\n module2.referencedBy = []\n module2.referencedBy.append(d)\n if loaded:\n loadedModules[lpos] = module2\n for m in loadedModules:\n self.subroutine(self.loadmodule(m))\n if failures:\n raise ModuleLoadException(\n \"\"\"Following errors occurred during reloading, check log for more details:\n\"\"\"\n + '\\n'.join(failures))\n",
"role": "user"
},
{
"content": "reload_modules",
"role": "assistant"
}
] |
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 %r not exists or is not loaded' % (targetname,))\n else:\n target = self.activeModules[targetname]\n return target\n",
"role": "user"
},
{
"content": "get_module_by_name",
"role": "assistant"
}
] |
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
cls.configbase = base
cls.configkey = base + '.default'
return cls
return decorator
|
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 parentbase = getattr(parent, 'configbase', None)\n if parentbase is None:\n base = key\n else:\n base = parentbase + '.' + key\n cls.configbase = base\n cls.configkey = base + '.default'\n return cls\n return decorator\n",
"role": "user"
},
{
"content": "configbase",
"role": "assistant"
}
] |
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 = parentbase + '.' + key
return cls
return decorator
|
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 parentbase = getattr(parent, 'configbase', None)\n if parentbase is None:\n cls.configkey = key\n else:\n cls.configkey = parentbase + '.' + key\n return cls\n return decorator\n",
"role": "user"
},
{
"content": "config",
"role": "assistant"
}
] |
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:
key = cls.__name__.lower()
cls.configkey = parentbase + '.' + key
return cls
|
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 break\n if parentbase is None:\n base = cls.__name__.lower()\n cls.configbase = base\n cls.configkey = base + '.default'\n else:\n key = cls.__name__.lower()\n cls.configkey = parentbase + '.' + key\n return cls\n",
"role": "user"
},
{
"content": "defaultconfig",
"role": "assistant"
}
] |
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 isinstance(v, ConfigTree):\n for k2 in v.config_keys(sortkey):\n yield k + '.' + k2\n else:\n yield k\n",
"role": "user"
},
{
"content": "config_keys",
"role": "assistant"
}
] |
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 isinstance(v, ConfigTree):\n for k2, v2 in v.config_items(sortkey):\n yield k + '.' + k2, v2\n else:\n yield k, v\n",
"role": "user"
},
{
"content": "config_items",
"role": "assistant"
}
] |
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 isinstance(v, ConfigTree))\n",
"role": "user"
},
{
"content": "config_value_keys",
"role": "assistant"
}
] |
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):
v.loadconfig(getattr(obj, k))
else:
setattr(obj, k, v)
elif not hasattr(obj, k):
setattr(obj, k, v)
|
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():\n if isinstance(v, ConfigTree):\n if hasattr(obj, k) and not isinstance(getattr(obj, k),\n ConfigTree):\n v.loadconfig(getattr(obj, k))\n else:\n setattr(obj, k, v)\n elif not hasattr(obj, k):\n setattr(obj, k, v)\n",
"role": "user"
},
{
"content": "loadconfig",
"role": "assistant"
}
] |
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": "withconfig",
"role": "assistant"
}
] |
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",
"role": "assistant"
}
] |
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__.get(k, defaultvalue)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
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"
},
{
"content": "setdefault",
"role": "assistant"
}
] |
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:\n dict_entry.append((k, v))\n return dict(dict_entry)\n",
"role": "user"
},
{
"content": "todict",
"role": "assistant"
}
] |
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 ls or ls.startswith('#'):
continue
if space.match(l):
if not line_key:
raise ValueError(
'Error format in line %d: first line cannot start with space%s\n'
% (line_no, l))
line_buffer.append(l)
else:
if line_key:
try:
value = ast.literal_eval(''.join(line_buffer))
except Exception:
typ, val, tb = sys.exc_info()
raise ValueError('Error format in line %d(%s: %s):\n%s' %
(last_line_no, typ.__name__, str(val), ''.join(
line_buffer)))
self[line_key] = value
m = line_format.match(l)
if not m:
raise ValueError('Error format in line %d:\n%s' % (line_no, l))
line_key = m.group(1)
last_line_no = line_no
del line_buffer[:]
line_buffer.append(l[m.end():])
if line_key:
try:
value = ast.literal_eval(''.join(line_buffer))
except Exception:
typ, val, tb = sys.exc_info()
raise ValueError('Error format in line %d(%s: %s):\n%s' % (
last_line_no, typ.__name__, str(val), ''.join(line_buffer)))
self[line_key] = value
|
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')\n line_no = 0\n line_buffer = []\n line_key = None\n last_line_no = None\n for l in filelike:\n line_no += 1\n ls = l.strip()\n if not ls or ls.startswith('#'):\n continue\n if space.match(l):\n if not line_key:\n raise ValueError(\n 'Error format in line %d: first line cannot start with space%s\\n'\n % (line_no, l))\n line_buffer.append(l)\n else:\n if line_key:\n try:\n value = ast.literal_eval(''.join(line_buffer))\n except Exception:\n typ, val, tb = sys.exc_info()\n raise ValueError('Error format in line %d(%s: %s):\\n%s' %\n (last_line_no, typ.__name__, str(val), ''.join(\n line_buffer)))\n self[line_key] = value\n m = line_format.match(l)\n if not m:\n raise ValueError('Error format in line %d:\\n%s' % (line_no, l))\n line_key = m.group(1)\n last_line_no = line_no\n del line_buffer[:]\n line_buffer.append(l[m.end():])\n if line_key:\n try:\n value = ast.literal_eval(''.join(line_buffer))\n except Exception:\n typ, val, tb = sys.exc_info()\n raise ValueError('Error format in line %d(%s: %s):\\n%s' % (\n last_line_no, typ.__name__, str(val), ''.join(line_buffer)))\n self[line_key] = value\n",
"role": "user"
},
{
"content": "loadfromfile",
"role": "assistant"
}
] |
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": "assistant"
}
] |
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"
},
{
"content": "savetostr",
"role": "assistant"
}
] |
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"
},
{
"content": "savetofile",
"role": "assistant"
}
] |
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",
"role": "assistant"
}
] |
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": "user"
},
{
"content": "getConfigurableParent",
"role": "assistant"
}
] |
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": "user"
},
{
"content": "getConfigRoot",
"role": "assistant"
}
] |
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
if parent is None:
break
cls = parent
if sortkey:
return sorted(list(ret))
else:
return list(ret)
|
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.union(set(root.config_value_keys()))\n parent = None\n for c in cls.__bases__:\n if issubclass(c, Configurable):\n parent = c\n if parent is None:\n break\n cls = parent\n if sortkey:\n return sorted(list(ret))\n else:\n return list(ret)\n",
"role": "user"
},
{
"content": "config_value_keys",
"role": "assistant"
}
] |
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_items",
"role": "assistant"
}
] |
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 dir(__main__):
m = getattr(__main__, k)
if isinstance(m, type) and issubclass(m, Module
) and m is not Module:
startup.append('__main__.' + k)
manager['server.startup'] = startup
if fork is not None and fork > 1:
if not hasattr(os, 'fork'):
raise ValueError('Fork is not supported in this operating system.')
def x():
s = Server()
s.serve()
def x():
if fork is not None and fork > 1:
import multiprocessing
from time import sleep
sub_procs = []
for i in range(0, fork):
p = multiprocessing.Process(target=start_process)
sub_procs.append(p)
for i in range(0, fork):
sub_procs[i].start()
try:
import signal
def x(sig, frame):
raise SystemExit
signal.signal(signal.SIGTERM, except_return)
signal.signal(signal.SIGINT, except_return)
if hasattr(signal, 'SIGHUP'):
signal.signal(signal.SIGHUP, except_return)
while True:
sleep(2)
for i in range(0, fork):
if sub_procs[i].is_alive():
break
else:
break
finally:
for i in range(0, fork):
if sub_procs[i].is_alive():
sub_procs[i].terminate()
for i in range(0, fork):
sub_procs[i].join()
else:
start_process()
if daemon:
import daemon
if not pidfile:
pidfile = manager.get('daemon.pidfile')
uid = manager.get('daemon.uid')
gid = manager.get('daemon.gid')
if gid is None:
group = manager.get('daemon.group')
if group is not None:
import grp
gid = grp.getgrnam(group)[2]
if uid is None:
import pwd
user = manager.get('daemon.user')
if user is not None:
user_pw = pwd.getpwnam(user)
uid = user_pw.pw_uid
if gid is None:
gid = user_pw.pw_gid
if uid is not None and gid is None:
import pwd
gid = pwd.getpwuid(uid).pw_gid
if pidfile:
import fcntl
class PidLocker(object):
def x(self, path):
self.filepath = path
self.fd = None
def x(self):
self.fd = os.open(pidfile, os.O_WRONLY | os.O_TRUNC |
os.O_CREAT, 420)
fcntl.lockf(self.fd, fcntl.LOCK_EX | fcntl.LOCK_NB)
os.write(self.fd, str(os.getpid()).encode('ascii'))
os.fsync(self.fd)
def x(self, typ, val, tb):
if self.fd:
try:
fcntl.lockf(self.fd, fcntl.LOCK_UN)
except Exception:
pass
os.close(self.fd)
self.fd = None
locker = PidLocker(pidfile)
else:
locker = None
import sys
cwd = os.getcwd()
if cwd not in sys.path:
sys.path.append(cwd)
for m in sys.modules.values():
if getattr(m, '__path__', None):
m.__path__ = [os.path.abspath(p) for p in m.__path__]
if getattr(m, '__file__', None):
m.__file__ = os.path.abspath(m.__file__)
configs = {'gid': gid, 'uid': uid, 'pidfile': locker}
config_filters = ['chroot_directory', 'working_directory', 'umask',
'detach_process', 'prevent_core']
if hasattr(manager, 'daemon'):
configs.update((k, v) for k, v in manager.daemon.
config_value_items() if k in config_filters)
if not hasattr(os, 'initgroups'):
configs['initgroups'] = False
with daemon.DaemonContext(**configs):
main_process()
else:
main_process()
|
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 not None:\n manager['server.startup'] = startup\n if not manager.get('server.startup'):\n startup = []\n import __main__\n for k in dir(__main__):\n m = getattr(__main__, k)\n if isinstance(m, type) and issubclass(m, Module\n ) and m is not Module:\n startup.append('__main__.' + k)\n manager['server.startup'] = startup\n if fork is not None and fork > 1:\n if not hasattr(os, 'fork'):\n raise ValueError('Fork is not supported in this operating system.')\n\n def x():\n s = Server()\n s.serve()\n\n def x():\n if fork is not None and fork > 1:\n import multiprocessing\n from time import sleep\n sub_procs = []\n for i in range(0, fork):\n p = multiprocessing.Process(target=start_process)\n sub_procs.append(p)\n for i in range(0, fork):\n sub_procs[i].start()\n try:\n import signal\n\n def x(sig, frame):\n raise SystemExit\n signal.signal(signal.SIGTERM, except_return)\n signal.signal(signal.SIGINT, except_return)\n if hasattr(signal, 'SIGHUP'):\n signal.signal(signal.SIGHUP, except_return)\n while True:\n sleep(2)\n for i in range(0, fork):\n if sub_procs[i].is_alive():\n break\n else:\n break\n finally:\n for i in range(0, fork):\n if sub_procs[i].is_alive():\n sub_procs[i].terminate()\n for i in range(0, fork):\n sub_procs[i].join()\n else:\n start_process()\n if daemon:\n import daemon\n if not pidfile:\n pidfile = manager.get('daemon.pidfile')\n uid = manager.get('daemon.uid')\n gid = manager.get('daemon.gid')\n if gid is None:\n group = manager.get('daemon.group')\n if group is not None:\n import grp\n gid = grp.getgrnam(group)[2]\n if uid is None:\n import pwd\n user = manager.get('daemon.user')\n if user is not None:\n user_pw = pwd.getpwnam(user)\n uid = user_pw.pw_uid\n if gid is None:\n gid = user_pw.pw_gid\n if uid is not None and gid is None:\n import pwd\n gid = pwd.getpwuid(uid).pw_gid\n if pidfile:\n import fcntl\n\n\n class PidLocker(object):\n\n def x(self, path):\n self.filepath = path\n self.fd = None\n\n def x(self):\n self.fd = os.open(pidfile, os.O_WRONLY | os.O_TRUNC |\n os.O_CREAT, 420)\n fcntl.lockf(self.fd, fcntl.LOCK_EX | fcntl.LOCK_NB)\n os.write(self.fd, str(os.getpid()).encode('ascii'))\n os.fsync(self.fd)\n\n def x(self, typ, val, tb):\n if self.fd:\n try:\n fcntl.lockf(self.fd, fcntl.LOCK_UN)\n except Exception:\n pass\n os.close(self.fd)\n self.fd = None\n locker = PidLocker(pidfile)\n else:\n locker = None\n import sys\n cwd = os.getcwd()\n if cwd not in sys.path:\n sys.path.append(cwd)\n for m in sys.modules.values():\n if getattr(m, '__path__', None):\n m.__path__ = [os.path.abspath(p) for p in m.__path__]\n if getattr(m, '__file__', None):\n m.__file__ = os.path.abspath(m.__file__)\n configs = {'gid': gid, 'uid': uid, 'pidfile': locker}\n config_filters = ['chroot_directory', 'working_directory', 'umask',\n 'detach_process', 'prevent_core']\n if hasattr(manager, 'daemon'):\n configs.update((k, v) for k, v in manager.daemon.\n config_value_items() if k in config_filters)\n if not hasattr(os, 'initgroups'):\n configs['initgroups'] = False\n with daemon.DaemonContext(**configs):\n main_process()\n else:\n main_process()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
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
groupchanged = VXLANGroupChanged.createMatcher(self._connection,
networkid, VXLANGroupChanged.UPDATED)
conn_down = self._connection.protocol.statematcher(self._connection)
timeout_, ev, m = await container.wait_with_timeout(timeout,
groupchanged, conn_down)
if timeout_:
raise ValueError(
'VXLAN group is still not created after a long time')
elif m is conn_down:
raise ConnectionResetException
else:
return ev.physicalportid
|
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 self._current_groups:\n return self._current_groups[networkid]\n else:\n if not self._connection.connected:\n raise ConnectionResetException\n groupchanged = VXLANGroupChanged.createMatcher(self._connection,\n networkid, VXLANGroupChanged.UPDATED)\n conn_down = self._connection.protocol.statematcher(self._connection)\n timeout_, ev, m = await container.wait_with_timeout(timeout,\n groupchanged, conn_down)\n if timeout_:\n raise ValueError(\n 'VXLAN group is still not created after a long time')\n elif m is conn_down:\n raise ConnectionResetException\n else:\n return ev.physicalportid\n",
"role": "user"
},
{
"content": "wait_for_group",
"role": "assistant"
}
] |
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: maximum read size, or unlimited if is None
"""
ret = []
retsize = 0
if self.eof:
raise EOFError
if self.errored:
raise IOError('Stream is broken before EOF')
while size is None or retsize < size:
if self.pos >= len(self.data):
await self.prepareRead(container)
if size is None or size - retsize >= len(self.data) - self.pos:
t = self.data[self.pos:]
ret.append(t)
retsize += len(t)
self.pos = len(self.data)
if self.dataeof:
self.eof = True
break
if self.dataerror:
self.errored = True
break
else:
ret.append(self.data[self.pos:self.pos + (size - retsize)])
self.pos += size - retsize
retsize = size
break
if self.isunicode:
return u''.join(ret)
else:
return b''.join(ret)
if self.errored:
raise IOError('Stream is broken before EOF')
|
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 stream end has been reached; raises IOError if there are other errors.\n \n :param container: A routine container\n \n :param size: maximum read size, or unlimited if is None\n \"\"\"\n ret = []\n retsize = 0\n if self.eof:\n raise EOFError\n if self.errored:\n raise IOError('Stream is broken before EOF')\n while size is None or retsize < size:\n if self.pos >= len(self.data):\n await self.prepareRead(container)\n if size is None or size - retsize >= len(self.data) - self.pos:\n t = self.data[self.pos:]\n ret.append(t)\n retsize += len(t)\n self.pos = len(self.data)\n if self.dataeof:\n self.eof = True\n break\n if self.dataerror:\n self.errored = True\n break\n else:\n ret.append(self.data[self.pos:self.pos + (size - retsize)])\n self.pos += size - retsize\n retsize = size\n break\n if self.isunicode:\n return u''.join(ret)\n else:\n return b''.join(ret)\n if self.errored:\n raise IOError('Stream is broken before EOF')\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
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 = self.data[self.pos:]
self.pos = len(self.data)
if self.dataeof:
self.eof = True
return ret
|
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 None and size < len(self.data) - self.pos:\n ret = self.data[self.pos:self.pos + size]\n self.pos += size\n return ret\n else:\n ret = self.data[self.pos:]\n self.pos = len(self.data)\n if self.dataeof:\n self.eof = True\n return ret\n",
"role": "user"
},
{
"content": "readonce",
"role": "assistant"
}
] |
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 or retsize < size:
if self.pos >= len(self.data):
await self.prepareRead(container)
if size is None or size - retsize >= len(self.data) - self.pos:
t = self.data[self.pos:]
if self.isunicode:
p = t.find(u'\n')
else:
p = t.find(b'\n')
if p >= 0:
t = t[0:p + 1]
ret.append(t)
retsize += len(t)
self.pos += len(t)
break
else:
ret.append(t)
retsize += len(t)
self.pos += len(t)
if self.dataeof:
self.eof = True
break
if self.dataerror:
self.errored = True
break
else:
t = self.data[self.pos:self.pos + (size - retsize)]
if self.isunicode:
p = t.find(u'\n')
else:
p = t.find(b'\n')
if p >= 0:
t = t[0:p + 1]
ret.append(t)
self.pos += len(t)
retsize += len(t)
break
if self.isunicode:
return u''.join(ret)
else:
return b''.join(ret)
if self.errored:
raise IOError('Stream is broken before EOF')
|
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 ret = []\n retsize = 0\n if self.eof:\n raise EOFError\n if self.errored:\n raise IOError('Stream is broken before EOF')\n while size is None or retsize < size:\n if self.pos >= len(self.data):\n await self.prepareRead(container)\n if size is None or size - retsize >= len(self.data) - self.pos:\n t = self.data[self.pos:]\n if self.isunicode:\n p = t.find(u'\\n')\n else:\n p = t.find(b'\\n')\n if p >= 0:\n t = t[0:p + 1]\n ret.append(t)\n retsize += len(t)\n self.pos += len(t)\n break\n else:\n ret.append(t)\n retsize += len(t)\n self.pos += len(t)\n if self.dataeof:\n self.eof = True\n break\n if self.dataerror:\n self.errored = True\n break\n else:\n t = self.data[self.pos:self.pos + (size - retsize)]\n if self.isunicode:\n p = t.find(u'\\n')\n else:\n p = t.find(b'\\n')\n if p >= 0:\n t = t[0:p + 1]\n ret.append(t)\n self.pos += len(t)\n retsize += len(t)\n break\n if self.isunicode:\n return u''.join(ret)\n else:\n return b''.join(ret)\n if self.errored:\n raise IOError('Stream is broken before EOF')\n",
"role": "user"
},
{
"content": "readline",
"role": "assistant"
}
] |
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:
while not self.eof:
await self.prepareRead(container)
data = self.readonce()
try:
await dest.write(data, container, self.eof, buffering=
buffering)
except IOError:
break
except:
async def _cleanup():
try:
await dest.error(container)
except IOError:
pass
container.subroutine(_cleanup(), False)
raise
finally:
self.close(container.scheduler)
|
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 if self.eof:\n await dest.write(u'' if self.isunicode else b'', True)\n elif self.errored:\n await dest.error(container)\n else:\n try:\n while not self.eof:\n await self.prepareRead(container)\n data = self.readonce()\n try:\n await dest.write(data, container, self.eof, buffering=\n buffering)\n except IOError:\n break\n except:\n\n async def _cleanup():\n try:\n await dest.error(container)\n except IOError:\n pass\n container.subroutine(_cleanup(), False)\n raise\n finally:\n self.close(container.scheduler)\n",
"role": "user"
},
{
"content": "copy_to",
"role": "assistant"
}
] |
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 last chunk of this stream. The other end will receive an EOF after reading
this chunk.
:param ignoreexception: even if the stream is closed on the other side, do not raise exception.
:param buffering: enable buffering. The written data may not be sent if buffering = True; if buffering = False,
immediately send any data in the buffer together with this chunk.
:param split: enable splitting. If this chunk is too large, the stream is allowed to split it into
smaller chunks for better balancing.
"""
if not ignoreexception:
raise IOError('Stream is closed')
|
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 this stream.\n \n :param data: data to write\n \n :param container: the routine container\n \n :param eof: if True, this is the last chunk of this stream. The other end will receive an EOF after reading\n this chunk.\n \n :param ignoreexception: even if the stream is closed on the other side, do not raise exception.\n \n :param buffering: enable buffering. The written data may not be sent if buffering = True; if buffering = False,\n immediately send any data in the buffer together with this chunk.\n \n :param split: enable splitting. If this chunk is too large, the stream is allowed to split it into\n smaller chunks for better balancing.\n \"\"\"\n if not ignoreexception:\n raise IOError('Stream is closed')\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
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:
cany = MatchTree(current)
cany.parentIndex = None
current.any = cany
current = cany
else:
return None
else:
current2 = current.index.get(ind)
if current2 is None:
if create:
cind = MatchTree(current)
cind.parentIndex = ind
current.index[ind] = cind
current = cind
else:
return None
else:
current = current2
return current
|
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 ind = matcher.indices[i]\n if ind is None:\n if hasattr(current, 'any'):\n current = current.any\n elif create:\n cany = MatchTree(current)\n cany.parentIndex = None\n current.any = cany\n current = cany\n else:\n return None\n else:\n current2 = current.index.get(ind)\n if current2 is None:\n if create:\n cind = MatchTree(current)\n cind.parentIndex = ind\n current.index[ind] = cind\n current = cind\n else:\n return None\n else:\n current = current2\n return current\n",
"role": "user"
},
{
"content": "subtree",
"role": "assistant"
}
] |
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 current.matchers_list.append((obj, matcher))\n return current\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
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 = OrderedDict((v, None) for v in current.
matchers_list if v != (obj, matcher))
current.matchers_list = None
current._use_dict = True
else:
try:
current.matchers_list.remove((obj, matcher))
except ValueError:
pass
while (not current.matchers_dict if current._use_dict else not current.
matchers_list) and not current.matchers_dict and not hasattr(current,
'any') and not current.index and current.parent is not None:
ind = current.parentIndex
if ind is None:
del current.parent.any
else:
del current.parent.index[ind]
p = current.parent
current.parent = None
current = p
|
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 del current.matchers_dict[obj, matcher]\n except KeyError:\n pass\n elif len(current.matchers_list) > 10:\n current.matchers_dict = OrderedDict((v, None) for v in current.\n matchers_list if v != (obj, matcher))\n current.matchers_list = None\n current._use_dict = True\n else:\n try:\n current.matchers_list.remove((obj, matcher))\n except ValueError:\n pass\n while (not current.matchers_dict if current._use_dict else not current.\n matchers_list) and not current.matchers_dict and not hasattr(current,\n 'any') and not current.index and current.parent is not None:\n ind = current.parentIndex\n if ind is None:\n del current.parent.any\n else:\n del current.parent.index[ind]\n p = current.parent\n current.parent = None\n current = p\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
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",
"role": "assistant"
}
] |
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",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.