source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): authn_cookie = request.cookies.get(self.access_cookie_name, default= '[none]') return self.access_cookie_valid(authn_cookie, 'image_authn: auth cookie')
image_authn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n authn_cookie = request.cookies.get(self.access_cookie_name, default=\n '[none]')\n return self.access_cookie_valid(authn_cookie, 'image_authn: auth cookie')\n", "role": "user" }, { "content": "image_authn", "role": "assistant" } ]
def x(self, **args): response = make_response('<html><script>window.close();</script></html>', 200, {'Content-Type': 'text/html'}) response.set_cookie(self.account_cookie_name, expires=0) response.set_cookie(self.access_cookie_name, expires=0) response.headers['Access-Control-Allow-Origin'] = '*' return response
logout_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **args):\n response = make_response('<html><script>window.close();</script></html>',\n 200, {'Content-Type': 'text/html'})\n response.set_cookie(self.account_cookie_name, expires=0)\n response.set_cookie(self.access_cookie_name, expires=0)\n response.headers['Access-Control-Allow-Origin'] = '*'\n return response\n", "role": "user" }, { "content": "logout_handler", "role": "assistant" } ]
def x(self, **args): message_id = request.args.get('messageId', default=None) origin = request.args.get('origin', default='unknown_origin') self.logger.info('access_token_handler: origin = ' + origin) account = request.cookies.get(self.account_cookie_name, default='') token = self.access_token(account) data_str = json.dumps(self.access_token_response(token, message_id)) ct = 'application/json' if message_id is not None: data_str = ( """<html> <body style="margin: 0px;"> <div>postMessage ACCESS TOKEN %s</div> <script> window.parent.postMessage(%s, '%s'); </script> </body> </html> """ % (token, data_str, origin)) ct = 'text/html' response = make_response(data_str, 200, {'Content-Type': ct}) if token: self.logger.info('access_token_handler: setting access token = ' + token) cookie = self.access_cookie(token) self.logger.info('access_token_handler: setting access cookie = ' + cookie) response.set_cookie(self.access_cookie_name, cookie) else: self.logger.info('access_token_handler: auth failed, sending error') response.headers['Access-control-allow-origin'] = '*' return response
access_token_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **args):\n message_id = request.args.get('messageId', default=None)\n origin = request.args.get('origin', default='unknown_origin')\n self.logger.info('access_token_handler: origin = ' + origin)\n account = request.cookies.get(self.account_cookie_name, default='')\n token = self.access_token(account)\n data_str = json.dumps(self.access_token_response(token, message_id))\n ct = 'application/json'\n if message_id is not None:\n data_str = (\n \"\"\"<html>\n<body style=\"margin: 0px;\">\n<div>postMessage ACCESS TOKEN %s</div>\n<script>\nwindow.parent.postMessage(%s, '%s');\n</script>\n</body>\n</html>\n\"\"\"\n % (token, data_str, origin))\n ct = 'text/html'\n response = make_response(data_str, 200, {'Content-Type': ct})\n if token:\n self.logger.info('access_token_handler: setting access token = ' +\n token)\n cookie = self.access_cookie(token)\n self.logger.info('access_token_handler: setting access cookie = ' +\n cookie)\n response.set_cookie(self.access_cookie_name, cookie)\n else:\n self.logger.info('access_token_handler: auth failed, sending error')\n response.headers['Access-control-allow-origin'] = '*'\n return response\n", "role": "user" }, { "content": "access_token_handler", "role": "assistant" } ]
def x(self, account_cookie_value): response = make_response('<html><script>window.close();</script></html>', 200, {'Content-Type': 'text/html'}) response.set_cookie(self.account_cookie_name, account_cookie_value) return response
set_cookie_close_window_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_cookie_value):\n response = make_response('<html><script>window.close();</script></html>',\n 200, {'Content-Type': 'text/html'})\n response.set_cookie(self.account_cookie_name, account_cookie_value)\n return response\n", "role": "user" }, { "content": "set_cookie_close_window_response", "role": "assistant" } ]
def x(cls, tmpdir=None, shellsetup=None, pnmdir=None): cls.tmpdir = '/tmp' if tmpdir is None else tmpdir cls.shellsetup = '' if shellsetup is None else shellsetup if pnmdir is None: cls.pnmdir = '/usr/bin' for dir in ('/usr/local/bin', '/sw/bin'): if os.path.isfile(os.path.join(dir, 'pngtopnm')): cls.pnmdir = dir else: cls.pnmdir = pnmdir cls.pngtopnm = os.path.join(cls.pnmdir, 'pngtopnm') cls.jpegtopnm = os.path.join(cls.pnmdir, 'jpegtopnm') cls.pnmfile = os.path.join(cls.pnmdir, 'pnmfile') cls.pnmcut = os.path.join(cls.pnmdir, 'pnmcut') cls.pnmscale = os.path.join(cls.pnmdir, 'pnmscale') cls.pnmrotate = os.path.join(cls.pnmdir, 'pnmrotate') cls.pnmflip = os.path.join(cls.pnmdir, 'pnmflip') cls.pnmtopng = os.path.join(cls.pnmdir, 'pnmtopng') cls.ppmtopgm = os.path.join(cls.pnmdir, 'ppmtopgm') cls.pnmtotiff = os.path.join(cls.pnmdir, 'pnmtotiff') cls.pnmtojpeg = os.path.join(cls.pnmdir, 'pnmtojpeg') cls.pamditherbw = os.path.join(cls.pnmdir, 'pamditherbw') cls.djatoka_comp = ( '/Users/simeon/packages/adore-djatoka-1.1/bin/compress.sh')
find_binaries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tmpdir=None, shellsetup=None, pnmdir=None):\n cls.tmpdir = '/tmp' if tmpdir is None else tmpdir\n cls.shellsetup = '' if shellsetup is None else shellsetup\n if pnmdir is None:\n cls.pnmdir = '/usr/bin'\n for dir in ('/usr/local/bin', '/sw/bin'):\n if os.path.isfile(os.path.join(dir, 'pngtopnm')):\n cls.pnmdir = dir\n else:\n cls.pnmdir = pnmdir\n cls.pngtopnm = os.path.join(cls.pnmdir, 'pngtopnm')\n cls.jpegtopnm = os.path.join(cls.pnmdir, 'jpegtopnm')\n cls.pnmfile = os.path.join(cls.pnmdir, 'pnmfile')\n cls.pnmcut = os.path.join(cls.pnmdir, 'pnmcut')\n cls.pnmscale = os.path.join(cls.pnmdir, 'pnmscale')\n cls.pnmrotate = os.path.join(cls.pnmdir, 'pnmrotate')\n cls.pnmflip = os.path.join(cls.pnmdir, 'pnmflip')\n cls.pnmtopng = os.path.join(cls.pnmdir, 'pnmtopng')\n cls.ppmtopgm = os.path.join(cls.pnmdir, 'ppmtopgm')\n cls.pnmtotiff = os.path.join(cls.pnmdir, 'pnmtotiff')\n cls.pnmtojpeg = os.path.join(cls.pnmdir, 'pnmtojpeg')\n cls.pamditherbw = os.path.join(cls.pnmdir, 'pamditherbw')\n cls.djatoka_comp = (\n '/Users/simeon/packages/adore-djatoka-1.1/bin/compress.sh')\n", "role": "user" }, { "content": "find_binaries", "role": "assistant" } ]
def x(self): pid = os.getpid() self.basename = os.path.join(self.tmpdir, 'iiif_netpbm_' + str(pid)) outfile = self.basename + '.pnm' filetype = self.file_type(self.srcfile) if filetype == 'png': if self.shell_call(self.pngtopnm + ' ' + self.srcfile + ' > ' + outfile ): raise IIIFError(text='Oops... got error from pngtopnm.') elif filetype == 'jpg': if self.shell_call(self.jpegtopnm + ' ' + self.srcfile + ' > ' + outfile): raise IIIFError(text='Oops... got error from jpegtopnm.') else: raise IIIFError(code='501', text= 'bad input file format (only know how to read png/jpeg)') self.tmpfile = outfile self.width, self.height = self.image_size(self.tmpfile)
do_first
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pid = os.getpid()\n self.basename = os.path.join(self.tmpdir, 'iiif_netpbm_' + str(pid))\n outfile = self.basename + '.pnm'\n filetype = self.file_type(self.srcfile)\n if filetype == 'png':\n if self.shell_call(self.pngtopnm + ' ' + self.srcfile + ' > ' + outfile\n ):\n raise IIIFError(text='Oops... got error from pngtopnm.')\n elif filetype == 'jpg':\n if self.shell_call(self.jpegtopnm + ' ' + self.srcfile + ' > ' +\n outfile):\n raise IIIFError(text='Oops... got error from jpegtopnm.')\n else:\n raise IIIFError(code='501', text=\n 'bad input file format (only know how to read png/jpeg)')\n self.tmpfile = outfile\n self.width, self.height = self.image_size(self.tmpfile)\n", "role": "user" }, { "content": "do_first", "role": "assistant" } ]
def x(self, x, y, w, h): infile = self.tmpfile outfile = self.basename + '.reg' if x is None: self.tmpfile = infile else: if self.shell_call('cat ' + infile + ' | ' + self.pnmcut + ' ' + str(x) + ' ' + str(y) + ' ' + str(w) + ' ' + str(h) + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmcut.') self.width = w self.height = h self.tmpfile = outfile
do_region
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y, w, h):\n infile = self.tmpfile\n outfile = self.basename + '.reg'\n if x is None:\n self.tmpfile = infile\n else:\n if self.shell_call('cat ' + infile + ' | ' + self.pnmcut + ' ' +\n str(x) + ' ' + str(y) + ' ' + str(w) + ' ' + str(h) + ' > ' +\n outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmcut.')\n self.width = w\n self.height = h\n self.tmpfile = outfile\n", "role": "user" }, { "content": "do_region", "role": "assistant" } ]
def x(self, w, h): infile = self.tmpfile outfile = self.basename + '.siz' if w is None: self.tmpfile = infile else: if self.shell_call('cat ' + infile + ' | ' + self.pnmscale + ' -width ' + str(w) + ' -height ' + str(h) + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmscale.') self.width = w self.height = h self.tmpfile = outfile
do_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, w, h):\n infile = self.tmpfile\n outfile = self.basename + '.siz'\n if w is None:\n self.tmpfile = infile\n else:\n if self.shell_call('cat ' + infile + ' | ' + self.pnmscale +\n ' -width ' + str(w) + ' -height ' + str(h) + ' > ' + outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmscale.')\n self.width = w\n self.height = h\n self.tmpfile = outfile\n", "role": "user" }, { "content": "do_size", "role": "assistant" } ]
def x(self, mirror, rot): infile = self.tmpfile outfile = self.basename + '.rot' if rot == 0.0: self.tmpfile = infile elif rot <= 90.0 or rot >= 270.0: if rot >= 270.0: rot -= 360.0 if self.shell_call('cat ' + infile + ' | ' + self.pnmrotate + ' -background=#FFF ' + str(-rot) + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmrotate.') self.tmpfile = outfile else: rot -= 180.0 if self.shell_call('cat ' + infile + ' | ' + self.pnmflip + ' -rotate180 | ' + self.pnmrotate + ' ' + str(-rot) + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmrotate.') self.tmpfile = outfile if abs(rot % 180.0 - 90.0) < 0.001: outfile2 = self.basename + '.rot2' if self.shell_call('cat ' + self.tmpfile + ' | ' + self.pnmscale + ' -width ' + str(self.height) + ' -height ' + str(self.width) + ' > ' + outfile2): raise IIIFError(text= 'Oops... failed to fixup size after pnmrotate.') self.tmpfile = outfile2
do_rotation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mirror, rot):\n infile = self.tmpfile\n outfile = self.basename + '.rot'\n if rot == 0.0:\n self.tmpfile = infile\n elif rot <= 90.0 or rot >= 270.0:\n if rot >= 270.0:\n rot -= 360.0\n if self.shell_call('cat ' + infile + ' | ' + self.pnmrotate +\n ' -background=#FFF ' + str(-rot) + ' > ' + outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmrotate.')\n self.tmpfile = outfile\n else:\n rot -= 180.0\n if self.shell_call('cat ' + infile + ' | ' + self.pnmflip +\n ' -rotate180 | ' + self.pnmrotate + ' ' + str(-rot) + ' > ' +\n outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmrotate.')\n self.tmpfile = outfile\n if abs(rot % 180.0 - 90.0) < 0.001:\n outfile2 = self.basename + '.rot2'\n if self.shell_call('cat ' + self.tmpfile + ' | ' + self.pnmscale +\n ' -width ' + str(self.height) + ' -height ' + str(self.width) +\n ' > ' + outfile2):\n raise IIIFError(text=\n 'Oops... failed to fixup size after pnmrotate.')\n self.tmpfile = outfile2\n", "role": "user" }, { "content": "do_rotation", "role": "assistant" } ]
def x(self, quality): infile = self.tmpfile outfile = self.basename + '.col' if quality == 'grey' or quality == 'gray': if self.shell_call('cat ' + infile + ' | ' + self.ppmtopgm + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from ppmtopgm.') self.tmpfile = outfile elif quality == 'bitonal': if self.shell_call('cat ' + infile + ' | ' + self.ppmtopgm + ' | ' + self.pamditherbw + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from ppmtopgm.') self.tmpfile = outfile elif quality == 'native' and self.api_version < '2.0' or quality == 'default' and self.api_version >= '2.0' or quality == 'color': self.tmpfile = infile else: raise IIIFError(code=400, parameter='quality', text= 'Unknown quality parameter value requested.')
do_quality
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quality):\n infile = self.tmpfile\n outfile = self.basename + '.col'\n if quality == 'grey' or quality == 'gray':\n if self.shell_call('cat ' + infile + ' | ' + self.ppmtopgm + ' > ' +\n outfile):\n raise IIIFError(text='Oops... got nonzero output from ppmtopgm.')\n self.tmpfile = outfile\n elif quality == 'bitonal':\n if self.shell_call('cat ' + infile + ' | ' + self.ppmtopgm + ' | ' +\n self.pamditherbw + ' > ' + outfile):\n raise IIIFError(text='Oops... got nonzero output from ppmtopgm.')\n self.tmpfile = outfile\n elif quality == 'native' and self.api_version < '2.0' or quality == 'default' and self.api_version >= '2.0' or quality == 'color':\n self.tmpfile = infile\n else:\n raise IIIFError(code=400, parameter='quality', text=\n 'Unknown quality parameter value requested.')\n", "role": "user" }, { "content": "do_quality", "role": "assistant" } ]
def x(self, format): infile = self.tmpfile outfile = self.basename + '.out' outfile_jp2 = self.basename + '.jp2' fmt = 'png' if format is None else format if fmt == 'png': if self.shell_call(self.pnmtopng + ' ' + infile + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmtopng.') mime_type = 'image/png' elif fmt == 'jpg': if self.shell_call(self.pnmtojpeg + ' ' + infile + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmtojpeg.') mime_type = 'image/jpeg' elif fmt == 'tiff' or fmt == 'jp2': if self.shell_call(self.pnmtotiff + ' ' + infile + ' > ' + outfile): raise IIIFError(text='Oops... got nonzero output from pnmtotiff.') mime_type = 'image/tiff' if fmt == 'jp2': if self.shell_call(DJATOKA_COMP + ' -i ' + outfile + ' -o ' + outfile_jp2): raise IIIFError(text= 'Oops... got nonzero output from DJATOKA_COMP.') mime_type = 'image/jp2' outfile = tmpfile_jp2 else: raise IIIFError(code=415, parameter='format', text= 'Unsupported output file format (%s), only png,jpg,tiff are supported.' % fmt) self.outfile = outfile self.output_format = fmt self.mime_type = mime_type
do_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, format):\n infile = self.tmpfile\n outfile = self.basename + '.out'\n outfile_jp2 = self.basename + '.jp2'\n fmt = 'png' if format is None else format\n if fmt == 'png':\n if self.shell_call(self.pnmtopng + ' ' + infile + ' > ' + outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmtopng.')\n mime_type = 'image/png'\n elif fmt == 'jpg':\n if self.shell_call(self.pnmtojpeg + ' ' + infile + ' > ' + outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmtojpeg.')\n mime_type = 'image/jpeg'\n elif fmt == 'tiff' or fmt == 'jp2':\n if self.shell_call(self.pnmtotiff + ' ' + infile + ' > ' + outfile):\n raise IIIFError(text='Oops... got nonzero output from pnmtotiff.')\n mime_type = 'image/tiff'\n if fmt == 'jp2':\n if self.shell_call(DJATOKA_COMP + ' -i ' + outfile + ' -o ' +\n outfile_jp2):\n raise IIIFError(text=\n 'Oops... got nonzero output from DJATOKA_COMP.')\n mime_type = 'image/jp2'\n outfile = tmpfile_jp2\n else:\n raise IIIFError(code=415, parameter='format', text=\n 'Unsupported output file format (%s), only png,jpg,tiff are supported.'\n % fmt)\n self.outfile = outfile\n self.output_format = fmt\n self.mime_type = mime_type\n", "role": "user" }, { "content": "do_format", "role": "assistant" } ]
def x(self, file): try: magic_text = magic.from_file(file) if isinstance(magic_text, bytes): magic_text = magic_text.decode('utf-8') except (TypeError, IOError): return if re.search('PNG image data', magic_text): return 'png' elif re.search('JPEG image data', magic_text): return 'jpg' return
file_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file):\n try:\n magic_text = magic.from_file(file)\n if isinstance(magic_text, bytes):\n magic_text = magic_text.decode('utf-8')\n except (TypeError, IOError):\n return\n if re.search('PNG image data', magic_text):\n return 'png'\n elif re.search('JPEG image data', magic_text):\n return 'jpg'\n return\n", "role": "user" }, { "content": "file_type", "role": "assistant" } ]
def x(self, pnmfile): pout = os.popen(self.shellsetup + self.pnmfile + ' ' + pnmfile, 'r') pnmfileout = pout.read(200) pout.close() m = re.search(', (\\d+) by (\\d+) ', pnmfileout) if m is None: raise IIIFError(text='Bad output from pnmfile when trying to get size.' ) w = int(m.group(1)) h = int(m.group(2)) return w, h
image_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pnmfile):\n pout = os.popen(self.shellsetup + self.pnmfile + ' ' + pnmfile, 'r')\n pnmfileout = pout.read(200)\n pout.close()\n m = re.search(', (\\\\d+) by (\\\\d+) ', pnmfileout)\n if m is None:\n raise IIIFError(text='Bad output from pnmfile when trying to get size.'\n )\n w = int(m.group(1))\n h = int(m.group(2))\n return w, h\n", "role": "user" }, { "content": "image_size", "role": "assistant" } ]
def x(self, shellcmd): return subprocess.call(self.shellsetup + shellcmd, shell=True)
shell_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, shellcmd):\n return subprocess.call(self.shellsetup + shellcmd, shell=True)\n", "role": "user" }, { "content": "shell_call", "role": "assistant" } ]
def x(self): for file in glob.glob(self.basename + '*'): os.unlink(file)
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for file in glob.glob(self.basename + '*'):\n os.unlink(file)\n", "role": "user" }, { "content": "cleanup", "role": "assistant" } ]
def x(self, api_version=None): headers = dict(self.headers) if api_version < '1.1': headers['Content-Type'] = 'text/xml' response = self.as_xml() else: headers['Content-Type'] = 'text/plain' response = self.as_txt() return response, self.code, headers
image_server_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, api_version=None):\n headers = dict(self.headers)\n if api_version < '1.1':\n headers['Content-Type'] = 'text/xml'\n response = self.as_xml()\n else:\n headers['Content-Type'] = 'text/plain'\n response = self.as_txt()\n return response, self.code, headers\n", "role": "user" }, { "content": "image_server_response", "role": "assistant" } ]
def x(self): spacing = '\n' if self.pretty_xml else '' root = Element('error', {'xmlns': I3F_NS}) root.text = spacing e_parameter = Element('parameter', {}) e_parameter.text = self.parameter e_parameter.tail = spacing root.append(e_parameter) if self.text: e_text = Element('text', {}) e_text.text = self.text e_text.tail = spacing root.append(e_text) tree = ElementTree(root) xml_buf = io.BytesIO() if sys.version_info < (2, 7): tree.write(xml_buf, encoding='UTF-8') else: tree.write(xml_buf, encoding='UTF-8', xml_declaration=True, method= 'xml') return xml_buf.getvalue().decode('utf-8')
as_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n spacing = '\\n' if self.pretty_xml else ''\n root = Element('error', {'xmlns': I3F_NS})\n root.text = spacing\n e_parameter = Element('parameter', {})\n e_parameter.text = self.parameter\n e_parameter.tail = spacing\n root.append(e_parameter)\n if self.text:\n e_text = Element('text', {})\n e_text.text = self.text\n e_text.tail = spacing\n root.append(e_text)\n tree = ElementTree(root)\n xml_buf = io.BytesIO()\n if sys.version_info < (2, 7):\n tree.write(xml_buf, encoding='UTF-8')\n else:\n tree.write(xml_buf, encoding='UTF-8', xml_declaration=True, method=\n 'xml')\n return xml_buf.getvalue().decode('utf-8')\n", "role": "user" }, { "content": "as_xml", "role": "assistant" } ]
def x(self): s = 'IIIF Image Server Error\n\n' s += self.text if self.text else 'UNKNOWN_ERROR' s += '\n\n' if self.parameter: s += 'parameter=%s\n' % self.parameter if self.code: s += 'code=%d\n\n' % self.code for header in sorted(self.headers): s += 'header %s=%s\n' % (header, self.headers[header]) return s
as_txt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n s = 'IIIF Image Server Error\\n\\n'\n s += self.text if self.text else 'UNKNOWN_ERROR'\n s += '\\n\\n'\n if self.parameter:\n s += 'parameter=%s\\n' % self.parameter\n if self.code:\n s += 'code=%d\\n\\n' % self.code\n for header in sorted(self.headers):\n s += 'header %s=%s\\n' % (header, self.headers[header])\n return s\n", "role": "user" }, { "content": "as_txt", "role": "assistant" } ]
def x(self, config=None, prefix=None, **args): params = {'response_type': 'code', 'client_id': self. google_api_client_id, 'redirect_uri': self.scheme_host_port_prefix( 'http', config.host, config.port, prefix) + '/home', 'scope': self. google_api_scope, 'state': self.request_args_get('next', default='')} url = self.google_oauth2_url + 'auth?' + urlencode(params) return self.login_handler_redirect(url)
login_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config=None, prefix=None, **args):\n params = {'response_type': 'code', 'client_id': self.\n google_api_client_id, 'redirect_uri': self.scheme_host_port_prefix(\n 'http', config.host, config.port, prefix) + '/home', 'scope': self.\n google_api_scope, 'state': self.request_args_get('next', default='')}\n url = self.google_oauth2_url + 'auth?' + urlencode(params)\n return self.login_handler_redirect(url)\n", "role": "user" }, { "content": "login_handler", "role": "assistant" } ]
def x(self, config=None, prefix=None, **args): gresponse = self.google_get_token(config, prefix) gdata = self.google_get_data(config, gresponse) email = gdata.get('email', 'NO_EMAIL') name = gdata.get('name', 'NO_NAME') cookie = self.access_cookie(name + ' ' + email) return self.set_cookie_close_window_response(cookie)
home_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config=None, prefix=None, **args):\n gresponse = self.google_get_token(config, prefix)\n gdata = self.google_get_data(config, gresponse)\n email = gdata.get('email', 'NO_EMAIL')\n name = gdata.get('name', 'NO_NAME')\n cookie = self.access_cookie(name + ' ' + email)\n return self.set_cookie_close_window_response(cookie)\n", "role": "user" }, { "content": "home_handler", "role": "assistant" } ]
def x(self, config, prefix): params = {'code': self.request_args_get('code', default=''), 'client_id': self.google_api_client_id, 'client_secret': self. google_api_client_secret, 'redirect_uri': self. scheme_host_port_prefix('http', config.host, config.port, prefix) + '/home', 'grant_type': 'authorization_code'} payload = urlencode(params).encode('utf-8') url = self.google_oauth2_url + 'token' req = Request(url, payload) json_str = urlopen(req).read() return json.loads(json_str.decode('utf-8'))
google_get_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config, prefix):\n params = {'code': self.request_args_get('code', default=''),\n 'client_id': self.google_api_client_id, 'client_secret': self.\n google_api_client_secret, 'redirect_uri': self.\n scheme_host_port_prefix('http', config.host, config.port, prefix) +\n '/home', 'grant_type': 'authorization_code'}\n payload = urlencode(params).encode('utf-8')\n url = self.google_oauth2_url + 'token'\n req = Request(url, payload)\n json_str = urlopen(req).read()\n return json.loads(json_str.decode('utf-8'))\n", "role": "user" }, { "content": "google_get_token", "role": "assistant" } ]
def x(self, config, response): params = {'access_token': response['access_token']} payload = urlencode(params) url = self.google_api_url + 'userinfo?' + payload req = Request(url) json_str = urlopen(req).read() return json.loads(json_str.decode('utf-8'))
google_get_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config, response):\n params = {'access_token': response['access_token']}\n payload = urlencode(params)\n url = self.google_api_url + 'userinfo?' + payload\n req = Request(url)\n json_str = urlopen(req).read()\n return json.loads(json_str.decode('utf-8'))\n", "role": "user" }, { "content": "google_get_data", "role": "assistant" } ]
def x(self): if self.api_version == '1.0': uri_pattern = ( 'http://library.stanford.edu/iiif/image-api/compliance.html#level%d' ) elif self.api_version == '1.1': uri_pattern = ( 'http://library.stanford.edu/iiif/image-api/1.1/compliance.html#level%d' ) elif self.api_version == '2.0' or self.api_version == '2.1': uri_pattern = 'http://iiif.io/api/image/2/level%d.json' else: return if self.compliance_level is None: return return uri_pattern % self.compliance_level
compliance_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.api_version == '1.0':\n uri_pattern = (\n 'http://library.stanford.edu/iiif/image-api/compliance.html#level%d'\n )\n elif self.api_version == '1.1':\n uri_pattern = (\n 'http://library.stanford.edu/iiif/image-api/1.1/compliance.html#level%d'\n )\n elif self.api_version == '2.0' or self.api_version == '2.1':\n uri_pattern = 'http://iiif.io/api/image/2/level%d.json'\n else:\n return\n if self.compliance_level is None:\n return\n return uri_pattern % self.compliance_level\n", "role": "user" }, { "content": "compliance_uri", "role": "assistant" } ]
def x(self, srcfile=None, request=None, outfile=None): if srcfile is not None: self.srcfile = srcfile if request is not None: self.request = request if outfile is not None: self.outfile = outfile if self.outfile is not None: dir = os.path.dirname(self.outfile) if not os.path.exists(dir): os.makedirs(dir) self.do_first() x, y, w, h = self.region_to_apply() self.do_region(x, y, w, h) w, h = self.size_to_apply() self.do_size(w, h) mirror, rot = self.rotation_to_apply(no_mirror=True) self.do_rotation(mirror, rot) quality = self.quality_to_apply() self.do_quality(quality) self.do_format(self.request.format) self.do_last() return self.outfile, self.mime_type
derive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, srcfile=None, request=None, outfile=None):\n if srcfile is not None:\n self.srcfile = srcfile\n if request is not None:\n self.request = request\n if outfile is not None:\n self.outfile = outfile\n if self.outfile is not None:\n dir = os.path.dirname(self.outfile)\n if not os.path.exists(dir):\n os.makedirs(dir)\n self.do_first()\n x, y, w, h = self.region_to_apply()\n self.do_region(x, y, w, h)\n w, h = self.size_to_apply()\n self.do_size(w, h)\n mirror, rot = self.rotation_to_apply(no_mirror=True)\n self.do_rotation(mirror, rot)\n quality = self.quality_to_apply()\n self.do_quality(quality)\n self.do_format(self.request.format)\n self.do_last()\n return self.outfile, self.mime_type\n", "role": "user" }, { "content": "derive", "role": "assistant" } ]
def x(self, x, y, w, h): if x is not None: raise IIIFError(code=501, parameter='region', text= 'Null manipulator supports only region=/full/.')
do_region
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y, w, h):\n if x is not None:\n raise IIIFError(code=501, parameter='region', text=\n 'Null manipulator supports only region=/full/.')\n", "role": "user" }, { "content": "do_region", "role": "assistant" } ]
def x(self, mirror, rot): if mirror: raise IIIFError(code=501, parameter='rotation', text= 'Null manipulator does not support mirroring.') if rot != 0.0: raise IIIFError(code=501, parameter='rotation', text= 'Null manipulator supports only rotation=(0|360).')
do_rotation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mirror, rot):\n if mirror:\n raise IIIFError(code=501, parameter='rotation', text=\n 'Null manipulator does not support mirroring.')\n if rot != 0.0:\n raise IIIFError(code=501, parameter='rotation', text=\n 'Null manipulator supports only rotation=(0|360).')\n", "role": "user" }, { "content": "do_rotation", "role": "assistant" } ]
def x(self, quality): if self.api_version >= '2.0': if quality != 'default': raise IIIFError(code=501, parameter='default', text= 'Null manipulator supports only quality=default.') elif quality != 'native': raise IIIFError(code=501, parameter='native', text= 'Null manipulator supports only quality=native.')
do_quality
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quality):\n if self.api_version >= '2.0':\n if quality != 'default':\n raise IIIFError(code=501, parameter='default', text=\n 'Null manipulator supports only quality=default.')\n elif quality != 'native':\n raise IIIFError(code=501, parameter='native', text=\n 'Null manipulator supports only quality=native.')\n", "role": "user" }, { "content": "do_quality", "role": "assistant" } ]
def x(self, format): if format is not None: raise IIIFError(code=415, parameter='format', text= 'Null manipulator does not support specification of output format.' ) if self.outfile is None: self.outfile = self.srcfile else: try: shutil.copyfile(self.srcfile, self.outfile) except IOError as e: raise IIIFError(code=500, text='Failed to copy file (%s).' % str(e) ) self.mime_type = None
do_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, format):\n if format is not None:\n raise IIIFError(code=415, parameter='format', text=\n 'Null manipulator does not support specification of output format.'\n )\n if self.outfile is None:\n self.outfile = self.srcfile\n else:\n try:\n shutil.copyfile(self.srcfile, self.outfile)\n except IOError as e:\n raise IIIFError(code=500, text='Failed to copy file (%s).' % str(e)\n )\n self.mime_type = None\n", "role": "user" }, { "content": "do_format", "role": "assistant" } ]
def x(self): if (self.request.region_full or self.request.region_pct and self. request.region_xywh == (0, 0, 100, 100)): return None, None, None, None if self.width <= 0 or self.height <= 0: raise IIIFError(code=501, parameter='region', text= 'Region parameters require knowledge of image size which is not implemented.' ) if self.request.region_square: if self.width <= self.height: y_offset = (self.height - self.width) / 2 return 0, y_offset, self.width, self.width else: x_offset = (self.width - self.height) / 2 return x_offset, 0, self.height, self.height pct = self.request.region_pct x, y, w, h = self.request.region_xywh if pct: x = int(x / 100.0 * self.width + 0.5) y = int(y / 100.0 * self.height + 0.5) w = int(w / 100.0 * self.width + 0.5) h = int(h / 100.0 * self.height + 0.5) if x + w > self.width: w = self.width - x if y + h > self.height: h = self.height - y if w == 0 or h == 0: raise IIIFZeroSizeError(code=400, parameter='region', text= 'Region parameters would result in zero size result image.') if x == 0 and y == 0 and w == self.width and h == self.height: return None, None, None, None return x, y, w, h
region_to_apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if (self.request.region_full or self.request.region_pct and self.\n request.region_xywh == (0, 0, 100, 100)):\n return None, None, None, None\n if self.width <= 0 or self.height <= 0:\n raise IIIFError(code=501, parameter='region', text=\n 'Region parameters require knowledge of image size which is not implemented.'\n )\n if self.request.region_square:\n if self.width <= self.height:\n y_offset = (self.height - self.width) / 2\n return 0, y_offset, self.width, self.width\n else:\n x_offset = (self.width - self.height) / 2\n return x_offset, 0, self.height, self.height\n pct = self.request.region_pct\n x, y, w, h = self.request.region_xywh\n if pct:\n x = int(x / 100.0 * self.width + 0.5)\n y = int(y / 100.0 * self.height + 0.5)\n w = int(w / 100.0 * self.width + 0.5)\n h = int(h / 100.0 * self.height + 0.5)\n if x + w > self.width:\n w = self.width - x\n if y + h > self.height:\n h = self.height - y\n if w == 0 or h == 0:\n raise IIIFZeroSizeError(code=400, parameter='region', text=\n 'Region parameters would result in zero size result image.')\n if x == 0 and y == 0 and w == self.width and h == self.height:\n return None, None, None, None\n return x, y, w, h\n", "role": "user" }, { "content": "region_to_apply", "role": "assistant" } ]
def x(self): if self.request.size_full or self.request.size_pct == 100.0: return None, None w = self.width h = self.height if self.request.size_max: if self.max_area and self.max_area < w * h: scale = (float(self.max_area) / float(w * h)) ** 0.5 w = int(w * scale + 0.5) h = int(h * scale + 0.5) if self.max_width: max_height = (self.max_height if self.max_height is not None else self.max_width) if self.max_width < w: scale = float(self.max_width) / float(self.width) w = int(self.width * scale + 0.5) h = int(self.height * scale + 0.5) if max_height < h: scale = float(max_height) / float(self.height) w = int(self.width * scale + 0.5) h = int(self.height * scale + 0.5) elif self.request.size_pct is not None: w = int(self.width * self.request.size_pct / 100.0 + 0.5) h = int(self.height * self.request.size_pct / 100.0 + 0.5) elif self.request.size_bang: mw, mh = self.request.size_wh frac = min(float(mw) / float(self.width), float(mh) / float(self. height)) w = int(self.width * frac + 0.5) h = int(self.height * frac + 0.5) else: w, h = self.request.size_wh if w is None: w = int(self.width * h / self.height + 0.5) elif h is None: h = int(self.height * w / self.width + 0.5) if w == 0 or h == 0: raise IIIFZeroSizeError(code=400, parameter='size', text= 'Size parameter would result in zero size result image (%d,%d).' % (w, h)) if w == self.width and h == self.height: return None, None return w, h
size_to_apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.request.size_full or self.request.size_pct == 100.0:\n return None, None\n w = self.width\n h = self.height\n if self.request.size_max:\n if self.max_area and self.max_area < w * h:\n scale = (float(self.max_area) / float(w * h)) ** 0.5\n w = int(w * scale + 0.5)\n h = int(h * scale + 0.5)\n if self.max_width:\n max_height = (self.max_height if self.max_height is not None else\n self.max_width)\n if self.max_width < w:\n scale = float(self.max_width) / float(self.width)\n w = int(self.width * scale + 0.5)\n h = int(self.height * scale + 0.5)\n if max_height < h:\n scale = float(max_height) / float(self.height)\n w = int(self.width * scale + 0.5)\n h = int(self.height * scale + 0.5)\n elif self.request.size_pct is not None:\n w = int(self.width * self.request.size_pct / 100.0 + 0.5)\n h = int(self.height * self.request.size_pct / 100.0 + 0.5)\n elif self.request.size_bang:\n mw, mh = self.request.size_wh\n frac = min(float(mw) / float(self.width), float(mh) / float(self.\n height))\n w = int(self.width * frac + 0.5)\n h = int(self.height * frac + 0.5)\n else:\n w, h = self.request.size_wh\n if w is None:\n w = int(self.width * h / self.height + 0.5)\n elif h is None:\n h = int(self.height * w / self.width + 0.5)\n if w == 0 or h == 0:\n raise IIIFZeroSizeError(code=400, parameter='size', text=\n 'Size parameter would result in zero size result image (%d,%d).' %\n (w, h))\n if w == self.width and h == self.height:\n return None, None\n return w, h\n", "role": "user" }, { "content": "size_to_apply", "role": "assistant" } ]
def x(self, only90s=False, no_mirror=False): rotation = self.request.rotation_deg if no_mirror and self.request.rotation_mirror: raise IIIFError(code=501, parameter='rotation', text= 'This implementation does not support mirroring.') if only90s and (rotation != 0.0 and rotation != 90.0 and rotation != 180.0 and rotation != 270.0): raise IIIFError(code=501, parameter='rotation', text= 'This implementation supports only 0,90,180,270 degree rotations.') return self.request.rotation_mirror, rotation
rotation_to_apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, only90s=False, no_mirror=False):\n rotation = self.request.rotation_deg\n if no_mirror and self.request.rotation_mirror:\n raise IIIFError(code=501, parameter='rotation', text=\n 'This implementation does not support mirroring.')\n if only90s and (rotation != 0.0 and rotation != 90.0 and rotation != \n 180.0 and rotation != 270.0):\n raise IIIFError(code=501, parameter='rotation', text=\n 'This implementation supports only 0,90,180,270 degree rotations.')\n return self.request.rotation_mirror, rotation\n", "role": "user" }, { "content": "rotation_to_apply", "role": "assistant" } ]
def x(self): if self.request.quality is None: if self.api_version <= '1.1': return 'native' else: return 'default' return self.request.quality
quality_to_apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.request.quality is None:\n if self.api_version <= '1.1':\n return 'native'\n else:\n return 'default'\n return self.request.quality\n", "role": "user" }, { "content": "quality_to_apply", "role": "assistant" } ]
def x(self, tile_width, tile_height=None): if not tile_height: tile_height = tile_width sf = 1 scale_factors = [sf] for j in range(30): sf = 2 * sf if tile_width * sf > self.width and tile_height * sf > self.height: break scale_factors.append(sf) return scale_factors
scale_factors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tile_width, tile_height=None):\n if not tile_height:\n tile_height = tile_width\n sf = 1\n scale_factors = [sf]\n for j in range(30):\n sf = 2 * sf\n if tile_width * sf > self.width and tile_height * sf > self.height:\n break\n scale_factors.append(sf)\n return scale_factors\n", "role": "user" }, { "content": "scale_factors", "role": "assistant" } ]
def x(self, x, y, size=None): if size is None: size = self.sz if size <= 3: if _not_diagonal(x, y): return None else: return 0, 0, 0 divisor = size // 3 if _not_diagonal(x // divisor, y // divisor): return None return self.pixel(x % divisor, y % divisor, divisor)
pixel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, y, size=None):\n if size is None:\n size = self.sz\n if size <= 3:\n if _not_diagonal(x, y):\n return None\n else:\n return 0, 0, 0\n divisor = size // 3\n if _not_diagonal(x // divisor, y // divisor):\n return None\n return self.pixel(x % divisor, y % divisor, divisor)\n", "role": "user" }, { "content": "pixel", "role": "assistant" } ]
def x(self, n): red = int(n * self.shade_factor) if red > 255: red = 255 return red, 50, 100
color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n):\n red = int(n * self.shade_factor)\n if red > 255:\n red = 255\n return red, 50, 100\n", "role": "user" }, { "content": "color", "role": "assistant" } ]
def x(self, z, n=0): z = z * z + self.c if abs(z) > 2.0: return self.color(n) n += 1 if n > self.max_iter: return None return self.mpixel(z, n)
mpixel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, z, n=0):\n z = z * z + self.c\n if abs(z) > 2.0:\n return self.color(n)\n n += 1\n if n > self.max_iter:\n return None\n return self.mpixel(z, n)\n", "role": "user" }, { "content": "mpixel", "role": "assistant" } ]
def x(self, ix, iy): x = (ix - self.xoffset + 0.5) / self.scale y = (iy - self.yoffset + 0.5) / self.scale z = complex(x, y) self.set_c(z) return self.mpixel(z)
pixel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ix, iy):\n x = (ix - self.xoffset + 0.5) / self.scale\n y = (iy - self.yoffset + 0.5) / self.scale\n z = complex(x, y)\n self.set_c(z)\n return self.mpixel(z)\n", "role": "user" }, { "content": "pixel", "role": "assistant" } ]
def x(width, height, tilesize, scale_factors): for sf in scale_factors: if sf * tilesize >= width and sf * tilesize >= height: continue rts = tilesize * sf xt = (width - 1) // rts + 1 yt = (height - 1) // rts + 1 for nx in range(xt): rx = nx * rts rxe = rx + rts if rxe > width: rxe = width rw = rxe - rx sw = (rw + sf - 1) // sf for ny in range(yt): ry = ny * rts rye = ry + rts if rye > height: rye = height rh = rye - ry sh = (rh + sf - 1) // sf yield [rx, ry, rw, rh], [sw, sh]
static_partial_tile_sizes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width, height, tilesize, scale_factors):\n for sf in scale_factors:\n if sf * tilesize >= width and sf * tilesize >= height:\n continue\n rts = tilesize * sf\n xt = (width - 1) // rts + 1\n yt = (height - 1) // rts + 1\n for nx in range(xt):\n rx = nx * rts\n rxe = rx + rts\n if rxe > width:\n rxe = width\n rw = rxe - rx\n sw = (rw + sf - 1) // sf\n for ny in range(yt):\n ry = ny * rts\n rye = ry + rts\n if rye > height:\n rye = height\n rh = rye - ry\n sh = (rh + sf - 1) // sf\n yield [rx, ry, rw, rh], [sw, sh]\n", "role": "user" }, { "content": "static_partial_tile_sizes", "role": "assistant" } ]
def x(width, height, tilesize): for level in range(0, 20): factor = 2.0 ** level sw = int(width / factor + 0.5) sh = int(height / factor + 0.5) if sw < tilesize and sh < tilesize: if sw < 1 or sh < 1: break yield [sw, sh]
static_full_sizes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width, height, tilesize):\n for level in range(0, 20):\n factor = 2.0 ** level\n sw = int(width / factor + 0.5)\n sh = int(height / factor + 0.5)\n if sw < tilesize and sh < tilesize:\n if sw < 1 or sh < 1:\n break\n yield [sw, sh]\n", "role": "user" }, { "content": "static_full_sizes", "role": "assistant" } ]
def x(self, extra): if extra.startswith('/'): extra = extra[1:] r = IIIFRequest(identifier='dummy', api_version=self.api_version) r.parse_url(extra) if r.info: raise IIIFStaticError('Attempt to specify Image Information in extras.' ) return r
parse_extra
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, extra):\n if extra.startswith('/'):\n extra = extra[1:]\n r = IIIFRequest(identifier='dummy', api_version=self.api_version)\n r.parse_url(extra)\n if r.info:\n raise IIIFStaticError('Attempt to specify Image Information in extras.'\n )\n return r\n", "role": "user" }, { "content": "parse_extra", "role": "assistant" } ]
def x(self, osd_version): if osd_version in self.osd_config: return self.osd_config[osd_version] else: raise IIIFStaticError( 'OpenSeadragon version %s not supported, available versions are %s' % (osd_version, ', '.join(sorted(self.osd_config.keys()))))
get_osd_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, osd_version):\n if osd_version in self.osd_config:\n return self.osd_config[osd_version]\n else:\n raise IIIFStaticError(\n 'OpenSeadragon version %s not supported, available versions are %s'\n % (osd_version, ', '.join(sorted(self.osd_config.keys()))))\n", "role": "user" }, { "content": "get_osd_config", "role": "assistant" } ]
def x(self, src=None, identifier=None): self.src = src self.identifier = identifier im = self.manipulator_klass() im.srcfile = self.src im.set_max_image_pixels(self.max_image_pixels) im.do_first() width = im.width height = im.height scale_factors = im.scale_factors(self.tilesize) self.setup_destination() for region, size in static_partial_tile_sizes(width, height, self. tilesize, scale_factors): self.generate_tile(region, size) sizes = [] for size in static_full_sizes(width, height, self.tilesize): sizes.append({'width': size[0], 'height': size[1]}) self.generate_tile('full', size) for request in self.extras: request.identifier = self.identifier if request.is_scaled_full_image(): sizes.append({'width': request.size_wh[0], 'height': request. size_wh[1]}) self.generate_file(request) qualities = ['default'] if self.api_version > '1.1' else ['native'] info = IIIFInfo(level=0, server_and_prefix=self.prefix, identifier=self .identifier, width=width, height=height, scale_factors= scale_factors, tile_width=self.tilesize, tile_height=self.tilesize, formats=['jpg'], qualities=qualities, sizes=sizes, api_version=self .api_version) json_file = os.path.join(self.dst, self.identifier, 'info.json') if self.dryrun: self.logger.warning('dryrun mode, would write the following files:') self.logger.warning('%s / %s/%s' % (self.dst, self.identifier, 'info.json')) else: with open(json_file, 'w') as f: f.write(info.as_json()) f.close() self.logger.info('%s / %s/%s' % (self.dst, self.identifier, 'info.json')) self.logger.debug('Written %s' % json_file)
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src=None, identifier=None):\n self.src = src\n self.identifier = identifier\n im = self.manipulator_klass()\n im.srcfile = self.src\n im.set_max_image_pixels(self.max_image_pixels)\n im.do_first()\n width = im.width\n height = im.height\n scale_factors = im.scale_factors(self.tilesize)\n self.setup_destination()\n for region, size in static_partial_tile_sizes(width, height, self.\n tilesize, scale_factors):\n self.generate_tile(region, size)\n sizes = []\n for size in static_full_sizes(width, height, self.tilesize):\n sizes.append({'width': size[0], 'height': size[1]})\n self.generate_tile('full', size)\n for request in self.extras:\n request.identifier = self.identifier\n if request.is_scaled_full_image():\n sizes.append({'width': request.size_wh[0], 'height': request.\n size_wh[1]})\n self.generate_file(request)\n qualities = ['default'] if self.api_version > '1.1' else ['native']\n info = IIIFInfo(level=0, server_and_prefix=self.prefix, identifier=self\n .identifier, width=width, height=height, scale_factors=\n scale_factors, tile_width=self.tilesize, tile_height=self.tilesize,\n formats=['jpg'], qualities=qualities, sizes=sizes, api_version=self\n .api_version)\n json_file = os.path.join(self.dst, self.identifier, 'info.json')\n if self.dryrun:\n self.logger.warning('dryrun mode, would write the following files:')\n self.logger.warning('%s / %s/%s' % (self.dst, self.identifier,\n 'info.json'))\n else:\n with open(json_file, 'w') as f:\n f.write(info.as_json())\n f.close()\n self.logger.info('%s / %s/%s' % (self.dst, self.identifier,\n 'info.json'))\n self.logger.debug('Written %s' % json_file)\n", "role": "user" }, { "content": "generate", "role": "assistant" } ]
def x(self, region, size): r = IIIFRequest(identifier=self.identifier, api_version=self.api_version) if region == 'full': r.region_full = True else: r.region_xywh = region r.size_wh = size r.format = 'jpg' self.generate_file(r, True)
generate_tile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, region, size):\n r = IIIFRequest(identifier=self.identifier, api_version=self.api_version)\n if region == 'full':\n r.region_full = True\n else:\n r.region_xywh = region\n r.size_wh = size\n r.format = 'jpg'\n self.generate_file(r, True)\n", "role": "user" }, { "content": "generate_tile", "role": "assistant" } ]
def x(self, r, undistorted=False): use_canonical = self.get_osd_config(self.osd_version)['use_canonical'] height = None if undistorted and use_canonical: height = r.size_wh[1] r.size_wh = [r.size_wh[0], None] path = r.url() if self.dryrun: self.logger.info('%s / %s' % (self.dst, path)) else: m = self.manipulator_klass(api_version=self.api_version) try: m.derive(srcfile=self.src, request=r, outfile=os.path.join(self .dst, path)) self.logger.info('%s / %s' % (self.dst, path)) except IIIFZeroSizeError: self.logger.info('%s / %s - zero size, skipped' % (self.dst, path)) return if r.region_full and use_canonical and height is not None: region_dir = os.path.join(r.quote(r.identifier), 'full') wh_dir = '%d,%d' % (r.size_wh[0], height) wh_path = os.path.join(region_dir, wh_dir) wc_dir = '%d,' % r.size_wh[0] wc_path = os.path.join(region_dir, wc_dir) if not self.dryrun: ln = os.path.join(self.dst, wh_path) if os.path.exists(ln): os.remove(ln) os.symlink(wc_dir, ln) self.logger.info('%s / %s -> %s' % (self.dst, wh_path, wc_path))
generate_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, r, undistorted=False):\n use_canonical = self.get_osd_config(self.osd_version)['use_canonical']\n height = None\n if undistorted and use_canonical:\n height = r.size_wh[1]\n r.size_wh = [r.size_wh[0], None]\n path = r.url()\n if self.dryrun:\n self.logger.info('%s / %s' % (self.dst, path))\n else:\n m = self.manipulator_klass(api_version=self.api_version)\n try:\n m.derive(srcfile=self.src, request=r, outfile=os.path.join(self\n .dst, path))\n self.logger.info('%s / %s' % (self.dst, path))\n except IIIFZeroSizeError:\n self.logger.info('%s / %s - zero size, skipped' % (self.dst, path))\n return\n if r.region_full and use_canonical and height is not None:\n region_dir = os.path.join(r.quote(r.identifier), 'full')\n wh_dir = '%d,%d' % (r.size_wh[0], height)\n wh_path = os.path.join(region_dir, wh_dir)\n wc_dir = '%d,' % r.size_wh[0]\n wc_path = os.path.join(region_dir, wc_dir)\n if not self.dryrun:\n ln = os.path.join(self.dst, wh_path)\n if os.path.exists(ln):\n os.remove(ln)\n os.symlink(wc_dir, ln)\n self.logger.info('%s / %s -> %s' % (self.dst, wh_path, wc_path))\n", "role": "user" }, { "content": "generate_file", "role": "assistant" } ]
def x(self): if not self.identifier: self.identifier = os.path.splitext(os.path.split(self.src)[1])[0] if self.dryrun: return if not self.dst: raise IIIFStaticError('No destination directory specified!') dst = self.dst if os.path.isdir(dst): pass elif os.path.isfile(dst): raise IIIFStaticError( "Can't write to directory %s: a file of that name exists" % dst) else: os.makedirs(dst) outd = os.path.join(dst, self.identifier) if os.path.isdir(outd): self.logger.warning( 'Output directory %s already exists, adding/updating files' % outd) pass elif os.path.isfile(outd): raise IIIFStaticError( "Can't write to directory %s: a file of that name exists" % outd) else: os.makedirs(outd) self.logger.debug('Output directory %s' % outd)
setup_destination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.identifier:\n self.identifier = os.path.splitext(os.path.split(self.src)[1])[0]\n if self.dryrun:\n return\n if not self.dst:\n raise IIIFStaticError('No destination directory specified!')\n dst = self.dst\n if os.path.isdir(dst):\n pass\n elif os.path.isfile(dst):\n raise IIIFStaticError(\n \"Can't write to directory %s: a file of that name exists\" % dst)\n else:\n os.makedirs(dst)\n outd = os.path.join(dst, self.identifier)\n if os.path.isdir(outd):\n self.logger.warning(\n 'Output directory %s already exists, adding/updating files' % outd)\n pass\n elif os.path.isfile(outd):\n raise IIIFStaticError(\n \"Can't write to directory %s: a file of that name exists\" % outd)\n else:\n os.makedirs(outd)\n self.logger.debug('Output directory %s' % outd)\n", "role": "user" }, { "content": "setup_destination", "role": "assistant" } ]
def x(self, html_dir='/tmp', include_osd=False, osd_width=500, osd_height=500): osd_config = self.get_osd_config(self.osd_version) osd_base = osd_config['base'] osd_dir = osd_config['dir'] osd_js = os.path.join(osd_dir, osd_config['js']) osd_images = os.path.join(osd_dir, osd_config['images']) if os.path.isdir(html_dir): pass elif os.path.isfile(html_dir): raise IIIFStaticError( "Can't write to directory %s: a file of that name exists" % html_dir) else: os.makedirs(html_dir) self.logger.info('Writing HTML to %s' % html_dir) with open(os.path.join(self.template_dir, 'static_osd.html'), 'r') as f: template = f.read() outfile = self.identifier + '.html' outpath = os.path.join(html_dir, outfile) with open(outpath, 'w') as f: info_json_uri = '/'.join([self.identifier, 'info.json']) if self.prefix: info_json_uri = '/'.join([self.prefix, info_json_uri]) d = dict(identifier=self.identifier, api_version=self.api_version, osd_version=self.osd_version, osd_uri=osd_js, osd_images_prefix =osd_images, osd_height=osd_width, osd_width=osd_height, info_json_uri=info_json_uri) f.write(Template(template).safe_substitute(d)) self.logger.info('%s / %s' % (html_dir, outfile)) if include_osd: if self.copied_osd: self.logger.info('OpenSeadragon already copied') else: osd_path = os.path.join(html_dir, osd_dir) if not os.path.isdir(osd_path): os.makedirs(osd_path) shutil.copyfile(os.path.join(osd_base, osd_js), os.path.join( html_dir, osd_js)) self.logger.info('%s / %s' % (html_dir, osd_js)) osd_images_path = os.path.join(html_dir, osd_images) if os.path.isdir(osd_images_path): self.logger.warning( 'OpenSeadragon images directory (%s) already exists, skipping' % osd_images_path) else: shutil.copytree(os.path.join(osd_base, osd_images), osd_images_path) self.logger.info('%s / %s/*' % (html_dir, osd_images)) self.copied_osd = True
write_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, html_dir='/tmp', include_osd=False, osd_width=500, osd_height=500):\n osd_config = self.get_osd_config(self.osd_version)\n osd_base = osd_config['base']\n osd_dir = osd_config['dir']\n osd_js = os.path.join(osd_dir, osd_config['js'])\n osd_images = os.path.join(osd_dir, osd_config['images'])\n if os.path.isdir(html_dir):\n pass\n elif os.path.isfile(html_dir):\n raise IIIFStaticError(\n \"Can't write to directory %s: a file of that name exists\" %\n html_dir)\n else:\n os.makedirs(html_dir)\n self.logger.info('Writing HTML to %s' % html_dir)\n with open(os.path.join(self.template_dir, 'static_osd.html'), 'r') as f:\n template = f.read()\n outfile = self.identifier + '.html'\n outpath = os.path.join(html_dir, outfile)\n with open(outpath, 'w') as f:\n info_json_uri = '/'.join([self.identifier, 'info.json'])\n if self.prefix:\n info_json_uri = '/'.join([self.prefix, info_json_uri])\n d = dict(identifier=self.identifier, api_version=self.api_version,\n osd_version=self.osd_version, osd_uri=osd_js, osd_images_prefix\n =osd_images, osd_height=osd_width, osd_width=osd_height,\n info_json_uri=info_json_uri)\n f.write(Template(template).safe_substitute(d))\n self.logger.info('%s / %s' % (html_dir, outfile))\n if include_osd:\n if self.copied_osd:\n self.logger.info('OpenSeadragon already copied')\n else:\n osd_path = os.path.join(html_dir, osd_dir)\n if not os.path.isdir(osd_path):\n os.makedirs(osd_path)\n shutil.copyfile(os.path.join(osd_base, osd_js), os.path.join(\n html_dir, osd_js))\n self.logger.info('%s / %s' % (html_dir, osd_js))\n osd_images_path = os.path.join(html_dir, osd_images)\n if os.path.isdir(osd_images_path):\n self.logger.warning(\n 'OpenSeadragon images directory (%s) already exists, skipping'\n % osd_images_path)\n else:\n shutil.copytree(os.path.join(osd_base, osd_images),\n osd_images_path)\n self.logger.info('%s / %s/*' % (html_dir, osd_images))\n self.copied_osd = True\n", "role": "user" }, { "content": "write_html", "role": "assistant" } ]
def x(key, obj, default=missing): if isinstance(key, int): return _get_value_for_key(key, obj, default) return _get_value_for_keys(key.split('.'), obj, default)
get_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, obj, default=missing):\n if isinstance(key, int):\n return _get_value_for_key(key, obj, default)\n return _get_value_for_keys(key.split('.'), obj, default)\n", "role": "user" }, { "content": "get_value", "role": "assistant" } ]
def x(self, data, original): for key, val in original.items(): if key not in self.fields: data[key] = val return data
handle_dump_unknown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, original):\n for key, val in original.items():\n if key not in self.fields:\n data[key] = val\n return data\n", "role": "user" }, { "content": "handle_dump_unknown", "role": "assistant" } ]
def x(spec, data): validated_data = {spec.VERSION: data[spec.VERSION], spec.KIND: data[ spec.KIND]} if data.get(spec.LOGGING): validated_data[spec.LOGGING] = LoggingConfig.from_dict(data[spec. LOGGING]) if data.get(spec.TAGS): validated_data[spec.TAGS] = data[spec.TAGS] if data.get(spec.HP_TUNING): validated_data[spec.HP_TUNING] = HPTuningConfig.from_dict(data[spec .HP_TUNING]) return validated_data
validate_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, data):\n validated_data = {spec.VERSION: data[spec.VERSION], spec.KIND: data[\n spec.KIND]}\n if data.get(spec.LOGGING):\n validated_data[spec.LOGGING] = LoggingConfig.from_dict(data[spec.\n LOGGING])\n if data.get(spec.TAGS):\n validated_data[spec.TAGS] = data[spec.TAGS]\n if data.get(spec.HP_TUNING):\n validated_data[spec.HP_TUNING] = HPTuningConfig.from_dict(data[spec\n .HP_TUNING])\n return validated_data\n", "role": "user" }, { "content": "validate_headers", "role": "assistant" } ]
def x(spec, data): data = copy.deepcopy(data) validated_data = {} def x(section, config, section_data): if not isinstance(section_data, dict) or section == spec.MODEL: return extra_args = [key for key in section_data.keys() if key not in config.SCHEMA().fields] if extra_args: raise PolyaxonfileError('Extra arguments passed for `{}`: {}'. format(section, extra_args)) def x(section, config): if data.get(section): section_data = data[section] validate_keys(section=section, config=config, section_data= section_data) validated_data[section] = config.from_dict(section_data) add_validated_section(spec.ENVIRONMENT, spec.ENVIRONMENT_CONFIG) add_validated_section(spec.BUILD, BuildConfig) add_validated_section(spec.RUN, RunConfig) add_validated_section(spec.MODEL, ModelConfig) add_validated_section(spec.TRAIN, TrainConfig) add_validated_section(spec.EVAL, EvalConfig) return validated_data
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, data):\n data = copy.deepcopy(data)\n validated_data = {}\n\n def x(section, config, section_data):\n if not isinstance(section_data, dict) or section == spec.MODEL:\n return\n extra_args = [key for key in section_data.keys() if key not in\n config.SCHEMA().fields]\n if extra_args:\n raise PolyaxonfileError('Extra arguments passed for `{}`: {}'.\n format(section, extra_args))\n\n def x(section, config):\n if data.get(section):\n section_data = data[section]\n validate_keys(section=section, config=config, section_data=\n section_data)\n validated_data[section] = config.from_dict(section_data)\n add_validated_section(spec.ENVIRONMENT, spec.ENVIRONMENT_CONFIG)\n add_validated_section(spec.BUILD, BuildConfig)\n add_validated_section(spec.RUN, RunConfig)\n add_validated_section(spec.MODEL, ModelConfig)\n add_validated_section(spec.TRAIN, TrainConfig)\n add_validated_section(spec.EVAL, EvalConfig)\n return validated_data\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, data): environment = data.get('environment') if environment and environment.replicas: validate_replicas(data.get('framework'), environment.replicas)
validate_replicas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n environment = data.get('environment')\n if environment and environment.replicas:\n validate_replicas(data.get('framework'), environment.replicas)\n", "role": "user" }, { "content": "validate_replicas", "role": "assistant" } ]
def x(self, matrix_declaration): parsed_data = Parser.parse(self, self._data, matrix_declaration) del parsed_data[self.HP_TUNING] validator.validate(spec=self, data=parsed_data) return ExperimentSpecification(values=[parsed_data, {'kind': self. _EXPERIMENT}])
get_experiment_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, matrix_declaration):\n parsed_data = Parser.parse(self, self._data, matrix_declaration)\n del parsed_data[self.HP_TUNING]\n validator.validate(spec=self, data=parsed_data)\n return ExperimentSpecification(values=[parsed_data, {'kind': self.\n _EXPERIMENT}])\n", "role": "user" }, { "content": "get_experiment_spec", "role": "assistant" } ]
def x(self): if BaseSpecification.BUILD not in self._data: return None return BuildConfig.from_dict(self._data[BaseSpecification.BUILD])
get_build_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if BaseSpecification.BUILD not in self._data:\n return None\n return BuildConfig.from_dict(self._data[BaseSpecification.BUILD])\n", "role": "user" }, { "content": "get_build_spec", "role": "assistant" } ]
def x(self, data): is_grid_search = data.get('grid_search') is not None or data.get( 'grid_search') is None and data.get('random_search' ) is None and data.get('hyperband') is None and data.get('bo') is None is_bo = data.get('bo') is not None validate_matrix(data.get('matrix'), is_grid_search=is_grid_search, is_bo=is_bo)
validate_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n is_grid_search = data.get('grid_search') is not None or data.get(\n 'grid_search') is None and data.get('random_search'\n ) is None and data.get('hyperband') is None and data.get('bo') is None\n is_bo = data.get('bo') is not None\n validate_matrix(data.get('matrix'), is_grid_search=is_grid_search,\n is_bo=is_bo)\n", "role": "user" }, { "content": "validate_matrix", "role": "assistant" } ]
def x(self): if not self._anchor: self._anchor = str(uuid.uuid4()) return self._anchor
anchor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._anchor:\n self._anchor = str(uuid.uuid4())\n return self._anchor\n", "role": "user" }, { "content": "anchor", "role": "assistant" } ]
def x(self): cases = [x.html() for x in self.cases] return ( """ <hr size="2"/> <a name="{anchor}"> <div class="testclass"> <div>Test Class: {name}</div> <div class="testcases"> {cases} </div> </div> </a> """ .format(anchor=self.anchor(), name=tag.text(self.name), count=len( cases), cases=''.join(cases)))
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cases = [x.html() for x in self.cases]\n return (\n \"\"\"\n <hr size=\"2\"/>\n <a name=\"{anchor}\">\n <div class=\"testclass\">\n <div>Test Class: {name}</div>\n <div class=\"testcases\">\n {cases}\n </div>\n </div>\n </a>\n \"\"\"\n .format(anchor=self.anchor(), name=tag.text(self.name), count=len(\n cases), cases=''.join(cases)))\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(self): return ( """ <div class="property"><i>{name}</i><br/> <pre>{value}</pre></div> """ .format(name=tag.text(self.name), value=tag.text(self.value)))
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return (\n \"\"\"\n <div class=\"property\"><i>{name}</i><br/>\n <pre>{value}</pre></div>\n \"\"\"\n .format(name=tag.text(self.name), value=tag.text(self.value)))\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(self): failure = '' skipped = None stdout = tag.text(self.stdout) stderr = tag.text(self.stderr) if self.skipped: skipped = ( """ <hr size="1"/> <div class="skipped"><b>Skipped: {msg}</b><br/> <pre>{skip}</pre> </div> """ .format(msg=tag.text(self.skipped_msg), skip=tag.text(self. skipped))) if self.failed(): failure = ( """ <hr size="1"/> <div class="failure"><b>Failed: {msg}</b><br/> <pre>{fail}</pre> </div> """ .format(msg=tag.text(self.failure_msg), fail=tag.text(self. failure))) properties = [x.html() for x in self.properties] return ( """ <a name="{anchor}"> <div class="testcase"> <div class="details"> <span class="testname"><b>{testname}</b></span><br/> <span class="testclassname">{testclassname}</span><br/> <span class="duration">Time Taken: {duration}s</span> </div> {skipped} {failure} <hr size="1"/> {properties} <div class="stdout"><i>Stdout</i><br/> <pre>{stdout}</pre></div> <hr size="1"/> <div class="stderr"><i>Stderr</i><br/> <pre>{stderr}</pre></div> </div> </a> """ .format(anchor=self.anchor(), testname=self.name, testclassname= self.testclass.name, duration=self.duration, failure=failure, skipped=skipped, properties=''.join(properties), stdout=stdout, stderr=stderr))
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n failure = ''\n skipped = None\n stdout = tag.text(self.stdout)\n stderr = tag.text(self.stderr)\n if self.skipped:\n skipped = (\n \"\"\"\n <hr size=\"1\"/>\n <div class=\"skipped\"><b>Skipped: {msg}</b><br/>\n <pre>{skip}</pre>\n </div>\n \"\"\"\n .format(msg=tag.text(self.skipped_msg), skip=tag.text(self.\n skipped)))\n if self.failed():\n failure = (\n \"\"\"\n <hr size=\"1\"/>\n <div class=\"failure\"><b>Failed: {msg}</b><br/>\n <pre>{fail}</pre>\n </div>\n \"\"\"\n .format(msg=tag.text(self.failure_msg), fail=tag.text(self.\n failure)))\n properties = [x.html() for x in self.properties]\n return (\n \"\"\"\n <a name=\"{anchor}\">\n <div class=\"testcase\">\n <div class=\"details\">\n <span class=\"testname\"><b>{testname}</b></span><br/>\n <span class=\"testclassname\">{testclassname}</span><br/>\n <span class=\"duration\">Time Taken: {duration}s</span>\n </div>\n {skipped}\n {failure}\n <hr size=\"1\"/>\n {properties}\n <div class=\"stdout\"><i>Stdout</i><br/>\n <pre>{stdout}</pre></div>\n <hr size=\"1\"/>\n <div class=\"stderr\"><i>Stderr</i><br/>\n <pre>{stderr}</pre></div>\n </div>\n </a>\n \"\"\"\n .format(anchor=self.anchor(), testname=self.name, testclassname=\n self.testclass.name, duration=self.duration, failure=failure,\n skipped=skipped, properties=''.join(properties), stdout=stdout,\n stderr=stderr))\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(self): tests = list() for testclass in self.classes: tests.extend(self.classes[testclass].cases) return tests
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tests = list()\n for testclass in self.classes:\n tests.extend(self.classes[testclass].cases)\n return tests\n", "role": "user" }, { "content": "all", "role": "assistant" } ]
def x(self): return [test for test in self.all() if not test.failed() and not test. skipped()]
passed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [test for test in self.all() if not test.failed() and not test.\n skipped()]\n", "role": "user" }, { "content": "passed", "role": "assistant" } ]
def x(self): fails = '' skips = '' if len(self.failed()): faillist = list() for failure in self.failed(): faillist.append( """ <li> <a href="#{anchor}">{name}</a> </li> """ .format(anchor=failure.anchor(), name=tag.text(failure. testclass.name + '.' + failure.name))) fails = ( """ <li>Failures <ul>{faillist}</ul> </li> """ .format(faillist=''.join(faillist))) if len(self.skipped()): skiplist = list() for skipped in self.skipped(): skiplist.append( """ <li> <a href="#{anchor}">{name}</a> </li> """ .format(anchor=skipped.anchor(), name=tag.text(skipped. testclass.name + skipped.name))) skips = ( """ <li>Skipped <ul>{skiplist}</ul> </li> """ .format(skiplist=''.join(skiplist))) classlist = list() for classname in self.classes: testclass = self.classes[classname] cases = list() for testcase in testclass.cases: if 'pkcs11' in testcase.name: assert True cases.append( """ <li> <a href="#{anchor}">{name}</a> </li> """ .format(anchor=testcase.anchor(), name=tag.text(testcase.name)) ) classlist.append( """ <li> <a href="#{anchor}">{name}</a> <ul> {cases} </ul> </li> """ .format(anchor=testclass.anchor(), name=testclass.name, cases= ''.join(cases))) return ( """ <ul> {failed} {skips} <li>All Test Classes <ul>{classlist}</ul> </li> </ul> """ .format(failed=fails, skips=skips, classlist=''.join(classlist)))
toc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n fails = ''\n skips = ''\n if len(self.failed()):\n faillist = list()\n for failure in self.failed():\n faillist.append(\n \"\"\"\n <li>\n <a href=\"#{anchor}\">{name}</a>\n </li>\n \"\"\"\n .format(anchor=failure.anchor(), name=tag.text(failure.\n testclass.name + '.' + failure.name)))\n fails = (\n \"\"\"\n <li>Failures\n <ul>{faillist}</ul>\n </li>\n \"\"\"\n .format(faillist=''.join(faillist)))\n if len(self.skipped()):\n skiplist = list()\n for skipped in self.skipped():\n skiplist.append(\n \"\"\"\n <li>\n <a href=\"#{anchor}\">{name}</a>\n </li>\n \"\"\"\n .format(anchor=skipped.anchor(), name=tag.text(skipped.\n testclass.name + skipped.name)))\n skips = (\n \"\"\"\n <li>Skipped\n <ul>{skiplist}</ul>\n </li>\n \"\"\"\n .format(skiplist=''.join(skiplist)))\n classlist = list()\n for classname in self.classes:\n testclass = self.classes[classname]\n cases = list()\n for testcase in testclass.cases:\n if 'pkcs11' in testcase.name:\n assert True\n cases.append(\n \"\"\"\n <li>\n <a href=\"#{anchor}\">{name}</a>\n </li>\n \"\"\"\n .format(anchor=testcase.anchor(), name=tag.text(testcase.name))\n )\n classlist.append(\n \"\"\"\n <li>\n <a href=\"#{anchor}\">{name}</a>\n <ul>\n {cases}\n </ul>\n </li>\n \"\"\"\n .format(anchor=testclass.anchor(), name=testclass.name, cases=\n ''.join(cases)))\n return (\n \"\"\"\n <ul>\n {failed}\n {skips}\n <li>All Test Classes\n <ul>{classlist}</ul>\n </li>\n </ul>\n \"\"\"\n .format(failed=fails, skips=skips, classlist=''.join(classlist)))\n", "role": "user" }, { "content": "toc", "role": "assistant" } ]
def x(self): classes = list() package = '' if self.package is not None: package = 'Package: ' + self.package + '<br/>' for classname in self.classes: classes.append(self.classes[classname].html()) errs = '' for error in self.errors: if not len(errs): errs += "<tr><th colspan='2' align='left'>Errors</th></tr>" for part in ['type', 'message', 'text']: if part in error: errs += '<tr><td>{}</td><td><pre>{}</pre></td></tr>'.format( part, tag.text(error[part])) stdio = '' if self.stderr or self.stdout: stdio += "<tr><th colspan='2' align='left'>Output</th></tr>" if self.stderr: stdio += '<tr><td>Stderr</td><td><pre>{}</pre></td></tr>'.format( tag.text(self.stderr)) if self.stdout: stdio += '<tr><td>Stdout</td><td><pre>{}</pre></td></tr>'.format( tag.text(self.stdout)) props = '' if len(self.properties): props += '<table>' propnames = sorted(self.properties) for prop in propnames: props += '<tr><th>{}</th><td>{}</td></tr>'.format(prop, self. properties[prop]) props += '</table>' return ( """ <div class="testsuite"> <h2>Test Suite: {name}</h2><a name="{anchor}"> {package} {properties} <table> <tr><th align="left">Duration</th><td align="right">{duration} sec</td></tr> <tr><th align="left">Test Cases</th><td align="right">{count}</td></tr> <tr><th align="left">Failures</th><td align="right">{fails}</td></tr> {errs} {stdio} </table> <a name="toc"></a> <h2>Results Index</h2> {toc} <hr size="2"/> <h2>Test Results</h2> <div class="testclasses"> {classes} </div> </div> """ .format(name=tag.text(self.name), anchor=self.anchor(), duration= self.duration, errs=errs, stdio=stdio, toc=self.toc(), package= package, properties=props, classes=''.join(classes), count=len(self .all()), fails=len(self.failed())))
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n classes = list()\n package = ''\n if self.package is not None:\n package = 'Package: ' + self.package + '<br/>'\n for classname in self.classes:\n classes.append(self.classes[classname].html())\n errs = ''\n for error in self.errors:\n if not len(errs):\n errs += \"<tr><th colspan='2' align='left'>Errors</th></tr>\"\n for part in ['type', 'message', 'text']:\n if part in error:\n errs += '<tr><td>{}</td><td><pre>{}</pre></td></tr>'.format(\n part, tag.text(error[part]))\n stdio = ''\n if self.stderr or self.stdout:\n stdio += \"<tr><th colspan='2' align='left'>Output</th></tr>\"\n if self.stderr:\n stdio += '<tr><td>Stderr</td><td><pre>{}</pre></td></tr>'.format(\n tag.text(self.stderr))\n if self.stdout:\n stdio += '<tr><td>Stdout</td><td><pre>{}</pre></td></tr>'.format(\n tag.text(self.stdout))\n props = ''\n if len(self.properties):\n props += '<table>'\n propnames = sorted(self.properties)\n for prop in propnames:\n props += '<tr><th>{}</th><td>{}</td></tr>'.format(prop, self.\n properties[prop])\n props += '</table>'\n return (\n \"\"\"\n <div class=\"testsuite\">\n <h2>Test Suite: {name}</h2><a name=\"{anchor}\">\n {package}\n {properties}\n <table>\n <tr><th align=\"left\">Duration</th><td align=\"right\">{duration} sec</td></tr>\n <tr><th align=\"left\">Test Cases</th><td align=\"right\">{count}</td></tr>\n <tr><th align=\"left\">Failures</th><td align=\"right\">{fails}</td></tr>\n {errs}\n {stdio}\n </table>\n <a name=\"toc\"></a>\n <h2>Results Index</h2>\n {toc}\n <hr size=\"2\"/>\n <h2>Test Results</h2>\n <div class=\"testclasses\">\n {classes}\n </div>\n </div>\n \"\"\"\n .format(name=tag.text(self.name), anchor=self.anchor(), duration=\n self.duration, errs=errs, stdio=stdio, toc=self.toc(), package=\n package, properties=props, classes=''.join(classes), count=len(self\n .all()), fails=len(self.failed())))\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(self): thisdir = os.path.dirname(os.path.abspath(__file__)) with open(os.path.join(thisdir, self.css), 'r') as cssfile: return cssfile.read()
get_css
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n thisdir = os.path.dirname(os.path.abspath(__file__))\n with open(os.path.join(thisdir, self.css), 'r') as cssfile:\n return cssfile.read()\n", "role": "user" }, { "content": "get_css", "role": "assistant" } ]
def x(self): suites = None if isinstance(self.tree, ET.Element): root = self.tree else: root = self.tree.getroot() if root.tag == 'testrun': root = root[0] if root.tag == 'testsuite': suites = [root] if root.tag == 'testsuites': suites = [x for x in root] assert suites, 'could not find test suites in results xml' for suite in suites: cursuite = Suite() self.suites.append(cursuite) cursuite.name = suite.attrib['name'] if 'package' in suite.attrib: cursuite.package = suite.attrib['package'] cursuite.duration = float(suite.attrib.get('time', '0').replace(',', '')) for element in suite: if element.tag == 'error': errtag = {'message': element.attrib.get('message', ''), 'type': element.attrib.get('type', ''), 'text': element .text} cursuite.errors.append(errtag) if element.tag == 'system-out': cursuite.stdout = element.text if element.tag == 'system-err': cursuite.stderr = element.text if element.tag == 'properties': for prop in element: if prop.tag == 'property': cursuite.properties[prop.attrib['name']] = prop.attrib[ 'value'] if element.tag == 'testcase': testcase = element if not testcase.attrib.get('classname', None): testcase.attrib['classname'] = NO_CLASSNAME if testcase.attrib['classname'] not in cursuite: testclass = Class() testclass.name = testcase.attrib['classname'] cursuite[testclass.name] = testclass testclass = cursuite[testcase.attrib['classname']] newcase = Case() newcase.name = testcase.attrib['name'] newcase.testclass = testclass newcase.duration = float(testcase.attrib.get('time', '0'). replace(',', '')) testclass.cases.append(newcase) for child in testcase: if child.tag == 'skipped': newcase.skipped = child.text if 'message' in child.attrib: newcase.skipped_msg = child.attrib['message'] elif child.tag == 'system-out': newcase.stdout = child.text elif child.tag == 'system-err': newcase.stderr = child.text elif child.tag == 'failure': newcase.failure = child.text if 'message' in child.attrib: newcase.failure_msg = child.attrib['message'] elif child.tag == 'error': newcase.failure = child.text if 'message' in child.attrib: newcase.failure_msg = child.attrib['message'] elif child.tag == 'properties': for property in child: newproperty = Property() newproperty.name = property.attrib['name'] newproperty.value = property.attrib['value'] newcase.properties.append(newproperty)
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n suites = None\n if isinstance(self.tree, ET.Element):\n root = self.tree\n else:\n root = self.tree.getroot()\n if root.tag == 'testrun':\n root = root[0]\n if root.tag == 'testsuite':\n suites = [root]\n if root.tag == 'testsuites':\n suites = [x for x in root]\n assert suites, 'could not find test suites in results xml'\n for suite in suites:\n cursuite = Suite()\n self.suites.append(cursuite)\n cursuite.name = suite.attrib['name']\n if 'package' in suite.attrib:\n cursuite.package = suite.attrib['package']\n cursuite.duration = float(suite.attrib.get('time', '0').replace(',',\n ''))\n for element in suite:\n if element.tag == 'error':\n errtag = {'message': element.attrib.get('message', ''),\n 'type': element.attrib.get('type', ''), 'text': element\n .text}\n cursuite.errors.append(errtag)\n if element.tag == 'system-out':\n cursuite.stdout = element.text\n if element.tag == 'system-err':\n cursuite.stderr = element.text\n if element.tag == 'properties':\n for prop in element:\n if prop.tag == 'property':\n cursuite.properties[prop.attrib['name']] = prop.attrib[\n 'value']\n if element.tag == 'testcase':\n testcase = element\n if not testcase.attrib.get('classname', None):\n testcase.attrib['classname'] = NO_CLASSNAME\n if testcase.attrib['classname'] not in cursuite:\n testclass = Class()\n testclass.name = testcase.attrib['classname']\n cursuite[testclass.name] = testclass\n testclass = cursuite[testcase.attrib['classname']]\n newcase = Case()\n newcase.name = testcase.attrib['name']\n newcase.testclass = testclass\n newcase.duration = float(testcase.attrib.get('time', '0').\n replace(',', ''))\n testclass.cases.append(newcase)\n for child in testcase:\n if child.tag == 'skipped':\n newcase.skipped = child.text\n if 'message' in child.attrib:\n newcase.skipped_msg = child.attrib['message']\n elif child.tag == 'system-out':\n newcase.stdout = child.text\n elif child.tag == 'system-err':\n newcase.stderr = child.text\n elif child.tag == 'failure':\n newcase.failure = child.text\n if 'message' in child.attrib:\n newcase.failure_msg = child.attrib['message']\n elif child.tag == 'error':\n newcase.failure = child.text\n if 'message' in child.attrib:\n newcase.failure_msg = child.attrib['message']\n elif child.tag == 'properties':\n for property in child:\n newproperty = Property()\n newproperty.name = property.attrib['name']\n newproperty.value = property.attrib['value']\n newcase.properties.append(newproperty)\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self): if len(self.suites) > 1: tochtml = '<ul>' for suite in self.suites: tochtml += '<li><a href="#{anchor}">{name}</a></li>'.format(anchor =suite.anchor(), name=tag.text(suite.name)) tochtml += '</ul>' return tochtml else: return ''
toc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if len(self.suites) > 1:\n tochtml = '<ul>'\n for suite in self.suites:\n tochtml += '<li><a href=\"#{anchor}\">{name}</a></li>'.format(anchor\n =suite.anchor(), name=tag.text(suite.name))\n tochtml += '</ul>'\n return tochtml\n else:\n return ''\n", "role": "user" }, { "content": "toc", "role": "assistant" } ]
def x(self): page = self.get_html_head() page += '<body><h1>Test Report</h1>' page += self.toc() for suite in self.suites: page += suite.html() page += '</body></html>' return page
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n page = self.get_html_head()\n page += '<body><h1>Test Report</h1>'\n page += self.toc()\n for suite in self.suites:\n page += suite.html()\n page += '</body></html>'\n return page\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(args): opts, args = PARSER.parse_args(args) if args else PARSER.parse_args() if not len(args): PARSER.print_usage() sys.exit(1) outfilename = args[0] + '.html' if len(args) > 1: outfilename = args[1] report = parser.Junit(args[0]) html = report.html() with open(outfilename, 'wb') as outfile: outfile.write(html.encode('utf-8'))
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n opts, args = PARSER.parse_args(args) if args else PARSER.parse_args()\n if not len(args):\n PARSER.print_usage()\n sys.exit(1)\n outfilename = args[0] + '.html'\n if len(args) > 1:\n outfilename = args[1]\n report = parser.Junit(args[0])\n html = report.html()\n with open(outfilename, 'wb') as outfile:\n outfile.write(html.encode('utf-8'))\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, end_of_line='\n'): warnings = {} msg = '{}'.format(end_of_line) if self._continuous: outlier_mask = self.cont_describe.far_outliers > 1 outlier_vars = list(self.cont_describe.far_outliers[outlier_mask]. dropna(how='all').index) if outlier_vars: warnings['Warning, Tukey test indicates far outliers in' ] = outlier_vars modal_mask = (self.cont_describe.diptest >= 0) & (self. cont_describe.diptest <= 0.05) modal_vars = list(self.cont_describe.diptest[modal_mask].dropna(how ='all').index) if modal_vars: warnings[ "Warning, Hartigan's Dip Test reports possible multimodal distributions for" ] = modal_vars modal_mask = (self.cont_describe.normaltest >= 0) & (self. cont_describe.normaltest <= 0.001) modal_vars = list(self.cont_describe.normaltest[modal_mask].dropna( how='all').index) if modal_vars: warnings[ 'Warning, test for normality reports non-normal distributions for' ] = modal_vars for n, k in enumerate(sorted(warnings)): msg += '[{}] {}: {}.{}'.format(n + 1, k, ', '.join(warnings[k]), end_of_line) return msg
generate_remark_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, end_of_line='\\n'):\n warnings = {}\n msg = '{}'.format(end_of_line)\n if self._continuous:\n outlier_mask = self.cont_describe.far_outliers > 1\n outlier_vars = list(self.cont_describe.far_outliers[outlier_mask].\n dropna(how='all').index)\n if outlier_vars:\n warnings['Warning, Tukey test indicates far outliers in'\n ] = outlier_vars\n modal_mask = (self.cont_describe.diptest >= 0) & (self.\n cont_describe.diptest <= 0.05)\n modal_vars = list(self.cont_describe.diptest[modal_mask].dropna(how\n ='all').index)\n if modal_vars:\n warnings[\n \"Warning, Hartigan's Dip Test reports possible multimodal distributions for\"\n ] = modal_vars\n modal_mask = (self.cont_describe.normaltest >= 0) & (self.\n cont_describe.normaltest <= 0.001)\n modal_vars = list(self.cont_describe.normaltest[modal_mask].dropna(\n how='all').index)\n if modal_vars:\n warnings[\n 'Warning, test for normality reports non-normal distributions for'\n ] = modal_vars\n for n, k in enumerate(sorted(warnings)):\n msg += '[{}] {}: {}.{}'.format(n + 1, k, ', '.join(warnings[k]),\n end_of_line)\n return msg\n", "role": "user" }, { "content": "generate_remark_str", "role": "assistant" } ]
def x(self, data): numeric_cols = set(data._get_numeric_data().columns.values) date_cols = set(data.select_dtypes(include=[np.datetime64]).columns) likely_cat = set(data.columns) - numeric_cols likely_cat = list(likely_cat - date_cols) for var in data._get_numeric_data().columns: likely_flag = 1.0 * data[var].nunique() / data[var].count() < 0.05 if likely_flag: likely_cat.append(var) return likely_cat
detect_categorical_columns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n numeric_cols = set(data._get_numeric_data().columns.values)\n date_cols = set(data.select_dtypes(include=[np.datetime64]).columns)\n likely_cat = set(data.columns) - numeric_cols\n likely_cat = list(likely_cat - date_cols)\n for var in data._get_numeric_data().columns:\n likely_flag = 1.0 * data[var].nunique() / data[var].count() < 0.05\n if likely_flag:\n likely_cat.append(var)\n return likely_cat\n", "role": "user" }, { "content": "detect_categorical_columns", "role": "assistant" } ]
def x(self, x): return np.nanstd(x.values, ddof=self._ddof)
std
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n return np.nanstd(x.values, ddof=self._ddof)\n", "role": "user" }, { "content": "std", "role": "assistant" } ]
def x(self, x, threshold): vals = x.values[~np.isnan(x.values)] try: q1, q3 = np.percentile(vals, [25, 75]) iqr = q3 - q1 low_bound = q1 - iqr * threshold high_bound = q3 + iqr * threshold outliers = np.where((vals > high_bound) | (vals < low_bound)) except: outliers = [] return outliers
tukey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x, threshold):\n vals = x.values[~np.isnan(x.values)]\n try:\n q1, q3 = np.percentile(vals, [25, 75])\n iqr = q3 - q1\n low_bound = q1 - iqr * threshold\n high_bound = q3 + iqr * threshold\n outliers = np.where((vals > high_bound) | (vals < low_bound))\n except:\n outliers = []\n return outliers\n", "role": "user" }, { "content": "tukey", "role": "assistant" } ]
def x(self, x): outliers = self._tukey(x, threshold=1.5) return np.size(outliers)
outliers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n outliers = self._tukey(x, threshold=1.5)\n return np.size(outliers)\n", "role": "user" }, { "content": "outliers", "role": "assistant" } ]
def x(self, x): outliers = self._tukey(x, threshold=3.0) return np.size(outliers)
far_outliers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n outliers = self._tukey(x, threshold=3.0)\n return np.size(outliers)\n", "role": "user" }, { "content": "far_outliers", "role": "assistant" } ]
def x(self, x): if isinstance(self._decimals, int): n = self._decimals elif isinstance(self._decimals, dict): try: n = self._decimals[x.name] except: n = 1 else: n = 1 warnings.warn( 'The decimals arg must be an int or dict. Defaulting to {} d.p.' .format(n)) if x.name in self._nonnormal: f = '{{:.{}f}} [{{:.{}f}},{{:.{}f}}]'.format(n, n, n) return f.format(np.nanmedian(x.values), np.nanpercentile(x.values, 25), np.nanpercentile(x.values, 75)) else: f = '{{:.{}f}} ({{:.{}f}})'.format(n, n) return f.format(np.nanmean(x.values), np.nanstd(x.values, ddof=self ._ddof))
t1_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n if isinstance(self._decimals, int):\n n = self._decimals\n elif isinstance(self._decimals, dict):\n try:\n n = self._decimals[x.name]\n except:\n n = 1\n else:\n n = 1\n warnings.warn(\n 'The decimals arg must be an int or dict. Defaulting to {} d.p.'\n .format(n))\n if x.name in self._nonnormal:\n f = '{{:.{}f}} [{{:.{}f}},{{:.{}f}}]'.format(n, n, n)\n return f.format(np.nanmedian(x.values), np.nanpercentile(x.values, \n 25), np.nanpercentile(x.values, 75))\n else:\n f = '{{:.{}f}} ({{:.{}f}})'.format(n, n)\n return f.format(np.nanmean(x.values), np.nanstd(x.values, ddof=self\n ._ddof))\n", "role": "user" }, { "content": "t1_summary", "role": "assistant" } ]
def x(self, data): aggfuncs = [pd.Series.count, np.mean, np.median, self._std, self._q25, self._q75, min, max, self._t1_summary, self._diptest, self. _outliers, self._far_outliers, self._normaltest] cont_data = data[self._continuous].apply(pd.to_numeric, errors='coerce') bad_cols = cont_data.count() != data[self._continuous].count() bad_cols = cont_data.columns[bad_cols] if len(bad_cols) > 0: raise InputError( """The following continuous column(s) have non-numeric values: {}. Either specify the column(s) as categorical or remove the non-numeric values.""" .format(bad_cols.values)) for column in cont_data.columns[cont_data.count() == 0]: self._non_continuous_warning(column) if self._groupby: cont_data = cont_data.merge(data[[self._groupby]], left_index=True, right_index=True) df_cont = pd.pivot_table(cont_data, columns=[self._groupby], aggfunc=aggfuncs) else: df_cont = cont_data.apply(aggfuncs).T df_cont.columns.name = 'overall' df_cont.columns = pd.MultiIndex.from_product([df_cont.columns, [ 'overall']]) df_cont.index.rename('variable', inplace=True) agg_rename = df_cont.columns.levels[0] agg_rename = [(x[1:] if x[0] == '_' else x) for x in agg_rename] df_cont.columns.set_levels(agg_rename, level=0, inplace=True) return df_cont
create_cont_describe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n aggfuncs = [pd.Series.count, np.mean, np.median, self._std, self._q25,\n self._q75, min, max, self._t1_summary, self._diptest, self.\n _outliers, self._far_outliers, self._normaltest]\n cont_data = data[self._continuous].apply(pd.to_numeric, errors='coerce')\n bad_cols = cont_data.count() != data[self._continuous].count()\n bad_cols = cont_data.columns[bad_cols]\n if len(bad_cols) > 0:\n raise InputError(\n \"\"\"The following continuous column(s) have non-numeric values: {}.\n Either specify the column(s) as categorical or remove the non-numeric values.\"\"\"\n .format(bad_cols.values))\n for column in cont_data.columns[cont_data.count() == 0]:\n self._non_continuous_warning(column)\n if self._groupby:\n cont_data = cont_data.merge(data[[self._groupby]], left_index=True,\n right_index=True)\n df_cont = pd.pivot_table(cont_data, columns=[self._groupby],\n aggfunc=aggfuncs)\n else:\n df_cont = cont_data.apply(aggfuncs).T\n df_cont.columns.name = 'overall'\n df_cont.columns = pd.MultiIndex.from_product([df_cont.columns, [\n 'overall']])\n df_cont.index.rename('variable', inplace=True)\n agg_rename = df_cont.columns.levels[0]\n agg_rename = [(x[1:] if x[0] == '_' else x) for x in agg_rename]\n df_cont.columns.set_levels(agg_rename, level=0, inplace=True)\n return df_cont\n", "role": "user" }, { "content": "create_cont_describe", "role": "assistant" } ]
def x(self, data): group_dict = {} for g in self._groupbylvls: if self._groupby: d_slice = data.loc[data[self._groupby] == g, self._categorical] else: d_slice = data[self._categorical].copy() df = d_slice.copy() for column in df.columns: df[column] = [(str(row) if not pd.isnull(row) else None) for row in df[column].values] df = df.melt().groupby(['variable', 'value']).size().to_frame(name= 'freq') df.index.set_names('level', level=1, inplace=True) df['percent'] = df['freq'].div(df.freq.sum(level=0), level=0).astype( float) * 100 if isinstance(self._decimals, int): n = self._decimals f = '{{:.{}f}}'.format(n) df['percent'] = df['percent'].astype(float).map(f.format) elif isinstance(self._decimals, dict): df.loc[:, 'percent'] = df.apply(self._format_cat, axis=1) else: n = 1 f = '{{:.{}f}}'.format(n) df['percent'] = df['percent'].astype(float).map(f.format) ct = d_slice.count().to_frame(name='n') ct.index.name = 'variable' df = df.join(ct) nulls = d_slice.isnull().sum().to_frame(name='isnull') nulls.index.name = 'variable' levels = df.reset_index()[['variable', 'level']].groupby('variable' ).first() nulls = nulls.join(levels) nulls.set_index('level', append=True, inplace=True) df = df.join(nulls) df['t1_summary'] = df.freq.map(str) + ' (' + df.percent.map(str) + ')' group_dict[g] = df df_cat = pd.concat(group_dict, axis=1) if df_cat.columns.nlevels > 1: df_cat = df_cat.swaplevel(0, 1, axis=1).sort_index(axis=1, level=0) return df_cat
create_cat_describe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n group_dict = {}\n for g in self._groupbylvls:\n if self._groupby:\n d_slice = data.loc[data[self._groupby] == g, self._categorical]\n else:\n d_slice = data[self._categorical].copy()\n df = d_slice.copy()\n for column in df.columns:\n df[column] = [(str(row) if not pd.isnull(row) else None) for\n row in df[column].values]\n df = df.melt().groupby(['variable', 'value']).size().to_frame(name=\n 'freq')\n df.index.set_names('level', level=1, inplace=True)\n df['percent'] = df['freq'].div(df.freq.sum(level=0), level=0).astype(\n float) * 100\n if isinstance(self._decimals, int):\n n = self._decimals\n f = '{{:.{}f}}'.format(n)\n df['percent'] = df['percent'].astype(float).map(f.format)\n elif isinstance(self._decimals, dict):\n df.loc[:, 'percent'] = df.apply(self._format_cat, axis=1)\n else:\n n = 1\n f = '{{:.{}f}}'.format(n)\n df['percent'] = df['percent'].astype(float).map(f.format)\n ct = d_slice.count().to_frame(name='n')\n ct.index.name = 'variable'\n df = df.join(ct)\n nulls = d_slice.isnull().sum().to_frame(name='isnull')\n nulls.index.name = 'variable'\n levels = df.reset_index()[['variable', 'level']].groupby('variable'\n ).first()\n nulls = nulls.join(levels)\n nulls.set_index('level', append=True, inplace=True)\n df = df.join(nulls)\n df['t1_summary'] = df.freq.map(str) + ' (' + df.percent.map(str) + ')'\n group_dict[g] = df\n df_cat = pd.concat(group_dict, axis=1)\n if df_cat.columns.nlevels > 1:\n df_cat = df_cat.swaplevel(0, 1, axis=1).sort_index(axis=1, level=0)\n return df_cat\n", "role": "user" }, { "content": "create_cat_describe", "role": "assistant" } ]
def x(self, data): df = pd.DataFrame(index=self._continuous + self._categorical, columns=[ 'continuous', 'nonnormal', 'min_observed', 'pval', 'ptest']) df.index.rename('variable', inplace=True) df['continuous'] = np.where(df.index.isin(self._continuous), True, False) df['nonnormal'] = np.where(df.index.isin(self._nonnormal), True, False) for v in df.index: is_continuous = df.loc[v]['continuous'] is_categorical = ~df.loc[v]['continuous'] is_normal = ~df.loc[v]['nonnormal'] if is_continuous: catlevels = None grouped_data = [] for s in self._groupbylvls: lvl_data = data.loc[data[self._groupby] == s, v] lvl_data = lvl_data.apply(pd.to_numeric, errors='coerce' ).dropna() grouped_data.append(lvl_data.values) min_observed = len(min(grouped_data, key=len)) elif is_categorical: catlevels = sorted(data[v].astype('category').cat.categories) grouped_data = pd.crosstab(data[self._groupby].rename( '_groupby_var_'), data[v]) min_observed = grouped_data.sum(axis=1).min() df.loc[v, 'min_observed'] = min_observed df.loc[v, 'pval'], df.loc[v, 'ptest'] = self._p_test(v, grouped_data, is_continuous, is_categorical, is_normal, min_observed, catlevels) return df
create_significance_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n df = pd.DataFrame(index=self._continuous + self._categorical, columns=[\n 'continuous', 'nonnormal', 'min_observed', 'pval', 'ptest'])\n df.index.rename('variable', inplace=True)\n df['continuous'] = np.where(df.index.isin(self._continuous), True, False)\n df['nonnormal'] = np.where(df.index.isin(self._nonnormal), True, False)\n for v in df.index:\n is_continuous = df.loc[v]['continuous']\n is_categorical = ~df.loc[v]['continuous']\n is_normal = ~df.loc[v]['nonnormal']\n if is_continuous:\n catlevels = None\n grouped_data = []\n for s in self._groupbylvls:\n lvl_data = data.loc[data[self._groupby] == s, v]\n lvl_data = lvl_data.apply(pd.to_numeric, errors='coerce'\n ).dropna()\n grouped_data.append(lvl_data.values)\n min_observed = len(min(grouped_data, key=len))\n elif is_categorical:\n catlevels = sorted(data[v].astype('category').cat.categories)\n grouped_data = pd.crosstab(data[self._groupby].rename(\n '_groupby_var_'), data[v])\n min_observed = grouped_data.sum(axis=1).min()\n df.loc[v, 'min_observed'] = min_observed\n df.loc[v, 'pval'], df.loc[v, 'ptest'] = self._p_test(v,\n grouped_data, is_continuous, is_categorical, is_normal,\n min_observed, catlevels)\n return df\n", "role": "user" }, { "content": "create_significance_table", "role": "assistant" } ]
def x(self, data): table = self.cont_describe[['t1_summary']].copy() table.columns = table.columns.droplevel(level=0) nulltable = data[self._continuous].isnull().sum().to_frame(name='isnull') try: table = table.join(nulltable) except TypeError: table.columns = table.columns.astype(str) table = table.join(nulltable) table['level'] = '' table.set_index([table.index, 'level'], inplace=True) if self._pval and self._pval_adjust: table = table.join(self._significance_table[['pval (adjusted)', 'ptest']]) elif self._pval: table = table.join(self._significance_table[['pval', 'ptest']]) return table
create_cont_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n table = self.cont_describe[['t1_summary']].copy()\n table.columns = table.columns.droplevel(level=0)\n nulltable = data[self._continuous].isnull().sum().to_frame(name='isnull')\n try:\n table = table.join(nulltable)\n except TypeError:\n table.columns = table.columns.astype(str)\n table = table.join(nulltable)\n table['level'] = ''\n table.set_index([table.index, 'level'], inplace=True)\n if self._pval and self._pval_adjust:\n table = table.join(self._significance_table[['pval (adjusted)',\n 'ptest']])\n elif self._pval:\n table = table.join(self._significance_table[['pval', 'ptest']])\n return table\n", "role": "user" }, { "content": "create_cont_table", "role": "assistant" } ]
def x(self, data): table = self.cat_describe['t1_summary'].copy() isnull = data[self._categorical].isnull().sum().to_frame(name='isnull') isnull.index.rename('variable', inplace=True) try: table = table.join(isnull) except TypeError: table.columns = table.columns.astype(str) table = table.join(isnull) if self._pval and self._pval_adjust: table = table.join(self._significance_table[['pval (adjusted)', 'ptest']]) elif self._pval: table = table.join(self._significance_table[['pval', 'ptest']]) return table
create_cat_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n table = self.cat_describe['t1_summary'].copy()\n isnull = data[self._categorical].isnull().sum().to_frame(name='isnull')\n isnull.index.rename('variable', inplace=True)\n try:\n table = table.join(isnull)\n except TypeError:\n table.columns = table.columns.astype(str)\n table = table.join(isnull)\n if self._pval and self._pval_adjust:\n table = table.join(self._significance_table[['pval (adjusted)',\n 'ptest']])\n elif self._pval:\n table = table.join(self._significance_table[['pval', 'ptest']])\n return table\n", "role": "user" }, { "content": "create_cat_table", "role": "assistant" } ]
def x(self, data): if self._continuous and self._categorical: try: table = pd.concat([self.cont_table, self.cat_table], sort=False) except: table = pd.concat([self.cont_table, self.cat_table]) elif self._continuous: table = self.cont_table elif self._categorical: table = self.cat_table if self._pval and self._pval_adjust: table['pval (adjusted)'] = table['pval (adjusted)'].apply('{:.3f}'. format).astype(str) table.loc[table['pval (adjusted)'] == '0.000', 'pval (adjusted)' ] = '<0.001' elif self._pval: table['pval'] = table['pval'].apply('{:.3f}'.format).astype(str) table.loc[table['pval'] == '0.000', 'pval'] = '<0.001' table.reset_index().set_index(['variable', 'level'], inplace=True) if self._sort: new_index = sorted(table.index.values) else: new_index = sorted(table.index.values, key=lambda x: self._columns. index(x[0])) table = table.reindex(new_index) if self._limit: levelcounts = data[self._categorical].nunique() levelcounts = levelcounts[levelcounts >= self._limit] for v, _ in levelcounts.iteritems(): count = data[v].value_counts().sort_values(ascending=False) new_index = [(v, i) for i in count.index] new_index_array = np.empty((len(new_index),), dtype=object) new_index_array[:] = [tuple(i) for i in new_index] orig_index = table.index.values.copy() orig_index[table.index.get_loc(v)] = new_index_array table = table.reindex(orig_index) n_row = pd.DataFrame(columns=['variable', 'level', 'isnull']) n_row.set_index(['variable', 'level'], inplace=True) n_row.loc['n', ''] = None try: table = pd.concat([n_row, table], sort=False) except: table = pd.concat([n_row, table]) if self._groupbylvls == ['overall']: table.loc['n', 'overall'] = len(data.index) else: for g in self._groupbylvls: ct = data[self._groupby][data[self._groupby] == g].count() table.loc['n', g] = ct dupe_mask = table.groupby(level=[0]).cumcount().ne(0) dupe_columns = ['isnull'] optional_columns = ['pval', 'pval (adjusted)', 'ptest'] for col in optional_columns: if col in table.columns.values: dupe_columns.append(col) table[dupe_columns] = table[dupe_columns].mask(dupe_mask).fillna('') table.drop([''], axis=1, inplace=True) if not self._isnull: table.drop('isnull', axis=1, inplace=True) table.fillna('', inplace=True) if not self._groupbylvls == ['overall']: c = self._groupby if self._alt_labels: if self._groupby in self._alt_labels: c = self._alt_labels[self._groupby] c = 'Grouped by {}'.format(c) table.columns = pd.MultiIndex.from_product([[c], table.columns]) table.rename(index=self._create_row_labels(), inplace=True, level=0) if self._limit: table = table.groupby('variable').head(self._limit) if self._groupby: cols = table.columns.levels[1].values else: cols = table.columns.values if 'isnull' in cols: cols = ['isnull'] + [x for x in cols if x != 'isnull'] for col in optional_columns: if col in cols: cols = [x for x in cols if x != col] + [col] if self._groupby: table = table.reindex(cols, axis=1, level=1) else: table = table.reindex(cols, axis=1) return table
create_tableone
[ { "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 self._continuous and self._categorical:\n try:\n table = pd.concat([self.cont_table, self.cat_table], sort=False)\n except:\n table = pd.concat([self.cont_table, self.cat_table])\n elif self._continuous:\n table = self.cont_table\n elif self._categorical:\n table = self.cat_table\n if self._pval and self._pval_adjust:\n table['pval (adjusted)'] = table['pval (adjusted)'].apply('{:.3f}'.\n format).astype(str)\n table.loc[table['pval (adjusted)'] == '0.000', 'pval (adjusted)'\n ] = '<0.001'\n elif self._pval:\n table['pval'] = table['pval'].apply('{:.3f}'.format).astype(str)\n table.loc[table['pval'] == '0.000', 'pval'] = '<0.001'\n table.reset_index().set_index(['variable', 'level'], inplace=True)\n if self._sort:\n new_index = sorted(table.index.values)\n else:\n new_index = sorted(table.index.values, key=lambda x: self._columns.\n index(x[0]))\n table = table.reindex(new_index)\n if self._limit:\n levelcounts = data[self._categorical].nunique()\n levelcounts = levelcounts[levelcounts >= self._limit]\n for v, _ in levelcounts.iteritems():\n count = data[v].value_counts().sort_values(ascending=False)\n new_index = [(v, i) for i in count.index]\n new_index_array = np.empty((len(new_index),), dtype=object)\n new_index_array[:] = [tuple(i) for i in new_index]\n orig_index = table.index.values.copy()\n orig_index[table.index.get_loc(v)] = new_index_array\n table = table.reindex(orig_index)\n n_row = pd.DataFrame(columns=['variable', 'level', 'isnull'])\n n_row.set_index(['variable', 'level'], inplace=True)\n n_row.loc['n', ''] = None\n try:\n table = pd.concat([n_row, table], sort=False)\n except:\n table = pd.concat([n_row, table])\n if self._groupbylvls == ['overall']:\n table.loc['n', 'overall'] = len(data.index)\n else:\n for g in self._groupbylvls:\n ct = data[self._groupby][data[self._groupby] == g].count()\n table.loc['n', g] = ct\n dupe_mask = table.groupby(level=[0]).cumcount().ne(0)\n dupe_columns = ['isnull']\n optional_columns = ['pval', 'pval (adjusted)', 'ptest']\n for col in optional_columns:\n if col in table.columns.values:\n dupe_columns.append(col)\n table[dupe_columns] = table[dupe_columns].mask(dupe_mask).fillna('')\n table.drop([''], axis=1, inplace=True)\n if not self._isnull:\n table.drop('isnull', axis=1, inplace=True)\n table.fillna('', inplace=True)\n if not self._groupbylvls == ['overall']:\n c = self._groupby\n if self._alt_labels:\n if self._groupby in self._alt_labels:\n c = self._alt_labels[self._groupby]\n c = 'Grouped by {}'.format(c)\n table.columns = pd.MultiIndex.from_product([[c], table.columns])\n table.rename(index=self._create_row_labels(), inplace=True, level=0)\n if self._limit:\n table = table.groupby('variable').head(self._limit)\n if self._groupby:\n cols = table.columns.levels[1].values\n else:\n cols = table.columns.values\n if 'isnull' in cols:\n cols = ['isnull'] + [x for x in cols if x != 'isnull']\n for col in optional_columns:\n if col in cols:\n cols = [x for x in cols if x != col] + [col]\n if self._groupby:\n table = table.reindex(cols, axis=1, level=1)\n else:\n table = table.reindex(cols, axis=1)\n return table\n", "role": "user" }, { "content": "create_tableone", "role": "assistant" } ]
def x(self): labels = {} for c in self._columns: labels[c] = c if self._alt_labels: for k in self._alt_labels.keys(): labels[k] = self._alt_labels[k] if self._label_suffix: for k in labels.keys(): if k in self._nonnormal: labels[k] = '{}, {}'.format(labels[k], 'median [Q1,Q3]') elif k in self._categorical: labels[k] = '{}, {}'.format(labels[k], 'n (%)') else: labels[k] = '{}, {}'.format(labels[k], 'mean (SD)') return labels
create_row_labels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n labels = {}\n for c in self._columns:\n labels[c] = c\n if self._alt_labels:\n for k in self._alt_labels.keys():\n labels[k] = self._alt_labels[k]\n if self._label_suffix:\n for k in labels.keys():\n if k in self._nonnormal:\n labels[k] = '{}, {}'.format(labels[k], 'median [Q1,Q3]')\n elif k in self._categorical:\n labels[k] = '{}, {}'.format(labels[k], 'n (%)')\n else:\n labels[k] = '{}, {}'.format(labels[k], 'mean (SD)')\n return labels\n", "role": "user" }, { "content": "create_row_labels", "role": "assistant" } ]
def x(nbr_data_pts, deriv_order=0): if deriv_order == 0: return (3.0 * nbr_data_pts / 4) ** (-1.0 / 5) if deriv_order == 2: return (7.0 * nbr_data_pts / 4) ** (-1.0 / 9) raise ValueError('Not implemented for derivative of order {}'.format( deriv_order))
bandwidth_factor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nbr_data_pts, deriv_order=0):\n if deriv_order == 0:\n return (3.0 * nbr_data_pts / 4) ** (-1.0 / 5)\n if deriv_order == 2:\n return (7.0 * nbr_data_pts / 4) ** (-1.0 / 9)\n raise ValueError('Not implemented for derivative of order {}'.format(\n deriv_order))\n", "role": "user" }, { "content": "bandwidth_factor", "role": "assistant" } ]
def x(tag, text=None, **params): params_string = '' for key, value in sorted(params.items()): key = key.lstrip('_') params_string += u' {0}="{1}"'.format(key, value) tag_string = u'<{0}{1}>'.format(tag, params_string) if text: tag_string += u'{0}</{1}>'.format(text, tag) return tag_string
make_html_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tag, text=None, **params):\n params_string = ''\n for key, value in sorted(params.items()):\n key = key.lstrip('_')\n params_string += u' {0}=\"{1}\"'.format(key, value)\n tag_string = u'<{0}{1}>'.format(tag, params_string)\n if text:\n tag_string += u'{0}</{1}>'.format(text, tag)\n return tag_string\n", "role": "user" }, { "content": "make_html_tag", "role": "assistant" } ]
def x(self, format='~2~', url=None, show_if_single_page=False, separator= ' ', symbol_first='&lt;&lt;', symbol_last='&gt;&gt;', symbol_previous= '&lt;', symbol_next='&gt;', link_attr=None, curpage_attr=None, dotdot_attr=None, link_tag=None): link_attr = link_attr or {} curpage_attr = curpage_attr or {} dotdot_attr = dotdot_attr or {} self.curpage_attr = curpage_attr self.separator = separator self.link_attr = link_attr self.dotdot_attr = dotdot_attr self.url = url self.link_tag = link_tag or self.default_link_tag if (self.page_count == 0 or self.page_count == 1 and not show_if_single_page): return '' regex_res = re.search('~(\\d+)~', format) if regex_res: radius = regex_res.group(1) else: radius = 2 radius = int(radius) self.radius = radius link_map = self.link_map(format=format, url=url, show_if_single_page= show_if_single_page, separator=separator, symbol_first=symbol_first, symbol_last=symbol_last, symbol_previous=symbol_previous, symbol_next=symbol_next, link_attr=link_attr, curpage_attr= curpage_attr, dotdot_attr=dotdot_attr) links_markup = self._range(link_map, radius) result = re.sub('~(\\d+)~', links_markup, format) link_first = self.page > self.first_page and self.link_tag(link_map[ 'first_page']) or '' link_last = self.page < self.last_page and self.link_tag(link_map[ 'last_page']) or '' link_previous = self.previous_page and self.link_tag(link_map[ 'previous_page']) or '' link_next = self.next_page and self.link_tag(link_map['next_page']) or '' result = Template(result).safe_substitute({'first_page': self. first_page, 'last_page': self.last_page, 'page': self.page, 'page_count': self.page_count, 'items_per_page': self. items_per_page, 'first_item': self.first_item, 'last_item': self. last_item, 'item_count': self.item_count, 'link_first': link_first, 'link_last': link_last, 'link_previous': link_previous, 'link_next': link_next}) return result
pager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, format='~2~', url=None, show_if_single_page=False, separator=\n ' ', symbol_first='&lt;&lt;', symbol_last='&gt;&gt;', symbol_previous=\n '&lt;', symbol_next='&gt;', link_attr=None, curpage_attr=None,\n dotdot_attr=None, link_tag=None):\n link_attr = link_attr or {}\n curpage_attr = curpage_attr or {}\n dotdot_attr = dotdot_attr or {}\n self.curpage_attr = curpage_attr\n self.separator = separator\n self.link_attr = link_attr\n self.dotdot_attr = dotdot_attr\n self.url = url\n self.link_tag = link_tag or self.default_link_tag\n if (self.page_count == 0 or self.page_count == 1 and not\n show_if_single_page):\n return ''\n regex_res = re.search('~(\\\\d+)~', format)\n if regex_res:\n radius = regex_res.group(1)\n else:\n radius = 2\n radius = int(radius)\n self.radius = radius\n link_map = self.link_map(format=format, url=url, show_if_single_page=\n show_if_single_page, separator=separator, symbol_first=symbol_first,\n symbol_last=symbol_last, symbol_previous=symbol_previous,\n symbol_next=symbol_next, link_attr=link_attr, curpage_attr=\n curpage_attr, dotdot_attr=dotdot_attr)\n links_markup = self._range(link_map, radius)\n result = re.sub('~(\\\\d+)~', links_markup, format)\n link_first = self.page > self.first_page and self.link_tag(link_map[\n 'first_page']) or ''\n link_last = self.page < self.last_page and self.link_tag(link_map[\n 'last_page']) or ''\n link_previous = self.previous_page and self.link_tag(link_map[\n 'previous_page']) or ''\n link_next = self.next_page and self.link_tag(link_map['next_page']) or ''\n result = Template(result).safe_substitute({'first_page': self.\n first_page, 'last_page': self.last_page, 'page': self.page,\n 'page_count': self.page_count, 'items_per_page': self.\n items_per_page, 'first_item': self.first_item, 'last_item': self.\n last_item, 'item_count': self.item_count, 'link_first': link_first,\n 'link_last': link_last, 'link_previous': link_previous, 'link_next':\n link_next})\n return result\n", "role": "user" }, { "content": "pager", "role": "assistant" } ]
def x(self, format='~2~', url=None, show_if_single_page=False, separator= ' ', symbol_first='&lt;&lt;', symbol_last='&gt;&gt;', symbol_previous= '&lt;', symbol_next='&gt;', link_attr=None, curpage_attr=None, dotdot_attr=None): link_attr = link_attr or {} curpage_attr = curpage_attr or {} dotdot_attr = dotdot_attr or {} self.curpage_attr = curpage_attr self.separator = separator self.link_attr = link_attr self.dotdot_attr = dotdot_attr self.url = url regex_res = re.search('~(\\d+)~', format) if regex_res: radius = regex_res.group(1) else: radius = 2 radius = int(radius) self.radius = radius leftmost_page = max(self.first_page, self.page - radius ) if self.first_page else None rightmost_page = min(self.last_page, self.page + radius ) if self.last_page else None nav_items = {'first_page': None, 'last_page': None, 'previous_page': None, 'next_page': None, 'current_page': None, 'radius': self. radius, 'range_pages': []} if leftmost_page is None or rightmost_page is None: return nav_items nav_items['first_page'] = {'type': 'first_page', 'value': unicode( symbol_first), 'attrs': self.link_attr, 'number': self.first_page, 'href': self.url_maker(self.first_page)} if leftmost_page - self.first_page > 1: nav_items['range_pages'].append({'type': 'span', 'value': '..', 'attrs': self.dotdot_attr, 'href': '', 'number': None}) for thispage in range(leftmost_page, rightmost_page + 1): if thispage == self.page: nav_items['range_pages'].append({'type': 'current_page', 'value': unicode(thispage), 'number': thispage, 'attrs': self.curpage_attr, 'href': self.url_maker(thispage)}) nav_items['current_page'] = {'value': thispage, 'attrs': self. curpage_attr, 'type': 'current_page', 'href': self. url_maker(thispage)} else: nav_items['range_pages'].append({'type': 'page', 'value': unicode(thispage), 'number': thispage, 'attrs': self. link_attr, 'href': self.url_maker(thispage)}) if self.last_page - rightmost_page > 1: nav_items['range_pages'].append({'type': 'span', 'value': '..', 'attrs': self.dotdot_attr, 'href': '', 'number': None}) nav_items['last_page'] = {'type': 'last_page', 'value': unicode( symbol_last), 'attrs': self.link_attr, 'href': self.url_maker(self. last_page), 'number': self.last_page} nav_items['previous_page'] = {'type': 'previous_page', 'value': unicode (symbol_previous), 'attrs': self.link_attr, 'number': self. previous_page or self.first_page, 'href': self.url_maker(self. previous_page or self.first_page)} nav_items['next_page'] = {'type': 'next_page', 'value': unicode( symbol_next), 'attrs': self.link_attr, 'number': self.next_page or self.last_page, 'href': self.url_maker(self.next_page or self. last_page)} return nav_items
link_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, format='~2~', url=None, show_if_single_page=False, separator=\n ' ', symbol_first='&lt;&lt;', symbol_last='&gt;&gt;', symbol_previous=\n '&lt;', symbol_next='&gt;', link_attr=None, curpage_attr=None,\n dotdot_attr=None):\n link_attr = link_attr or {}\n curpage_attr = curpage_attr or {}\n dotdot_attr = dotdot_attr or {}\n self.curpage_attr = curpage_attr\n self.separator = separator\n self.link_attr = link_attr\n self.dotdot_attr = dotdot_attr\n self.url = url\n regex_res = re.search('~(\\\\d+)~', format)\n if regex_res:\n radius = regex_res.group(1)\n else:\n radius = 2\n radius = int(radius)\n self.radius = radius\n leftmost_page = max(self.first_page, self.page - radius\n ) if self.first_page else None\n rightmost_page = min(self.last_page, self.page + radius\n ) if self.last_page else None\n nav_items = {'first_page': None, 'last_page': None, 'previous_page':\n None, 'next_page': None, 'current_page': None, 'radius': self.\n radius, 'range_pages': []}\n if leftmost_page is None or rightmost_page is None:\n return nav_items\n nav_items['first_page'] = {'type': 'first_page', 'value': unicode(\n symbol_first), 'attrs': self.link_attr, 'number': self.first_page,\n 'href': self.url_maker(self.first_page)}\n if leftmost_page - self.first_page > 1:\n nav_items['range_pages'].append({'type': 'span', 'value': '..',\n 'attrs': self.dotdot_attr, 'href': '', 'number': None})\n for thispage in range(leftmost_page, rightmost_page + 1):\n if thispage == self.page:\n nav_items['range_pages'].append({'type': 'current_page',\n 'value': unicode(thispage), 'number': thispage, 'attrs':\n self.curpage_attr, 'href': self.url_maker(thispage)})\n nav_items['current_page'] = {'value': thispage, 'attrs': self.\n curpage_attr, 'type': 'current_page', 'href': self.\n url_maker(thispage)}\n else:\n nav_items['range_pages'].append({'type': 'page', 'value':\n unicode(thispage), 'number': thispage, 'attrs': self.\n link_attr, 'href': self.url_maker(thispage)})\n if self.last_page - rightmost_page > 1:\n nav_items['range_pages'].append({'type': 'span', 'value': '..',\n 'attrs': self.dotdot_attr, 'href': '', 'number': None})\n nav_items['last_page'] = {'type': 'last_page', 'value': unicode(\n symbol_last), 'attrs': self.link_attr, 'href': self.url_maker(self.\n last_page), 'number': self.last_page}\n nav_items['previous_page'] = {'type': 'previous_page', 'value': unicode\n (symbol_previous), 'attrs': self.link_attr, 'number': self.\n previous_page or self.first_page, 'href': self.url_maker(self.\n previous_page or self.first_page)}\n nav_items['next_page'] = {'type': 'next_page', 'value': unicode(\n symbol_next), 'attrs': self.link_attr, 'number': self.next_page or\n self.last_page, 'href': self.url_maker(self.next_page or self.\n last_page)}\n return nav_items\n", "role": "user" }, { "content": "link_map", "role": "assistant" } ]
def x(self, link_map, radius): leftmost_page = max(self.first_page, self.page - radius) rightmost_page = min(self.last_page, self.page + radius) nav_items = [] if self.page != self.first_page and self.first_page < leftmost_page: page = link_map['first_page'].copy() page['value'] = unicode(page['number']) nav_items.append(self.link_tag(page)) for item in link_map['range_pages']: nav_items.append(self.link_tag(item)) if self.page != self.last_page and rightmost_page < self.last_page: page = link_map['last_page'].copy() page['value'] = unicode(page['number']) nav_items.append(self.link_tag(page)) return self.separator.join(nav_items)
range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_map, radius):\n leftmost_page = max(self.first_page, self.page - radius)\n rightmost_page = min(self.last_page, self.page + radius)\n nav_items = []\n if self.page != self.first_page and self.first_page < leftmost_page:\n page = link_map['first_page'].copy()\n page['value'] = unicode(page['number'])\n nav_items.append(self.link_tag(page))\n for item in link_map['range_pages']:\n nav_items.append(self.link_tag(item))\n if self.page != self.last_page and rightmost_page < self.last_page:\n page = link_map['last_page'].copy()\n page['value'] = unicode(page['number'])\n nav_items.append(self.link_tag(page))\n return self.separator.join(nav_items)\n", "role": "user" }, { "content": "range", "role": "assistant" } ]
def x(item): text = item['value'] target_url = item['href'] if not item['href'] or item['type'] in ('span', 'current_page'): if item['attrs']: text = make_html_tag('span', **item['attrs']) + text + '</span>' return text return make_html_tag('a', text=text, href=target_url, **item['attrs'])
default_link_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item):\n text = item['value']\n target_url = item['href']\n if not item['href'] or item['type'] in ('span', 'current_page'):\n if item['attrs']:\n text = make_html_tag('span', **item['attrs']) + text + '</span>'\n return text\n return make_html_tag('a', text=text, href=target_url, **item['attrs'])\n", "role": "user" }, { "content": "default_link_tag", "role": "assistant" } ]
def x(self, corpus, tokenize=True): s_split = SentenceTokenizer().tokenize if tokenize else lambda t: t.split( '\n') w_split = WordTokenizer().tokenize if tokenize else lambda s: s.split() def x(corpus): for s in s_split(corpus): yield w_split(s) prev, prev2 = self.START tokens = [] for words in split_sents(corpus): context = self.START + [self._normalize(w) for w in words] + self.END for i, word in enumerate(words): tag = self.tagdict.get(word) if not tag: features = self._get_features(i, word, context, prev, prev2) tag = self.model.predict(features) tokens.append((word, tag)) prev2 = prev prev = tag return tokens
tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, corpus, tokenize=True):\n s_split = SentenceTokenizer().tokenize if tokenize else lambda t: t.split(\n '\\n')\n w_split = WordTokenizer().tokenize if tokenize else lambda s: s.split()\n\n def x(corpus):\n for s in s_split(corpus):\n yield w_split(s)\n prev, prev2 = self.START\n tokens = []\n for words in split_sents(corpus):\n context = self.START + [self._normalize(w) for w in words] + self.END\n for i, word in enumerate(words):\n tag = self.tagdict.get(word)\n if not tag:\n features = self._get_features(i, word, context, prev, prev2)\n tag = self.model.predict(features)\n tokens.append((word, tag))\n prev2 = prev\n prev = tag\n return tokens\n", "role": "user" }, { "content": "tag", "role": "assistant" } ]
def x(self, sentences, save_loc=None, nr_iter=5): self._make_tagdict(sentences) self.model.classes = self.classes for iter_ in range(nr_iter): c = 0 n = 0 for words, tags in sentences: prev, prev2 = self.START context = self.START + [self._normalize(w) for w in words ] + self.END for i, word in enumerate(words): guess = self.tagdict.get(word) if not guess: feats = self._get_features(i, word, context, prev, prev2) guess = self.model.predict(feats) self.model.update(tags[i], guess, feats) prev2 = prev prev = guess c += guess == tags[i] n += 1 random.shuffle(sentences) logging.info('Iter {0}: {1}/{2}={3}'.format(iter_, c, n, _pc(c, n))) self.model.average_weights() if save_loc is not None: pickle.dump((self.model.weights, self.tagdict, self.classes), open( save_loc, 'wb'), -1) return None
train
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sentences, save_loc=None, nr_iter=5):\n self._make_tagdict(sentences)\n self.model.classes = self.classes\n for iter_ in range(nr_iter):\n c = 0\n n = 0\n for words, tags in sentences:\n prev, prev2 = self.START\n context = self.START + [self._normalize(w) for w in words\n ] + self.END\n for i, word in enumerate(words):\n guess = self.tagdict.get(word)\n if not guess:\n feats = self._get_features(i, word, context, prev, prev2)\n guess = self.model.predict(feats)\n self.model.update(tags[i], guess, feats)\n prev2 = prev\n prev = guess\n c += guess == tags[i]\n n += 1\n random.shuffle(sentences)\n logging.info('Iter {0}: {1}/{2}={3}'.format(iter_, c, n, _pc(c, n)))\n self.model.average_weights()\n if save_loc is not None:\n pickle.dump((self.model.weights, self.tagdict, self.classes), open(\n save_loc, 'wb'), -1)\n return None\n", "role": "user" }, { "content": "train", "role": "assistant" } ]
def x(self, loc): try: w_td_c = pickle.load(open(loc, 'rb')) except IOError: msg = 'Missing trontagger.pickle file.' raise MissingCorpusError(msg) self.model.weights, self.tagdict, self.classes = w_td_c self.model.classes = self.classes return None
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loc):\n try:\n w_td_c = pickle.load(open(loc, 'rb'))\n except IOError:\n msg = 'Missing trontagger.pickle file.'\n raise MissingCorpusError(msg)\n self.model.weights, self.tagdict, self.classes = w_td_c\n self.model.classes = self.classes\n return None\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, word): if '-' in word and word[0] != '-': return '!HYPHEN' elif word.isdigit() and len(word) == 4: return '!YEAR' elif word[0].isdigit(): return '!DIGITS' else: return word.lower()
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, word):\n if '-' in word and word[0] != '-':\n return '!HYPHEN'\n elif word.isdigit() and len(word) == 4:\n return '!YEAR'\n elif word[0].isdigit():\n return '!DIGITS'\n else:\n return word.lower()\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, i, word, context, prev, prev2): def x(name, *args): features[' '.join((name,) + tuple(args))] += 1 i += len(self.START) features = defaultdict(int) add('bias') add('i suffix', word[-3:]) add('i pref1', word[0]) add('i-1 tag', prev) add('i-2 tag', prev2) add('i tag+i-2 tag', prev, prev2) add('i word', context[i]) add('i-1 tag+i word', prev, context[i]) add('i-1 word', context[i - 1]) add('i-1 suffix', context[i - 1][-3:]) add('i-2 word', context[i - 2]) add('i+1 word', context[i + 1]) add('i+1 suffix', context[i + 1][-3:]) add('i+2 word', context[i + 2]) return features
get_features
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i, word, context, prev, prev2):\n\n def x(name, *args):\n features[' '.join((name,) + tuple(args))] += 1\n i += len(self.START)\n features = defaultdict(int)\n add('bias')\n add('i suffix', word[-3:])\n add('i pref1', word[0])\n add('i-1 tag', prev)\n add('i-2 tag', prev2)\n add('i tag+i-2 tag', prev, prev2)\n add('i word', context[i])\n add('i-1 tag+i word', prev, context[i])\n add('i-1 word', context[i - 1])\n add('i-1 suffix', context[i - 1][-3:])\n add('i-2 word', context[i - 2])\n add('i+1 word', context[i + 1])\n add('i+1 suffix', context[i + 1][-3:])\n add('i+2 word', context[i + 2])\n return features\n", "role": "user" }, { "content": "get_features", "role": "assistant" } ]
def x(self, sentences): counts = defaultdict(lambda : defaultdict(int)) for words, tags in sentences: for word, tag in zip(words, tags): counts[word][tag] += 1 self.classes.add(tag) freq_thresh = 20 ambiguity_thresh = 0.97 for word, tag_freqs in counts.items(): tag, mode = max(tag_freqs.items(), key=lambda item: item[1]) n = sum(tag_freqs.values()) if n >= freq_thresh and float(mode) / n >= ambiguity_thresh: self.tagdict[word] = tag
make_tagdict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sentences):\n counts = defaultdict(lambda : defaultdict(int))\n for words, tags in sentences:\n for word, tag in zip(words, tags):\n counts[word][tag] += 1\n self.classes.add(tag)\n freq_thresh = 20\n ambiguity_thresh = 0.97\n for word, tag_freqs in counts.items():\n tag, mode = max(tag_freqs.items(), key=lambda item: item[1])\n n = sum(tag_freqs.values())\n if n >= freq_thresh and float(mode) / n >= ambiguity_thresh:\n self.tagdict[word] = tag\n", "role": "user" }, { "content": "make_tagdict", "role": "assistant" } ]
def x(nr_iter, examples): model = AveragedPerceptron() for i in range(nr_iter): random.shuffle(examples) for features, class_ in examples: scores = model.predict(features) guess, score = max(scores.items(), key=lambda i: i[1]) if guess != class_: model.update(class_, guess, features) model.average_weights() return model
train
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nr_iter, examples):\n model = AveragedPerceptron()\n for i in range(nr_iter):\n random.shuffle(examples)\n for features, class_ in examples:\n scores = model.predict(features)\n guess, score = max(scores.items(), key=lambda i: i[1])\n if guess != class_:\n model.update(class_, guess, features)\n model.average_weights()\n return model\n", "role": "user" }, { "content": "train", "role": "assistant" } ]
def x(self, V, P, X, CC, seqNum, M, PT, SSRC, payload): timestamp = int(time()) header = bytearray(HEADER_SIZE) header[0] = header[0] | V << 6 header[0] = header[0] | P << 5 header[0] = header[0] | X << 4 header[0] = header[0] | CC header[1] = header[1] | M << 7 header[1] = header[1] | PT header[2] = seqNum >> 8 & 255 header[3] = seqNum & 255 header[4] = timestamp >> 24 & 255 header[5] = timestamp >> 16 & 255 header[6] = timestamp >> 8 & 255 header[7] = timestamp & 255 header[8] = SSRC >> 24 & 255 header[9] = SSRC >> 16 & 255 header[10] = SSRC >> 8 & 255 header[11] = SSRC & 255 self.header = header self.payload = payload
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, V, P, X, CC, seqNum, M, PT, SSRC, payload):\n timestamp = int(time())\n header = bytearray(HEADER_SIZE)\n header[0] = header[0] | V << 6\n header[0] = header[0] | P << 5\n header[0] = header[0] | X << 4\n header[0] = header[0] | CC\n header[1] = header[1] | M << 7\n header[1] = header[1] | PT\n header[2] = seqNum >> 8 & 255\n header[3] = seqNum & 255\n header[4] = timestamp >> 24 & 255\n header[5] = timestamp >> 16 & 255\n header[6] = timestamp >> 8 & 255\n header[7] = timestamp & 255\n header[8] = SSRC >> 24 & 255\n header[9] = SSRC >> 16 & 255\n header[10] = SSRC >> 8 & 255\n header[11] = SSRC & 255\n self.header = header\n self.payload = payload\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(self, byteStream): self.header = bytearray(byteStream[:HEADER_SIZE]) self.payload = byteStream[HEADER_SIZE:]
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, byteStream):\n self.header = bytearray(byteStream[:HEADER_SIZE])\n self.payload = byteStream[HEADER_SIZE:]\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(self): timestamp = self.header[4] << 24 | self.header[5] << 16 | self.header[6 ] << 8 | self.header[7] return int(timestamp)
timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n timestamp = self.header[4] << 24 | self.header[5] << 16 | self.header[6\n ] << 8 | self.header[7]\n return int(timestamp)\n", "role": "user" }, { "content": "timestamp", "role": "assistant" } ]
def x(stream): _cv2.startWindowThread() for frame in stream.frame_generator(): if frame is not None: _cv2.imshow('Video', frame) _cv2.moveWindow('Video', 5, 5) else: break key = _cv2.waitKey(1) & 255 if key == ord('q'): break _cv2.waitKey(1) _cv2.destroyAllWindows() _cv2.waitKey(1)
preview_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream):\n _cv2.startWindowThread()\n for frame in stream.frame_generator():\n if frame is not None:\n _cv2.imshow('Video', frame)\n _cv2.moveWindow('Video', 5, 5)\n else:\n break\n key = _cv2.waitKey(1) & 255\n if key == ord('q'):\n break\n _cv2.waitKey(1)\n _cv2.destroyAllWindows()\n _cv2.waitKey(1)\n", "role": "user" }, { "content": "preview_stream", "role": "assistant" } ]
def x(recst): try: recst = recst.decode('UTF-8') except AttributeError: pass recs = [x for x in recst.split('\r\n') if x] for rec in recs: print(rec) print('\n')
printrec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recst):\n try:\n recst = recst.decode('UTF-8')\n except AttributeError:\n pass\n recs = [x for x in recst.split('\\r\\n') if x]\n for rec in recs:\n print(rec)\n print('\\n')\n", "role": "user" }, { "content": "printrec", "role": "assistant" } ]
def x(connection): resp = connection.describe(verbose=False).split('\r\n') resources = [x.replace('a=control:', '') for x in resp if x.find( 'control:') != -1 and x[-1] != '*'] return resources
get_resources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection):\n resp = connection.describe(verbose=False).split('\\r\\n')\n resources = [x.replace('a=control:', '') for x in resp if x.find(\n 'control:') != -1 and x[-1] != '*']\n return resources\n", "role": "user" }, { "content": "get_resources", "role": "assistant" } ]