source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(key, n=3072):
af = arcfour(key)
[af.next() for c in range(n)]
return af
|
arcfour_drop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, n=3072):\n af = arcfour(key)\n [af.next() for c in range(n)]\n return af\n",
"role": "user"
},
{
"content": "arcfour_drop",
"role": "assistant"
}
] |
def x(version=None):
if version is None:
protocol_preference = ('TLSv1_2', 'TLSv1_1', 'TLSv1', 'SSLv3',
'SSLv23', 'SSLv2')
for protocol in protocol_preference:
if hasattr(ssl, 'PROTOCOL_' + protocol):
return getattr(ssl, 'PROTOCOL_' + protocol)
raise RuntimeError(
'could not find a suitable ssl PROTOCOL_ version constant')
elif isinstance(version, str):
if not hasattr(ssl, 'PROTOCOL_' + version):
raise ValueError('invalid ssl protocol version: ' + version)
return getattr(ssl, 'PROTOCOL_' + version)
raise TypeError('ssl_version() argument 1 must be str, not {0}'.format(
type(version).__name__))
|
resolve_ssl_protocol_version
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version=None):\n if version is None:\n protocol_preference = ('TLSv1_2', 'TLSv1_1', 'TLSv1', 'SSLv3',\n 'SSLv23', 'SSLv2')\n for protocol in protocol_preference:\n if hasattr(ssl, 'PROTOCOL_' + protocol):\n return getattr(ssl, 'PROTOCOL_' + protocol)\n raise RuntimeError(\n 'could not find a suitable ssl PROTOCOL_ version constant')\n elif isinstance(version, str):\n if not hasattr(ssl, 'PROTOCOL_' + version):\n raise ValueError('invalid ssl protocol version: ' + version)\n return getattr(ssl, 'PROTOCOL_' + version)\n raise TypeError('ssl_version() argument 1 must be str, not {0}'.format(\n type(version).__name__))\n",
"role": "user"
},
{
"content": "resolve_ssl_protocol_version",
"role": "assistant"
}
] |
def x(description=None, server_klass=None, handler_klass=None):
import argparse
def x(arg):
if not os.path.isdir(arg):
raise argparse.ArgumentTypeError('{0} is not a valid directory'
.format(repr(arg)))
return arg
def x(arg):
if not arg.isdigit():
raise argparse.ArgumentTypeError('{0} is not a valid port'.
format(repr(arg)))
arg = int(arg)
if arg < 0 or arg > 65535:
raise argparse.ArgumentTypeError('{0} is not a valid port'.
format(repr(arg)))
return arg
description = description or 'HTTP Server'
server_klass = server_klass or AdvancedHTTPServer
handler_klass = handler_klass or RequestHandler
parser = argparse.ArgumentParser(conflict_handler='resolve',
description=description, fromfile_prefix_chars='@')
parser.epilog = (
'When a config file is specified with --config only the --log, --log-file and --password options will be used.'
)
parser.add_argument('-c', '--conf', dest='config', type=argparse.
FileType('r'), help='read settings from a config file')
parser.add_argument('-i', '--ip', dest='ip', default='0.0.0.0', help=
'the ip address to serve on')
parser.add_argument('-L', '--log', dest='loglvl', choices=('DEBUG',
'INFO', 'WARNING', 'ERROR', 'CRITICAL'), default='INFO', help=
'set the logging level')
parser.add_argument('-p', '--port', dest='port', default=8080, type=
_argp_port_type, help='port to serve on')
parser.add_argument('-v', '--version', action='version', version=parser
.prog + ' Version: ' + __version__)
parser.add_argument('-w', '--web-root', dest='web_root', default='.',
type=_argp_dir_type, help='path to the web root directory')
parser.add_argument('--log-file', dest='log_file', help=
'log information to a file')
parser.add_argument('--no-threads', dest='use_threads', action=
'store_false', default=True, help='disable threading')
parser.add_argument('--password', dest='password', help=
'password to use for basic authentication')
ssl_group = parser.add_argument_group('ssl options')
ssl_group.add_argument('--ssl-cert', dest='ssl_cert', help=
'the ssl cert to use')
ssl_group.add_argument('--ssl-key', dest='ssl_key', help=
'the ssl key to use')
ssl_group.add_argument('--ssl-version', dest='ssl_version', choices=[p[
9:] for p in dir(ssl) if p.startswith('PROTOCOL_')], help=
'the version of ssl to use')
arguments = parser.parse_args()
logging.getLogger('').setLevel(logging.DEBUG)
console_log_handler = logging.StreamHandler()
console_log_handler.setLevel(getattr(logging, arguments.loglvl))
console_log_handler.setFormatter(logging.Formatter(
'%(asctime)s %(levelname)-8s %(message)s'))
logging.getLogger('').addHandler(console_log_handler)
if arguments.log_file:
main_file_handler = logging.handlers.RotatingFileHandler(arguments.
log_file, maxBytes=262144, backupCount=5)
main_file_handler.setLevel(logging.DEBUG)
main_file_handler.setFormatter(logging.Formatter(
'%(asctime)s %(name)-30s %(levelname)-10s %(message)s'))
logging.getLogger('').setLevel(logging.DEBUG)
logging.getLogger('').addHandler(main_file_handler)
if arguments.config:
config = ConfigParser()
config.readfp(arguments.config)
server = build_server_from_config(config, 'server', server_klass=
server_klass, handler_klass=handler_klass)
else:
server = server_klass(handler_klass, address=(arguments.ip,
arguments.port), use_threads=arguments.use_threads,
ssl_certfile=arguments.ssl_cert, ssl_keyfile=arguments.ssl_key,
ssl_version=arguments.ssl_version)
server.serve_files_root = arguments.web_root
if arguments.password:
server.auth_add_creds('', arguments.password)
return server
|
build_server_from_argparser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(description=None, server_klass=None, handler_klass=None):\n import argparse\n\n def x(arg):\n if not os.path.isdir(arg):\n raise argparse.ArgumentTypeError('{0} is not a valid directory'\n .format(repr(arg)))\n return arg\n\n def x(arg):\n if not arg.isdigit():\n raise argparse.ArgumentTypeError('{0} is not a valid port'.\n format(repr(arg)))\n arg = int(arg)\n if arg < 0 or arg > 65535:\n raise argparse.ArgumentTypeError('{0} is not a valid port'.\n format(repr(arg)))\n return arg\n description = description or 'HTTP Server'\n server_klass = server_klass or AdvancedHTTPServer\n handler_klass = handler_klass or RequestHandler\n parser = argparse.ArgumentParser(conflict_handler='resolve',\n description=description, fromfile_prefix_chars='@')\n parser.epilog = (\n 'When a config file is specified with --config only the --log, --log-file and --password options will be used.'\n )\n parser.add_argument('-c', '--conf', dest='config', type=argparse.\n FileType('r'), help='read settings from a config file')\n parser.add_argument('-i', '--ip', dest='ip', default='0.0.0.0', help=\n 'the ip address to serve on')\n parser.add_argument('-L', '--log', dest='loglvl', choices=('DEBUG',\n 'INFO', 'WARNING', 'ERROR', 'CRITICAL'), default='INFO', help=\n 'set the logging level')\n parser.add_argument('-p', '--port', dest='port', default=8080, type=\n _argp_port_type, help='port to serve on')\n parser.add_argument('-v', '--version', action='version', version=parser\n .prog + ' Version: ' + __version__)\n parser.add_argument('-w', '--web-root', dest='web_root', default='.',\n type=_argp_dir_type, help='path to the web root directory')\n parser.add_argument('--log-file', dest='log_file', help=\n 'log information to a file')\n parser.add_argument('--no-threads', dest='use_threads', action=\n 'store_false', default=True, help='disable threading')\n parser.add_argument('--password', dest='password', help=\n 'password to use for basic authentication')\n ssl_group = parser.add_argument_group('ssl options')\n ssl_group.add_argument('--ssl-cert', dest='ssl_cert', help=\n 'the ssl cert to use')\n ssl_group.add_argument('--ssl-key', dest='ssl_key', help=\n 'the ssl key to use')\n ssl_group.add_argument('--ssl-version', dest='ssl_version', choices=[p[\n 9:] for p in dir(ssl) if p.startswith('PROTOCOL_')], help=\n 'the version of ssl to use')\n arguments = parser.parse_args()\n logging.getLogger('').setLevel(logging.DEBUG)\n console_log_handler = logging.StreamHandler()\n console_log_handler.setLevel(getattr(logging, arguments.loglvl))\n console_log_handler.setFormatter(logging.Formatter(\n '%(asctime)s %(levelname)-8s %(message)s'))\n logging.getLogger('').addHandler(console_log_handler)\n if arguments.log_file:\n main_file_handler = logging.handlers.RotatingFileHandler(arguments.\n log_file, maxBytes=262144, backupCount=5)\n main_file_handler.setLevel(logging.DEBUG)\n main_file_handler.setFormatter(logging.Formatter(\n '%(asctime)s %(name)-30s %(levelname)-10s %(message)s'))\n logging.getLogger('').setLevel(logging.DEBUG)\n logging.getLogger('').addHandler(main_file_handler)\n if arguments.config:\n config = ConfigParser()\n config.readfp(arguments.config)\n server = build_server_from_config(config, 'server', server_klass=\n server_klass, handler_klass=handler_klass)\n else:\n server = server_klass(handler_klass, address=(arguments.ip,\n arguments.port), use_threads=arguments.use_threads,\n ssl_certfile=arguments.ssl_cert, ssl_keyfile=arguments.ssl_key,\n ssl_version=arguments.ssl_version)\n server.serve_files_root = arguments.web_root\n if arguments.password:\n server.auth_add_creds('', arguments.password)\n return server\n",
"role": "user"
},
{
"content": "build_server_from_argparser",
"role": "assistant"
}
] |
def x(config, section_name, server_klass=None, handler_klass=None):
server_klass = server_klass or AdvancedHTTPServer
handler_klass = handler_klass or RequestHandler
port = config.getint(section_name, 'port')
web_root = None
if config.has_option(section_name, 'web_root'):
web_root = config.get(section_name, 'web_root')
if config.has_option(section_name, 'ip'):
ip = config.get(section_name, 'ip')
else:
ip = '0.0.0.0'
ssl_certfile = None
if config.has_option(section_name, 'ssl_cert'):
ssl_certfile = config.get(section_name, 'ssl_cert')
ssl_keyfile = None
if config.has_option(section_name, 'ssl_key'):
ssl_keyfile = config.get(section_name, 'ssl_key')
ssl_version = None
if config.has_option(section_name, 'ssl_version'):
ssl_version = config.get(section_name, 'ssl_version')
server = server_klass(handler_klass, address=(ip, port), ssl_certfile=
ssl_certfile, ssl_keyfile=ssl_keyfile, ssl_version=ssl_version)
if config.has_option(section_name, 'password_type'):
password_type = config.get(section_name, 'password_type')
else:
password_type = 'md5'
if config.has_option(section_name, 'password'):
password = config.get(section_name, 'password')
if config.has_option(section_name, 'username'):
username = config.get(section_name, 'username')
else:
username = ''
server.auth_add_creds(username, password, pwtype=password_type)
cred_idx = 0
while config.has_option(section_name, 'password' + str(cred_idx)):
password = config.get(section_name, 'password' + str(cred_idx))
if not config.has_option(section_name, 'username' + str(cred_idx)):
break
username = config.get(section_name, 'username' + str(cred_idx))
server.auth_add_creds(username, password, pwtype=password_type)
cred_idx += 1
if web_root is None:
server.serve_files = False
else:
server.serve_files = True
server.serve_files_root = web_root
if config.has_option(section_name, 'list_directories'):
server.serve_files_list_directories = config.getboolean(
section_name, 'list_directories')
return server
|
build_server_from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, section_name, server_klass=None, handler_klass=None):\n server_klass = server_klass or AdvancedHTTPServer\n handler_klass = handler_klass or RequestHandler\n port = config.getint(section_name, 'port')\n web_root = None\n if config.has_option(section_name, 'web_root'):\n web_root = config.get(section_name, 'web_root')\n if config.has_option(section_name, 'ip'):\n ip = config.get(section_name, 'ip')\n else:\n ip = '0.0.0.0'\n ssl_certfile = None\n if config.has_option(section_name, 'ssl_cert'):\n ssl_certfile = config.get(section_name, 'ssl_cert')\n ssl_keyfile = None\n if config.has_option(section_name, 'ssl_key'):\n ssl_keyfile = config.get(section_name, 'ssl_key')\n ssl_version = None\n if config.has_option(section_name, 'ssl_version'):\n ssl_version = config.get(section_name, 'ssl_version')\n server = server_klass(handler_klass, address=(ip, port), ssl_certfile=\n ssl_certfile, ssl_keyfile=ssl_keyfile, ssl_version=ssl_version)\n if config.has_option(section_name, 'password_type'):\n password_type = config.get(section_name, 'password_type')\n else:\n password_type = 'md5'\n if config.has_option(section_name, 'password'):\n password = config.get(section_name, 'password')\n if config.has_option(section_name, 'username'):\n username = config.get(section_name, 'username')\n else:\n username = ''\n server.auth_add_creds(username, password, pwtype=password_type)\n cred_idx = 0\n while config.has_option(section_name, 'password' + str(cred_idx)):\n password = config.get(section_name, 'password' + str(cred_idx))\n if not config.has_option(section_name, 'username' + str(cred_idx)):\n break\n username = config.get(section_name, 'username' + str(cred_idx))\n server.auth_add_creds(username, password, pwtype=password_type)\n cred_idx += 1\n if web_root is None:\n server.serve_files = False\n else:\n server.serve_files = True\n server.serve_files_root = web_root\n if config.has_option(section_name, 'list_directories'):\n server.serve_files_list_directories = config.getboolean(\n section_name, 'list_directories')\n return server\n",
"role": "user"
},
{
"content": "build_server_from_config",
"role": "assistant"
}
] |
def x(self, serializer_name, compression=None):
self.serializer = Serializer(serializer_name, charset='UTF-8',
compression=compression)
self.logger.debug('using serializer: ' + serializer_name)
|
set_serializer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, serializer_name, compression=None):\n self.serializer = Serializer(serializer_name, charset='UTF-8',\n compression=compression)\n self.logger.debug('using serializer: ' + serializer_name)\n",
"role": "user"
},
{
"content": "set_serializer",
"role": "assistant"
}
] |
def x(self):
self.lock.acquire()
if self.use_ssl:
self.client = http.client.HTTPSConnection(self.host, self.port,
context=self.ssl_context)
else:
self.client = http.client.HTTPConnection(self.host, self.port)
self.lock.release()
|
reconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.lock.acquire()\n if self.use_ssl:\n self.client = http.client.HTTPSConnection(self.host, self.port,\n context=self.ssl_context)\n else:\n self.client = http.client.HTTPConnection(self.host, self.port)\n self.lock.release()\n",
"role": "user"
},
{
"content": "reconnect",
"role": "assistant"
}
] |
def x(self, method, *args, **kwargs):
if kwargs:
options = self.encode(dict(args=args, kwargs=kwargs))
else:
options = self.encode(args)
headers = {}
if self.headers:
headers.update(self.headers)
headers['Content-Type'] = self.serializer.content_type
headers['Content-Length'] = str(len(options))
headers['Connection'] = 'close'
if self.username is not None and self.password is not None:
headers['Authorization'] = 'Basic ' + base64.b64encode((self.
username + ':' + self.password).encode('UTF-8')).decode('UTF-8')
method = os.path.join(self.uri_base, method)
self.logger.debug('calling RPC method: ' + method[1:])
try:
with self.lock:
self.client.request('RPC', method, options, headers)
resp = self.client.getresponse()
except http.client.ImproperConnectionState:
raise RPCConnectionError('improper connection state')
if resp.status != 200:
raise RPCError(resp.reason, resp.status)
resp_data = resp.read()
resp_data = self.decode(resp_data)
if not ('exception_occurred' in resp_data and 'result' in resp_data):
raise RPCError('missing response information', resp.status)
if resp_data['exception_occurred']:
raise RPCError('remote method incurred an exception', resp.status,
remote_exception=resp_data['exception'])
return resp_data['result']
|
call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *args, **kwargs):\n if kwargs:\n options = self.encode(dict(args=args, kwargs=kwargs))\n else:\n options = self.encode(args)\n headers = {}\n if self.headers:\n headers.update(self.headers)\n headers['Content-Type'] = self.serializer.content_type\n headers['Content-Length'] = str(len(options))\n headers['Connection'] = 'close'\n if self.username is not None and self.password is not None:\n headers['Authorization'] = 'Basic ' + base64.b64encode((self.\n username + ':' + self.password).encode('UTF-8')).decode('UTF-8')\n method = os.path.join(self.uri_base, method)\n self.logger.debug('calling RPC method: ' + method[1:])\n try:\n with self.lock:\n self.client.request('RPC', method, options, headers)\n resp = self.client.getresponse()\n except http.client.ImproperConnectionState:\n raise RPCConnectionError('improper connection state')\n if resp.status != 200:\n raise RPCError(resp.reason, resp.status)\n resp_data = resp.read()\n resp_data = self.decode(resp_data)\n if not ('exception_occurred' in resp_data and 'result' in resp_data):\n raise RPCError('missing response information', resp.status)\n if resp_data['exception_occurred']:\n raise RPCError('remote method incurred an exception', resp.status,\n remote_exception=resp_data['exception'])\n return resp_data['result']\n",
"role": "user"
},
{
"content": "call",
"role": "assistant"
}
] |
def x(self, method, *options):
options_hash = self.encode(options)
if len(options_hash) > 20:
options_hash = hashlib.new('sha1', options_hash).digest()
options_hash = sqlite3.Binary(options_hash)
with self.cache_lock:
cursor = self.cache_db.cursor()
cursor.execute(
'SELECT return_value FROM cache WHERE method = ? AND options_hash = ?'
, (method, options_hash))
return_value = cursor.fetchone()
if return_value:
return_value = bytes(return_value[0])
return self.decode(return_value)
return_value = self.call(method, *options)
store_return_value = sqlite3.Binary(self.encode(return_value))
with self.cache_lock:
cursor = self.cache_db.cursor()
cursor.execute(
'INSERT INTO cache (method, options_hash, return_value) VALUES (?, ?, ?)'
, (method, options_hash, store_return_value))
self.cache_db.commit()
return return_value
|
cache_call
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *options):\n options_hash = self.encode(options)\n if len(options_hash) > 20:\n options_hash = hashlib.new('sha1', options_hash).digest()\n options_hash = sqlite3.Binary(options_hash)\n with self.cache_lock:\n cursor = self.cache_db.cursor()\n cursor.execute(\n 'SELECT return_value FROM cache WHERE method = ? AND options_hash = ?'\n , (method, options_hash))\n return_value = cursor.fetchone()\n if return_value:\n return_value = bytes(return_value[0])\n return self.decode(return_value)\n return_value = self.call(method, *options)\n store_return_value = sqlite3.Binary(self.encode(return_value))\n with self.cache_lock:\n cursor = self.cache_db.cursor()\n cursor.execute(\n 'INSERT INTO cache (method, options_hash, return_value) VALUES (?, ?, ?)'\n , (method, options_hash, store_return_value))\n self.cache_db.commit()\n return return_value\n",
"role": "user"
},
{
"content": "cache_call",
"role": "assistant"
}
] |
def x(self, method, *options):
options_hash = self.encode(options)
if len(options_hash) > 20:
options_hash = hashlib.new('sha1', options).digest()
options_hash = sqlite3.Binary(options_hash)
with self.cache_lock:
cursor = self.cache_db.cursor()
cursor.execute(
'DELETE FROM cache WHERE method = ? AND options_hash = ?', (
method, options_hash))
return_value = self.call(method, *options)
store_return_value = sqlite3.Binary(self.encode(return_value))
with self.cache_lock:
cursor = self.cache_db.cursor()
cursor.execute(
'INSERT INTO cache (method, options_hash, return_value) VALUES (?, ?, ?)'
, (method, options_hash, store_return_value))
self.cache_db.commit()
return return_value
|
cache_call_refresh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *options):\n options_hash = self.encode(options)\n if len(options_hash) > 20:\n options_hash = hashlib.new('sha1', options).digest()\n options_hash = sqlite3.Binary(options_hash)\n with self.cache_lock:\n cursor = self.cache_db.cursor()\n cursor.execute(\n 'DELETE FROM cache WHERE method = ? AND options_hash = ?', (\n method, options_hash))\n return_value = self.call(method, *options)\n store_return_value = sqlite3.Binary(self.encode(return_value))\n with self.cache_lock:\n cursor = self.cache_db.cursor()\n cursor.execute(\n 'INSERT INTO cache (method, options_hash, return_value) VALUES (?, ?, ?)'\n , (method, options_hash, store_return_value))\n self.cache_db.commit()\n return return_value\n",
"role": "user"
},
{
"content": "cache_call_refresh",
"role": "assistant"
}
] |
def x(self):
with self.cache_lock:
cursor = self.cache_db.cursor()
cursor.execute('DELETE FROM cache')
self.cache_db.commit()
self.logger.info('the RPC cache has been purged')
return
|
cache_clear
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.cache_lock:\n cursor = self.cache_db.cursor()\n cursor.execute('DELETE FROM cache')\n self.cache_db.commit()\n self.logger.info('the RPC cache has been purged')\n return\n",
"role": "user"
},
{
"content": "cache_clear",
"role": "assistant"
}
] |
def x(self, file_path, attachment=False, query=None):
del query
file_path = os.path.abspath(file_path)
try:
file_obj = open(file_path, 'rb')
except IOError:
self.respond_not_found()
return
self.send_response(200)
self.send_header('Content-Type', self.guess_mime_type(file_path))
fs = os.fstat(file_obj.fileno())
self.send_header('Content-Length', str(fs[6]))
if attachment:
file_name = os.path.basename(file_path)
self.send_header('Content-Disposition', 'attachment; filename=' +
file_name)
self.send_header('Last-Modified', self.date_time_string(fs.st_mtime))
self.end_headers()
shutil.copyfileobj(file_obj, self.wfile)
file_obj.close()
return
|
respond_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path, attachment=False, query=None):\n del query\n file_path = os.path.abspath(file_path)\n try:\n file_obj = open(file_path, 'rb')\n except IOError:\n self.respond_not_found()\n return\n self.send_response(200)\n self.send_header('Content-Type', self.guess_mime_type(file_path))\n fs = os.fstat(file_obj.fileno())\n self.send_header('Content-Length', str(fs[6]))\n if attachment:\n file_name = os.path.basename(file_path)\n self.send_header('Content-Disposition', 'attachment; filename=' +\n file_name)\n self.send_header('Last-Modified', self.date_time_string(fs.st_mtime))\n self.end_headers()\n shutil.copyfileobj(file_obj, self.wfile)\n file_obj.close()\n return\n",
"role": "user"
},
{
"content": "respond_file",
"role": "assistant"
}
] |
def x(self, dir_path, query=None):
del query
try:
dir_contents = os.listdir(dir_path)
except os.error:
self.respond_not_found()
return
if os.path.normpath(dir_path) != self.__config['serve_files_root']:
dir_contents.append('..')
dir_contents.sort(key=lambda a: a.lower())
displaypath = html.escape(urllib.parse.unquote(self.path), quote=True)
f = io.BytesIO()
encoding = sys.getfilesystemencoding()
f.write(b'<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">\n')
f.write(b'<html>\n<title>Directory listing for ' + displaypath.encode(
encoding) + b'</title>\n')
f.write(b'<body>\n<h2>Directory listing for ' + displaypath.encode(
encoding) + b'</h2>\n')
f.write(b'<hr>\n<ul>\n')
for name in dir_contents:
fullname = os.path.join(dir_path, name)
displayname = linkname = name
if os.path.isdir(fullname):
displayname = name + '/'
linkname = name + '/'
if os.path.islink(fullname):
displayname = name + '@'
f.write(('<li><a href="' + urllib.parse.quote(linkname) + '">' +
html.escape(displayname, quote=True) + '</a>\n').encode(encoding))
f.write(b'</ul>\n<hr>\n</body>\n</html>\n')
length = f.tell()
f.seek(0)
self.send_response(200)
self.send_header('Content-Type', 'text/html; charset=' + encoding)
self.send_header('Content-Length', length)
self.end_headers()
shutil.copyfileobj(f, self.wfile)
f.close()
return
|
respond_list_directory
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dir_path, query=None):\n del query\n try:\n dir_contents = os.listdir(dir_path)\n except os.error:\n self.respond_not_found()\n return\n if os.path.normpath(dir_path) != self.__config['serve_files_root']:\n dir_contents.append('..')\n dir_contents.sort(key=lambda a: a.lower())\n displaypath = html.escape(urllib.parse.unquote(self.path), quote=True)\n f = io.BytesIO()\n encoding = sys.getfilesystemencoding()\n f.write(b'<!DOCTYPE html PUBLIC \"-//W3C//DTD HTML 3.2 Final//EN\">\\n')\n f.write(b'<html>\\n<title>Directory listing for ' + displaypath.encode(\n encoding) + b'</title>\\n')\n f.write(b'<body>\\n<h2>Directory listing for ' + displaypath.encode(\n encoding) + b'</h2>\\n')\n f.write(b'<hr>\\n<ul>\\n')\n for name in dir_contents:\n fullname = os.path.join(dir_path, name)\n displayname = linkname = name\n if os.path.isdir(fullname):\n displayname = name + '/'\n linkname = name + '/'\n if os.path.islink(fullname):\n displayname = name + '@'\n f.write(('<li><a href=\"' + urllib.parse.quote(linkname) + '\">' +\n html.escape(displayname, quote=True) + '</a>\\n').encode(encoding))\n f.write(b'</ul>\\n<hr>\\n</body>\\n</html>\\n')\n length = f.tell()\n f.seek(0)\n self.send_response(200)\n self.send_header('Content-Type', 'text/html; charset=' + encoding)\n self.send_header('Content-Length', length)\n self.end_headers()\n shutil.copyfileobj(f, self.wfile)\n f.close()\n return\n",
"role": "user"
},
{
"content": "respond_list_directory",
"role": "assistant"
}
] |
def x(self, location='/'):
self.send_response(301)
self.send_header('Content-Length', 0)
self.send_header('Location', location)
self.end_headers()
return
|
respond_redirect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location='/'):\n self.send_response(301)\n self.send_header('Content-Length', 0)\n self.send_header('Location', location)\n self.end_headers()\n return\n",
"role": "user"
},
{
"content": "respond_redirect",
"role": "assistant"
}
] |
def x(self, status=None, status_line=None, message=None):
ex_type, ex_value, ex_traceback = sys.exc_info()
if ex_type:
ex_file_name, ex_line, _, _ = traceback.extract_tb(ex_traceback)[-1]
line_info = '{0}:{1}'.format(ex_file_name, ex_line)
log_msg = 'encountered {0} in {1}'.format(repr(ex_value), line_info)
self.server.logger.error(log_msg, exc_info=True)
status = status or 500
status_line = (status_line or http.client.responses.get(status,
'Internal Server Error')).strip()
self.send_response(status, status_line)
message = message or status_line
if isinstance(message, (str, bytes)):
self.send_header('Content-Length', len(message))
self.end_headers()
if isinstance(message, str):
self.wfile.write(message.encode(sys.getdefaultencoding()))
else:
self.wfile.write(message)
elif hasattr(message, 'fileno'):
fs = os.fstat(message.fileno())
self.send_header('Content-Length', fs[6])
self.end_headers()
shutil.copyfileobj(message, self.wfile)
else:
self.end_headers()
return
|
respond_server_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status=None, status_line=None, message=None):\n ex_type, ex_value, ex_traceback = sys.exc_info()\n if ex_type:\n ex_file_name, ex_line, _, _ = traceback.extract_tb(ex_traceback)[-1]\n line_info = '{0}:{1}'.format(ex_file_name, ex_line)\n log_msg = 'encountered {0} in {1}'.format(repr(ex_value), line_info)\n self.server.logger.error(log_msg, exc_info=True)\n status = status or 500\n status_line = (status_line or http.client.responses.get(status,\n 'Internal Server Error')).strip()\n self.send_response(status, status_line)\n message = message or status_line\n if isinstance(message, (str, bytes)):\n self.send_header('Content-Length', len(message))\n self.end_headers()\n if isinstance(message, str):\n self.wfile.write(message.encode(sys.getdefaultencoding()))\n else:\n self.wfile.write(message)\n elif hasattr(message, 'fileno'):\n fs = os.fstat(message.fileno())\n self.send_header('Content-Length', fs[6])\n self.end_headers()\n shutil.copyfileobj(message, self.wfile)\n else:\n self.end_headers()\n return\n",
"role": "user"
},
{
"content": "respond_server_error",
"role": "assistant"
}
] |
def x(self, request_authentication=False):
headers = {}
if request_authentication:
headers['WWW-Authenticate'] = 'Basic realm="' + self.__config[
'server_version'] + '"'
self.send_response_full(b'Unauthorized', status=401, headers=headers)
return
|
respond_unauthorized
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_authentication=False):\n headers = {}\n if request_authentication:\n headers['WWW-Authenticate'] = 'Basic realm=\"' + self.__config[\n 'server_version'] + '\"'\n self.send_response_full(b'Unauthorized', status=401, headers=headers)\n return\n",
"role": "user"
},
{
"content": "respond_unauthorized",
"role": "assistant"
}
] |
def x(self, query=None):
query = query or {}
self.path = self.path.split('?', 1)[0]
self.path = self.path.split('#', 1)[0]
original_path = urllib.parse.unquote(self.path)
self.path = posixpath.normpath(original_path)
words = self.path.split('/')
words = filter(None, words)
tmp_path = ''
for word in words:
_, word = os.path.splitdrive(word)
_, word = os.path.split(word)
if word in (os.curdir, os.pardir):
continue
tmp_path = os.path.join(tmp_path, word)
self.path = tmp_path
if self.path == 'robots.txt' and self.__config['serve_robots_txt']:
self.send_response_full(self.__config['robots_txt'])
return
self.cookies = http.cookies.SimpleCookie(self.headers.get('cookie', ''))
handler, is_method = self.__get_handler(is_rpc=False)
if handler is not None:
try:
handler(*((query,) if is_method else (self, query)))
except Exception:
self.respond_server_error()
return
if not self.__config['serve_files']:
self.respond_not_found()
return
file_path = self.__config['serve_files_root']
file_path = os.path.join(file_path, tmp_path)
if os.path.isfile(file_path) and os.access(file_path, os.R_OK):
self.respond_file(file_path, query=query)
return
elif os.path.isdir(file_path) and os.access(file_path, os.R_OK):
if not original_path.endswith('/'):
destination = self.path + '/'
if self.command == 'GET' and self.query_data:
destination += '?' + urllib.parse.urlencode(self.query_data,
True)
self.respond_redirect(destination)
return
for index in ['index.html', 'index.htm']:
index = os.path.join(file_path, index)
if os.path.isfile(index) and os.access(index, os.R_OK):
self.respond_file(index, query=query)
return
if self.__config['serve_files_list_directories']:
self.respond_list_directory(file_path, query=query)
return
self.respond_not_found()
return
|
dispatch_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query=None):\n query = query or {}\n self.path = self.path.split('?', 1)[0]\n self.path = self.path.split('#', 1)[0]\n original_path = urllib.parse.unquote(self.path)\n self.path = posixpath.normpath(original_path)\n words = self.path.split('/')\n words = filter(None, words)\n tmp_path = ''\n for word in words:\n _, word = os.path.splitdrive(word)\n _, word = os.path.split(word)\n if word in (os.curdir, os.pardir):\n continue\n tmp_path = os.path.join(tmp_path, word)\n self.path = tmp_path\n if self.path == 'robots.txt' and self.__config['serve_robots_txt']:\n self.send_response_full(self.__config['robots_txt'])\n return\n self.cookies = http.cookies.SimpleCookie(self.headers.get('cookie', ''))\n handler, is_method = self.__get_handler(is_rpc=False)\n if handler is not None:\n try:\n handler(*((query,) if is_method else (self, query)))\n except Exception:\n self.respond_server_error()\n return\n if not self.__config['serve_files']:\n self.respond_not_found()\n return\n file_path = self.__config['serve_files_root']\n file_path = os.path.join(file_path, tmp_path)\n if os.path.isfile(file_path) and os.access(file_path, os.R_OK):\n self.respond_file(file_path, query=query)\n return\n elif os.path.isdir(file_path) and os.access(file_path, os.R_OK):\n if not original_path.endswith('/'):\n destination = self.path + '/'\n if self.command == 'GET' and self.query_data:\n destination += '?' + urllib.parse.urlencode(self.query_data,\n True)\n self.respond_redirect(destination)\n return\n for index in ['index.html', 'index.htm']:\n index = os.path.join(file_path, index)\n if os.path.isfile(index) and os.access(index, os.R_OK):\n self.respond_file(index, query=query)\n return\n if self.__config['serve_files_list_directories']:\n self.respond_list_directory(file_path, query=query)\n return\n self.respond_not_found()\n return\n",
"role": "user"
},
{
"content": "dispatch_handler",
"role": "assistant"
}
] |
def x(self, path):
_, ext = posixpath.splitext(path)
if ext in self.extensions_map:
return self.extensions_map[ext]
ext = ext.lower()
return self.extensions_map[ext if ext in self.extensions_map else '']
|
guess_mime_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n _, ext = posixpath.splitext(path)\n if ext in self.extensions_map:\n return self.extensions_map[ext]\n ext = ext.lower()\n return self.extensions_map[ext if ext in self.extensions_map else '']\n",
"role": "user"
},
{
"content": "guess_mime_type",
"role": "assistant"
}
] |
def x(self):
try:
store = self.__config.get('basic_auth')
if store is None:
return True
auth_info = self.headers.get('Authorization')
if not auth_info:
return False
auth_info = auth_info.split()
if len(auth_info) != 2 or auth_info[0] != 'Basic':
return False
auth_info = base64.b64decode(auth_info[1]).decode(sys.
getdefaultencoding())
username = auth_info.split(':')[0]
password = ':'.join(auth_info.split(':')[1:])
password_bytes = password.encode(sys.getdefaultencoding())
if hasattr(self, 'custom_authentication'):
if self.custom_authentication(username, password):
self.basic_auth_user = username
return True
return False
if not username in store:
self.server.logger.warning('received invalid username: ' + username
)
return False
password_data = store[username]
if password_data['type'] == 'plain':
if password == password_data['value']:
self.basic_auth_user = username
return True
elif hashlib.new(password_data['type'], password_bytes).digest(
) == password_data['value']:
self.basic_auth_user = username
return True
self.server.logger.warning('received invalid password from user: ' +
username)
except Exception:
pass
return False
|
check_authorization
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n store = self.__config.get('basic_auth')\n if store is None:\n return True\n auth_info = self.headers.get('Authorization')\n if not auth_info:\n return False\n auth_info = auth_info.split()\n if len(auth_info) != 2 or auth_info[0] != 'Basic':\n return False\n auth_info = base64.b64decode(auth_info[1]).decode(sys.\n getdefaultencoding())\n username = auth_info.split(':')[0]\n password = ':'.join(auth_info.split(':')[1:])\n password_bytes = password.encode(sys.getdefaultencoding())\n if hasattr(self, 'custom_authentication'):\n if self.custom_authentication(username, password):\n self.basic_auth_user = username\n return True\n return False\n if not username in store:\n self.server.logger.warning('received invalid username: ' + username\n )\n return False\n password_data = store[username]\n if password_data['type'] == 'plain':\n if password == password_data['value']:\n self.basic_auth_user = username\n return True\n elif hashlib.new(password_data['type'], password_bytes).digest(\n ) == password_data['value']:\n self.basic_auth_user = username\n return True\n self.server.logger.warning('received invalid password from user: ' +\n username)\n except Exception:\n pass\n return False\n",
"role": "user"
},
{
"content": "check_authorization",
"role": "assistant"
}
] |
def x(self, name):
if not hasattr(self, 'cookies'):
return None
if self.cookies.get(name):
return self.cookies.get(name).value
return None
|
cookie_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if not hasattr(self, 'cookies'):\n return None\n if self.cookies.get(name):\n return self.cookies.get(name).value\n return None\n",
"role": "user"
},
{
"content": "cookie_get",
"role": "assistant"
}
] |
def x(self, name, value):
if not self.headers_active:
raise RuntimeError('headers have already been ended')
cookie = '{0}={1}; Path=/; HttpOnly'.format(name, value)
self.send_header('Set-Cookie', cookie)
|
cookie_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n if not self.headers_active:\n raise RuntimeError('headers have already been ended')\n cookie = '{0}={1}; Path=/; HttpOnly'.format(name, value)\n self.send_header('Set-Cookie', cookie)\n",
"role": "user"
},
{
"content": "cookie_set",
"role": "assistant"
}
] |
def x(self, default='UTF-8'):
encoding = default
header = self.headers.get('Content-Type', '')
idx = header.find('charset=')
if idx > 0:
encoding = header[idx + 8:].split(' ', 1)[0] or encoding
return encoding
|
get_content_type_charset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, default='UTF-8'):\n encoding = default\n header = self.headers.get('Content-Type', '')\n idx = header.find('charset=')\n if idx > 0:\n encoding = header[idx + 8:].split(' ', 1)[0] or encoding\n return encoding\n",
"role": "user"
},
{
"content": "get_content_type_charset",
"role": "assistant"
}
] |
def x(self):
if not self.connected:
return
self.connected = False
if self.handler.wfile.closed:
return
if select.select([], [self.handler.wfile], [], 0)[1]:
with self.lock:
self.handler.wfile.write(b'\x88\x00')
self.handler.wfile.flush()
self.on_closed()
|
close
|
[
{
"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.connected:\n return\n self.connected = False\n if self.handler.wfile.closed:\n return\n if select.select([], [self.handler.wfile], [], 0)[1]:\n with self.lock:\n self.handler.wfile.write(b'\\x88\\x00')\n self.handler.wfile.flush()\n self.on_closed()\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self, opcode, message):
if not isinstance(message, bytes):
message = message.encode('utf-8')
length = len(message)
if not select.select([], [self.handler.wfile], [], 0)[1]:
self.logger.error('the socket is not ready for writing')
self.close()
return
buffer = b''
buffer += struct.pack('B', 128 + opcode)
if length <= 125:
buffer += struct.pack('B', length)
elif 126 <= length <= 65535:
buffer += struct.pack('>BH', 126, length)
else:
buffer += struct.pack('>BQ', 127, length)
buffer += message
self._last_sent_opcode = opcode
self.lock.acquire()
try:
self.handler.wfile.write(buffer)
self.handler.wfile.flush()
except Exception:
self.logger.error('an error occurred while sending a message',
exc_info=True)
self.close()
finally:
self.lock.release()
|
send_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opcode, message):\n if not isinstance(message, bytes):\n message = message.encode('utf-8')\n length = len(message)\n if not select.select([], [self.handler.wfile], [], 0)[1]:\n self.logger.error('the socket is not ready for writing')\n self.close()\n return\n buffer = b''\n buffer += struct.pack('B', 128 + opcode)\n if length <= 125:\n buffer += struct.pack('B', length)\n elif 126 <= length <= 65535:\n buffer += struct.pack('>BH', 126, length)\n else:\n buffer += struct.pack('>BQ', 127, length)\n buffer += message\n self._last_sent_opcode = opcode\n self.lock.acquire()\n try:\n self.handler.wfile.write(buffer)\n self.handler.wfile.flush()\n except Exception:\n self.logger.error('an error occurred while sending a message',\n exc_info=True)\n self.close()\n finally:\n self.lock.release()\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(self, opcode, message):
self.logger.debug('processing {0} (opcode: 0x{1:02x}) message'.format(
self._opcode_names.get(opcode, 'UNKNOWN'), opcode))
if opcode == self._opcode_close:
self.close()
elif opcode == self._opcode_ping:
if len(message) > 125:
self.close()
return
self.send_message(self._opcode_pong, message)
elif opcode == self._opcode_pong:
pass
elif opcode == self._opcode_binary:
self.on_message_binary(message)
elif opcode == self._opcode_text:
try:
message = self._decode_string(message)
except UnicodeDecodeError:
self.logger.warning(
'closing connection due to invalid unicode within a text message'
)
self.close()
else:
self.on_message_text(message)
elif opcode == self._opcode_continue:
self.close()
else:
self.logger.warning('received unknown opcode: {0} (0x{0:02x})'.
format(opcode))
self.close()
|
on_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, opcode, message):\n self.logger.debug('processing {0} (opcode: 0x{1:02x}) message'.format(\n self._opcode_names.get(opcode, 'UNKNOWN'), opcode))\n if opcode == self._opcode_close:\n self.close()\n elif opcode == self._opcode_ping:\n if len(message) > 125:\n self.close()\n return\n self.send_message(self._opcode_pong, message)\n elif opcode == self._opcode_pong:\n pass\n elif opcode == self._opcode_binary:\n self.on_message_binary(message)\n elif opcode == self._opcode_text:\n try:\n message = self._decode_string(message)\n except UnicodeDecodeError:\n self.logger.warning(\n 'closing connection due to invalid unicode within a text message'\n )\n self.close()\n else:\n self.on_message_text(message)\n elif opcode == self._opcode_continue:\n self.close()\n else:\n self.logger.warning('received unknown opcode: {0} (0x{0:02x})'.\n format(opcode))\n self.close()\n",
"role": "user"
},
{
"content": "on_message",
"role": "assistant"
}
] |
def x(cls, content_type):
name = content_type
options = {}
if ';' in content_type:
name, options_str = content_type.split(';', 1)
for part in options_str.split(';'):
part = part.strip()
if '=' in part:
key, value = part.split('=')
else:
key, value = part, None
options[key] = value
if name.endswith('+zlib'):
options['compression'] = 'zlib'
name = name[:-5]
return cls(name, charset=options.get('charset', 'UTF-8'), compression=
options.get('compression'))
|
from_content_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, content_type):\n name = content_type\n options = {}\n if ';' in content_type:\n name, options_str = content_type.split(';', 1)\n for part in options_str.split(';'):\n part = part.strip()\n if '=' in part:\n key, value = part.split('=')\n else:\n key, value = part, None\n options[key] = value\n if name.endswith('+zlib'):\n options['compression'] = 'zlib'\n name = name[:-5]\n return cls(name, charset=options.get('charset', 'UTF-8'), compression=\n options.get('compression'))\n",
"role": "user"
},
{
"content": "from_content_type",
"role": "assistant"
}
] |
def x(self, data):
data = g_serializer_drivers[self.name]['dumps'](data)
if sys.version_info[0] == 3 and isinstance(data, str):
data = data.encode(self._charset)
if self._compression == 'zlib':
data = zlib.compress(data)
assert isinstance(data, bytes)
return data
|
dumps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n data = g_serializer_drivers[self.name]['dumps'](data)\n if sys.version_info[0] == 3 and isinstance(data, str):\n data = data.encode(self._charset)\n if self._compression == 'zlib':\n data = zlib.compress(data)\n assert isinstance(data, bytes)\n return data\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(self, data):
if not isinstance(data, bytes):
raise TypeError('loads() argument 1 must be bytes, not {0}'.format(
type(data).__name__))
if self._compression == 'zlib':
data = zlib.decompress(data)
if sys.version_info[0] == 3 and self.name.startswith('application/'):
data = data.decode(self._charset)
data = g_serializer_drivers[self.name]['loads'](data, self._charset if
sys.version_info[0] == 3 else None)
if isinstance(data, list):
data = tuple(data)
return data
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if not isinstance(data, bytes):\n raise TypeError('loads() argument 1 must be bytes, not {0}'.format(\n type(data).__name__))\n if self._compression == 'zlib':\n data = zlib.decompress(data)\n if sys.version_info[0] == 3 and self.name.startswith('application/'):\n data = data.decode(self._charset)\n data = g_serializer_drivers[self.name]['loads'](data, self._charset if \n sys.version_info[0] == 3 else None)\n if isinstance(data, list):\n data = tuple(data)\n return data\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(self, hostname, ssl_certfile=None, ssl_keyfile=None, ssl_version=None):
if not g_ssl_has_server_sni:
raise RuntimeError(
'the ssl server name indicator extension is unavailable')
if self._ssl_sni_entries is None:
raise RuntimeError('ssl was not enabled on initialization')
if ssl_certfile:
ssl_certfile = os.path.abspath(ssl_certfile)
if ssl_keyfile:
ssl_keyfile = os.path.abspath(ssl_keyfile)
cert_info = SSLSNICertificate(hostname, ssl_certfile, ssl_keyfile)
if ssl_version is None or isinstance(ssl_version, str):
ssl_version = resolve_ssl_protocol_version(ssl_version)
ssl_ctx = ssl.SSLContext(ssl_version)
ssl_ctx.load_cert_chain(ssl_certfile, keyfile=ssl_keyfile)
self._ssl_sni_entries[hostname] = SSLSNIEntry(context=ssl_ctx,
certificate=cert_info)
|
add_sni_cert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostname, ssl_certfile=None, ssl_keyfile=None, ssl_version=None):\n if not g_ssl_has_server_sni:\n raise RuntimeError(\n 'the ssl server name indicator extension is unavailable')\n if self._ssl_sni_entries is None:\n raise RuntimeError('ssl was not enabled on initialization')\n if ssl_certfile:\n ssl_certfile = os.path.abspath(ssl_certfile)\n if ssl_keyfile:\n ssl_keyfile = os.path.abspath(ssl_keyfile)\n cert_info = SSLSNICertificate(hostname, ssl_certfile, ssl_keyfile)\n if ssl_version is None or isinstance(ssl_version, str):\n ssl_version = resolve_ssl_protocol_version(ssl_version)\n ssl_ctx = ssl.SSLContext(ssl_version)\n ssl_ctx.load_cert_chain(ssl_certfile, keyfile=ssl_keyfile)\n self._ssl_sni_entries[hostname] = SSLSNIEntry(context=ssl_ctx,\n certificate=cert_info)\n",
"role": "user"
},
{
"content": "add_sni_cert",
"role": "assistant"
}
] |
def x(self, hostname):
if not g_ssl_has_server_sni:
raise RuntimeError(
'the ssl server name indicator extension is unavailable')
if self._ssl_sni_entries is None:
raise RuntimeError('ssl was not enabled on initialization')
sni_entry = self._ssl_sni_entries.pop(hostname, None)
if sni_entry is None:
raise ValueError(
'the specified hostname does not have an sni certificate configuration'
)
|
remove_sni_cert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hostname):\n if not g_ssl_has_server_sni:\n raise RuntimeError(\n 'the ssl server name indicator extension is unavailable')\n if self._ssl_sni_entries is None:\n raise RuntimeError('ssl was not enabled on initialization')\n sni_entry = self._ssl_sni_entries.pop(hostname, None)\n if sni_entry is None:\n raise ValueError(\n 'the specified hostname does not have an sni certificate configuration'\n )\n",
"role": "user"
},
{
"content": "remove_sni_cert",
"role": "assistant"
}
] |
def x(self):
if not g_ssl_has_server_sni or self._ssl_sni_entries is None:
return tuple()
return tuple(entry.certificate for entry in self._ssl_sni_entries.values())
|
sni_certs
|
[
{
"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 g_ssl_has_server_sni or self._ssl_sni_entries is None:\n return tuple()\n return tuple(entry.certificate for entry in self._ssl_sni_entries.values())\n",
"role": "user"
},
{
"content": "sni_certs",
"role": "assistant"
}
] |
def x(self, fork=False):
if fork:
if not hasattr(os, 'fork'):
raise OSError('os.fork is not available')
child_pid = os.fork()
if child_pid != 0:
self.logger.info('forked child process: ' + str(child_pid))
return child_pid
self.__server_thread = threading.current_thread()
self.__wakeup_fd = WakeupFd()
self.__is_shutdown.clear()
self.__should_stop.clear()
self.__is_running.set()
while not self.__should_stop.is_set():
try:
self._serve_ready()
except socket.error:
self.logger.warning('encountered socket error, stopping server')
self.__should_stop.set()
self.__is_shutdown.set()
self.__is_running.clear()
return 0
|
serve_forever
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fork=False):\n if fork:\n if not hasattr(os, 'fork'):\n raise OSError('os.fork is not available')\n child_pid = os.fork()\n if child_pid != 0:\n self.logger.info('forked child process: ' + str(child_pid))\n return child_pid\n self.__server_thread = threading.current_thread()\n self.__wakeup_fd = WakeupFd()\n self.__is_shutdown.clear()\n self.__should_stop.clear()\n self.__is_running.set()\n while not self.__should_stop.is_set():\n try:\n self._serve_ready()\n except socket.error:\n self.logger.warning('encountered socket error, stopping server')\n self.__should_stop.set()\n self.__is_shutdown.set()\n self.__is_running.clear()\n return 0\n",
"role": "user"
},
{
"content": "serve_forever",
"role": "assistant"
}
] |
def x(self):
self.__should_stop.set()
if self.__server_thread == threading.current_thread():
self.__is_shutdown.set()
self.__is_running.clear()
else:
if self.__wakeup_fd is not None:
os.write(self.__wakeup_fd.write_fd, b'\x00')
self.__is_shutdown.wait()
if self.__wakeup_fd is not None:
self.__wakeup_fd.close()
self.__wakeup_fd = None
for server in self.sub_servers:
server.shutdown()
|
shutdown
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.__should_stop.set()\n if self.__server_thread == threading.current_thread():\n self.__is_shutdown.set()\n self.__is_running.clear()\n else:\n if self.__wakeup_fd is not None:\n os.write(self.__wakeup_fd.write_fd, b'\\x00')\n self.__is_shutdown.wait()\n if self.__wakeup_fd is not None:\n self.__wakeup_fd.close()\n self.__wakeup_fd = None\n for server in self.sub_servers:\n server.shutdown()\n",
"role": "user"
},
{
"content": "shutdown",
"role": "assistant"
}
] |
def x(self, status):
if not bool(status):
self.__config['basic_auth'] = None
self.logger.info('basic authentication has been disabled')
else:
self.__config['basic_auth'] = {}
self.logger.info('basic authentication has been enabled')
|
auth_set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status):\n if not bool(status):\n self.__config['basic_auth'] = None\n self.logger.info('basic authentication has been disabled')\n else:\n self.__config['basic_auth'] = {}\n self.logger.info('basic authentication has been enabled')\n",
"role": "user"
},
{
"content": "auth_set",
"role": "assistant"
}
] |
def x(self, username=None):
if not username:
self.__config['basic_auth'] = {}
self.logger.info(
'basic authentication database has been cleared of all entries')
return
del self.__config['basic_auth'][username]
|
auth_delete_creds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username=None):\n if not username:\n self.__config['basic_auth'] = {}\n self.logger.info(\n 'basic authentication database has been cleared of all entries')\n return\n del self.__config['basic_auth'][username]\n",
"role": "user"
},
{
"content": "auth_delete_creds",
"role": "assistant"
}
] |
def x(self, username, password, pwtype='plain'):
if not isinstance(password, (bytes, str)):
raise TypeError(
'auth_add_creds() argument 2 must be bytes or str, not {0}'.
format(type(password).__name__))
pwtype = pwtype.lower()
if not pwtype in ('plain', 'md5', 'sha1', 'sha256', 'sha384', 'sha512'):
raise ValueError(
"invalid password type, must be 'plain', or supported by hashlib")
if self.__config.get('basic_auth') is None:
self.__config['basic_auth'] = {}
self.logger.info('basic authentication has been enabled')
if pwtype != 'plain':
algorithms_available = getattr(hashlib, 'algorithms_available', ()
) or getattr(hashlib, 'algorithms', ())
if pwtype not in algorithms_available:
raise ValueError('hashlib does not support the desired algorithm')
if pwtype == 'md5' and len(password) == 32:
password = binascii.unhexlify(password)
elif pwtype == 'sha1' and len(password) == 40:
password = binascii.unhexlify(password)
if not isinstance(password, bytes):
password = password.encode('UTF-8')
if len(hashlib.new(pwtype, b'foobar').digest()) != len(password):
raise ValueError(
'the length of the password hash does not match the type specified'
)
self.__config['basic_auth'][username] = {'value': password, 'type': pwtype}
|
auth_add_creds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password, pwtype='plain'):\n if not isinstance(password, (bytes, str)):\n raise TypeError(\n 'auth_add_creds() argument 2 must be bytes or str, not {0}'.\n format(type(password).__name__))\n pwtype = pwtype.lower()\n if not pwtype in ('plain', 'md5', 'sha1', 'sha256', 'sha384', 'sha512'):\n raise ValueError(\n \"invalid password type, must be 'plain', or supported by hashlib\")\n if self.__config.get('basic_auth') is None:\n self.__config['basic_auth'] = {}\n self.logger.info('basic authentication has been enabled')\n if pwtype != 'plain':\n algorithms_available = getattr(hashlib, 'algorithms_available', ()\n ) or getattr(hashlib, 'algorithms', ())\n if pwtype not in algorithms_available:\n raise ValueError('hashlib does not support the desired algorithm')\n if pwtype == 'md5' and len(password) == 32:\n password = binascii.unhexlify(password)\n elif pwtype == 'sha1' and len(password) == 40:\n password = binascii.unhexlify(password)\n if not isinstance(password, bytes):\n password = password.encode('UTF-8')\n if len(hashlib.new(pwtype, b'foobar').digest()) != len(password):\n raise ValueError(\n 'the length of the password hash does not match the type specified'\n )\n self.__config['basic_auth'][username] = {'value': password, 'type': pwtype}\n",
"role": "user"
},
{
"content": "auth_add_creds",
"role": "assistant"
}
] |
def x(obj, **kwargs):
old_kwargs = dict([(key, getattr(obj, key)) for key in kwargs])
[setattr(obj, key, val) for key, val in kwargs.items()]
try:
yield
finally:
[setattr(obj, key, val) for key, val in old_kwargs.items()]
|
setattr_context
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, **kwargs):\n old_kwargs = dict([(key, getattr(obj, key)) for key in kwargs])\n [setattr(obj, key, val) for key, val in kwargs.items()]\n try:\n yield\n finally:\n [setattr(obj, key, val) for key, val in old_kwargs.items()]\n",
"role": "user"
},
{
"content": "setattr_context",
"role": "assistant"
}
] |
def x(*arrays, **kwargs):
arrays = np.broadcast_arrays(*arrays)
sort_by = kwargs.pop('sort_by', None)
if kwargs:
raise ValueError('unrecognized arguments: {0}'.format(kwargs.keys()))
if arrays[0].ndim != 1:
raise ValueError('Input arrays should be one-dimensional.')
if sort_by is not None:
isort = np.argsort(sort_by)
if isort.shape != arrays[0].shape:
raise ValueError('sort shape must equal array shape.')
arrays = tuple([a[isort] for a in arrays])
return arrays
|
validate_inputs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*arrays, **kwargs):\n arrays = np.broadcast_arrays(*arrays)\n sort_by = kwargs.pop('sort_by', None)\n if kwargs:\n raise ValueError('unrecognized arguments: {0}'.format(kwargs.keys()))\n if arrays[0].ndim != 1:\n raise ValueError('Input arrays should be one-dimensional.')\n if sort_by is not None:\n isort = np.argsort(sort_by)\n if isort.shape != arrays[0].shape:\n raise ValueError('sort shape must equal array shape.')\n arrays = tuple([a[isort] for a in arrays])\n return arrays\n",
"role": "user"
},
{
"content": "validate_inputs",
"role": "assistant"
}
] |
def x(t, y, dy, span, t_out, span_out, period):
if period:
t = t % period
if t_out is not None:
t_out = t_out % period
t, y, dy = validate_inputs(t, y, dy, sort_by=t)
if span_out is not None:
if t_out is None:
raise ValueError('Must specify t_out when span_out is given')
if span is not None:
raise ValueError('Must specify only one of span, span_out')
span, t_out = np.broadcast_arrays(span_out, t_out)
indices = np.searchsorted(t, t_out)
elif span is None:
raise ValueError('Must specify either span_out or span')
else:
indices = None
return t, y, dy, span, t_out, span_out, indices
|
prep_smooth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, y, dy, span, t_out, span_out, period):\n if period:\n t = t % period\n if t_out is not None:\n t_out = t_out % period\n t, y, dy = validate_inputs(t, y, dy, sort_by=t)\n if span_out is not None:\n if t_out is None:\n raise ValueError('Must specify t_out when span_out is given')\n if span is not None:\n raise ValueError('Must specify only one of span, span_out')\n span, t_out = np.broadcast_arrays(span_out, t_out)\n indices = np.searchsorted(t, t_out)\n elif span is None:\n raise ValueError('Must specify either span_out or span')\n else:\n indices = None\n return t, y, dy, span, t_out, span_out, indices\n",
"role": "user"
},
{
"content": "prep_smooth",
"role": "assistant"
}
] |
def x(t, y, dy, span=None, cv=True, t_out=None, span_out=None, period=None):
prep = _prep_smooth(t, y, dy, span, t_out, span_out, period)
t, y, dy, span, t_out, span_out, indices = prep
w = 1.0 / dy ** 2
w, yw = windowed_sum([w, y * w], t=t, span=span, subtract_mid=cv,
indices=indices, period=period)
if t_out is None or span_out is not None:
return yw / w
else:
i = np.minimum(len(t) - 1, np.searchsorted(t, t_out))
return yw[i] / w[i]
|
moving_average_smooth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, y, dy, span=None, cv=True, t_out=None, span_out=None, period=None):\n prep = _prep_smooth(t, y, dy, span, t_out, span_out, period)\n t, y, dy, span, t_out, span_out, indices = prep\n w = 1.0 / dy ** 2\n w, yw = windowed_sum([w, y * w], t=t, span=span, subtract_mid=cv,\n indices=indices, period=period)\n if t_out is None or span_out is not None:\n return yw / w\n else:\n i = np.minimum(len(t) - 1, np.searchsorted(t, t_out))\n return yw[i] / w[i]\n",
"role": "user"
},
{
"content": "moving_average_smooth",
"role": "assistant"
}
] |
def x(t, y, dy, span=None, cv=True, t_out=None, span_out=None, period=None):
t_input = t
prep = _prep_smooth(t, y, dy, span, t_out, span_out, period)
t, y, dy, span, t_out, span_out, indices = prep
if period:
t_input = np.asarray(t_input) % period
w = 1.0 / dy ** 2
w, yw, tw, tyw, ttw = windowed_sum([w, y * w, w, y * w, w], t=t,
tpowers=[0, 0, 1, 1, 2], span=span, indices=indices, subtract_mid=
cv, period=period)
denominator = w * ttw - tw * tw
slope = tyw * w - tw * yw
intercept = ttw * yw - tyw * tw
if np.any(denominator == 0):
raise ValueError(
'Zero denominator in linear smooth. This usually indicates that the input contains duplicate points.'
)
if t_out is None:
return (slope * t_input + intercept) / denominator
elif span_out is not None:
return (slope * t_out + intercept) / denominator
else:
i = np.minimum(len(t) - 1, np.searchsorted(t, t_out))
return (slope[i] * t_out + intercept[i]) / denominator[i]
|
linear_smooth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, y, dy, span=None, cv=True, t_out=None, span_out=None, period=None):\n t_input = t\n prep = _prep_smooth(t, y, dy, span, t_out, span_out, period)\n t, y, dy, span, t_out, span_out, indices = prep\n if period:\n t_input = np.asarray(t_input) % period\n w = 1.0 / dy ** 2\n w, yw, tw, tyw, ttw = windowed_sum([w, y * w, w, y * w, w], t=t,\n tpowers=[0, 0, 1, 1, 2], span=span, indices=indices, subtract_mid=\n cv, period=period)\n denominator = w * ttw - tw * tw\n slope = tyw * w - tw * yw\n intercept = ttw * yw - tyw * tw\n if np.any(denominator == 0):\n raise ValueError(\n 'Zero denominator in linear smooth. This usually indicates that the input contains duplicate points.'\n )\n if t_out is None:\n return (slope * t_input + intercept) / denominator\n elif span_out is not None:\n return (slope * t_out + intercept) / denominator\n else:\n i = np.minimum(len(t) - 1, np.searchsorted(t, t_out))\n return (slope[i] * t_out + intercept[i]) / denominator[i]\n",
"role": "user"
},
{
"content": "linear_smooth",
"role": "assistant"
}
] |
def x(x, y, xquery, slow=False):
x, y, xquery = map(np.asarray, (x, y, xquery))
assert x.ndim == 1
assert xquery.ndim == 1
assert y.shape == x.shape + xquery.shape
xquery = np.clip(xquery, x.min(), x.max())
if slow:
from scipy.interpolate import interp1d
return np.array([interp1d(x, y)(xq) for xq, y in zip(xquery, y.T)])
elif len(x) == 3:
yq_lower = y[0] + (xquery - x[0]) * (y[1] - y[0]) / (x[1] - x[0])
yq_upper = y[1] + (xquery - x[1]) * (y[2] - y[1]) / (x[2] - x[1])
return np.where(xquery < x[1], yq_lower, yq_upper)
else:
i = np.clip(np.searchsorted(x, xquery, side='right') - 1, 0, len(x) - 2
)
j = np.arange(len(xquery))
return y[i, j] + (xquery - x[i]) * (y[i + 1, j] - y[i, j]) / (x[i +
1] - x[i])
|
multinterp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, xquery, slow=False):\n x, y, xquery = map(np.asarray, (x, y, xquery))\n assert x.ndim == 1\n assert xquery.ndim == 1\n assert y.shape == x.shape + xquery.shape\n xquery = np.clip(xquery, x.min(), x.max())\n if slow:\n from scipy.interpolate import interp1d\n return np.array([interp1d(x, y)(xq) for xq, y in zip(xquery, y.T)])\n elif len(x) == 3:\n yq_lower = y[0] + (xquery - x[0]) * (y[1] - y[0]) / (x[1] - x[0])\n yq_upper = y[1] + (xquery - x[1]) * (y[2] - y[1]) / (x[2] - x[1])\n return np.where(xquery < x[1], yq_lower, yq_upper)\n else:\n i = np.clip(np.searchsorted(x, xquery, side='right') - 1, 0, len(x) - 2\n )\n j = np.arange(len(xquery))\n return y[i, j] + (xquery - x[i]) * (y[i + 1, j] - y[i, j]) / (x[i +\n 1] - x[i])\n",
"role": "user"
},
{
"content": "multinterp",
"role": "assistant"
}
] |
def x(self, test_connection=False):
session = consulate.Session(host=self.host, port=self.port)
if test_connection:
session.status.leader()
return session
|
create_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_connection=False):\n session = consulate.Session(host=self.host, port=self.port)\n if test_connection:\n session.status.leader()\n return session\n",
"role": "user"
},
{
"content": "create_session",
"role": "assistant"
}
] |
def x(self, namespace=None):
if namespace is None:
namespace = 'config/{service}/{environment}/'.format(service=os.
environ.get('SERVICE', 'generic_service'), environment=os.
environ.get('ENVIRONMENT', 'generic_environment'))
for k, v in iteritems(self.session.kv.find(namespace)):
k = k.replace(namespace, '')
try:
self.app.config[k] = json.loads(v)
except (TypeError, ValueError):
self.app.logger.warning(
"Couldn't de-serialize {} to json, using raw value".format(v))
self.app.config[k] = v
msg = "Set {k}={v} from consul kv '{ns}'".format(k=k, v=v, ns=namespace
)
self.app.logger.debug(msg)
|
apply_remote_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace=None):\n if namespace is None:\n namespace = 'config/{service}/{environment}/'.format(service=os.\n environ.get('SERVICE', 'generic_service'), environment=os.\n environ.get('ENVIRONMENT', 'generic_environment'))\n for k, v in iteritems(self.session.kv.find(namespace)):\n k = k.replace(namespace, '')\n try:\n self.app.config[k] = json.loads(v)\n except (TypeError, ValueError):\n self.app.logger.warning(\n \"Couldn't de-serialize {} to json, using raw value\".format(v))\n self.app.config[k] = v\n msg = \"Set {k}={v} from consul kv '{ns}'\".format(k=k, v=v, ns=namespace\n )\n self.app.logger.debug(msg)\n",
"role": "user"
},
{
"content": "apply_remote_config",
"role": "assistant"
}
] |
def x(self, **kwargs):
kwargs.setdefault('name', self.app.name)
self.session.agent.service.register(**kwargs)
|
register_service
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n kwargs.setdefault('name', self.app.name)\n self.session.agent.service.register(**kwargs)\n",
"role": "user"
},
{
"content": "register_service",
"role": "assistant"
}
] |
def x(self):
endpoints = {}
r = self.resolver.query(self.service, 'SRV')
for rec in r.response.additional:
name = rec.name.to_text()
addr = rec.items[0].address
endpoints[name] = {'addr': addr}
for rec in r.response.answer[0].items:
name = '.'.join(rec.target.labels)
endpoints[name]['port'] = rec.port
return ['http://{ip}:{port}'.format(ip=v['addr'], port=v['port']) for v in
endpoints.values()]
|
resolve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n endpoints = {}\n r = self.resolver.query(self.service, 'SRV')\n for rec in r.response.additional:\n name = rec.name.to_text()\n addr = rec.items[0].address\n endpoints[name] = {'addr': addr}\n for rec in r.response.answer[0].items:\n name = '.'.join(rec.target.labels)\n endpoints[name]['port'] = rec.port\n return ['http://{ip}:{port}'.format(ip=v['addr'], port=v['port']) for v in\n endpoints.values()]\n",
"role": "user"
},
{
"content": "resolve",
"role": "assistant"
}
] |
def x(self, method, endpoint, **kwargs):
kwargs.setdefault('timeout', (1, 30))
return self.session.request(method, urljoin(self.base_url, endpoint),
**kwargs)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, endpoint, **kwargs):\n kwargs.setdefault('timeout', (1, 30))\n return self.session.request(method, urljoin(self.base_url, endpoint),\n **kwargs)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(max_tries=3, sleep=0.05):
def x(f):
@functools.wraps(f)
def x(*args, **kwargs):
tries = 0
while True:
try:
return f(*args, **kwargs)
except (ConnectionError, ConnectTimeout) as e:
tries += 1
if tries >= max_tries:
raise ConsulConnectionError(e)
if sleep:
time.sleep(sleep)
return f_retry
return decorator
|
with_retry_connections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_tries=3, sleep=0.05):\n\n def x(f):\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n tries = 0\n while True:\n try:\n return f(*args, **kwargs)\n except (ConnectionError, ConnectTimeout) as e:\n tries += 1\n if tries >= max_tries:\n raise ConsulConnectionError(e)\n if sleep:\n time.sleep(sleep)\n return f_retry\n return decorator\n",
"role": "user"
},
{
"content": "with_retry_connections",
"role": "assistant"
}
] |
def x(gens, seconds=5, cropper=None):
if hasattr(gens, 'next'):
gens = gens,
if cropper == None:
cropper = lambda gen: itertools.islice(gen, 0, seconds * sampler.
FRAME_RATE)
cropped = [cropper(gen) for gen in gens]
return cropped[0] if len(cropped) == 1 else cropped
|
crop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gens, seconds=5, cropper=None):\n if hasattr(gens, 'next'):\n gens = gens,\n if cropper == None:\n cropper = lambda gen: itertools.islice(gen, 0, seconds * sampler.\n FRAME_RATE)\n cropped = [cropper(gen) for gen in gens]\n return cropped[0] if len(cropped) == 1 else cropped\n",
"role": "user"
},
{
"content": "crop",
"role": "assistant"
}
] |
def x(gen, dB=0):
if not hasattr(dB, 'next'):
scale = 10 ** (dB / 20.0)
else:
def x():
while True:
yield 10 ** (next(dB) / 20.0)
scale = scale_gen()
return envelope(gen, scale)
|
volume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gen, dB=0):\n if not hasattr(dB, 'next'):\n scale = 10 ** (dB / 20.0)\n else:\n\n def x():\n while True:\n yield 10 ** (next(dB) / 20.0)\n scale = scale_gen()\n return envelope(gen, scale)\n",
"role": "user"
},
{
"content": "volume",
"role": "assistant"
}
] |
def x(inputs, mix=None):
if mix == None:
mix = [constant(1.0 / len(inputs))] * len(inputs),
duped_inputs = zip(*[itertools.tee(i, len(mix)) for i in inputs])
return [sum(*[multiply(m, i) for m, i in zip(channel_mix,
channel_inputs)]) for channel_mix, channel_inputs in zip(mix,
duped_inputs)]
|
mixer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inputs, mix=None):\n if mix == None:\n mix = [constant(1.0 / len(inputs))] * len(inputs),\n duped_inputs = zip(*[itertools.tee(i, len(mix)) for i in inputs])\n return [sum(*[multiply(m, i) for m, i in zip(channel_mix,\n channel_inputs)]) for channel_mix, channel_inputs in zip(mix,\n duped_inputs)]\n",
"role": "user"
},
{
"content": "mixer",
"role": "assistant"
}
] |
def x(gen, channels):
def x(g, channel):
for samples in g:
yield samples[channel]
return [pick(gen_copy, channel) for channel, gen_copy in enumerate(
itertools.tee(gen, channels))]
|
channelize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gen, channels):\n\n def x(g, channel):\n for samples in g:\n yield samples[channel]\n return [pick(gen_copy, channel) for channel, gen_copy in enumerate(\n itertools.tee(gen, channels))]\n",
"role": "user"
},
{
"content": "channelize",
"role": "assistant"
}
] |
def x(generator, min=-1, max=1, width=SAMPLE_WIDTH):
fmt = {(1): '<B', (2): '<h', (4): '<i'}[width]
return (struct.pack(fmt, int(sample)) for sample in normalize(hard_clip
(generator, min, max), min, max, -2 ** (width * 8 - 1), 2 ** (width *
8 - 1) - 1))
|
sample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(generator, min=-1, max=1, width=SAMPLE_WIDTH):\n fmt = {(1): '<B', (2): '<h', (4): '<i'}[width]\n return (struct.pack(fmt, int(sample)) for sample in normalize(hard_clip\n (generator, min, max), min, max, -2 ** (width * 8 - 1), 2 ** (width *\n 8 - 1) - 1))\n",
"role": "user"
},
{
"content": "sample",
"role": "assistant"
}
] |
def x(generators, *args, **kwargs):
return [sample(gen, *args, **kwargs) for gen in generators]
|
sample_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(generators, *args, **kwargs):\n return [sample(gen, *args, **kwargs) for gen in generators]\n",
"role": "user"
},
{
"content": "sample_all",
"role": "assistant"
}
] |
def x(stream, buffer_size=BUFFER_SIZE):
i = iter(stream)
return iter(lambda : ''.join(itertools.islice(i, buffer_size)), '')
|
buffer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, buffer_size=BUFFER_SIZE):\n i = iter(stream)\n return iter(lambda : ''.join(itertools.islice(i, buffer_size)), '')\n",
"role": "user"
},
{
"content": "buffer",
"role": "assistant"
}
] |
def x():
f = StringIO()
w = wave.open(f, 'wb')
w.setparams((1, 2, 44100, 0, 'NONE', 'no compression'))
patched = True
try:
w.setnframes((4294967295 - 36) / w.getnchannels() / w.getsampwidth())
w._ensure_header_written(0)
except struct.error:
patched = False
logger.info(
'Error setting wave data size to 0xFFFFFFFF; wave module unpatched, setting sata size to 0x7FFFFFFF'
)
w.setnframes((2147483647 - 36) / w.getnchannels() / w.getsampwidth())
w._ensure_header_written(0)
return patched
|
wave_module_patched
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n f = StringIO()\n w = wave.open(f, 'wb')\n w.setparams((1, 2, 44100, 0, 'NONE', 'no compression'))\n patched = True\n try:\n w.setnframes((4294967295 - 36) / w.getnchannels() / w.getsampwidth())\n w._ensure_header_written(0)\n except struct.error:\n patched = False\n logger.info(\n 'Error setting wave data size to 0xFFFFFFFF; wave module unpatched, setting sata size to 0x7FFFFFFF'\n )\n w.setnframes((2147483647 - 36) / w.getnchannels() / w.getsampwidth())\n w._ensure_header_written(0)\n return patched\n",
"role": "user"
},
{
"content": "wave_module_patched",
"role": "assistant"
}
] |
def x(f):
cache = {}
def x(*args):
key = FRAME_RATE, args
if key not in cache:
cache[key] = [sample for sample in f(*args)]
return (sample for sample in cache[key])
return wrap
|
cache_finite_samples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n cache = {}\n\n def x(*args):\n key = FRAME_RATE, args\n if key not in cache:\n cache[key] = [sample for sample in f(*args)]\n return (sample for sample in cache[key])\n return wrap\n",
"role": "user"
},
{
"content": "cache_finite_samples",
"role": "assistant"
}
] |
def x(channels, blocking=True, raw_samples=False):
if not pyaudio_loaded:
raise Exception(
'Soundcard playback requires PyAudio. Install with `pip install pyaudio`.'
)
channel_count = 1 if hasattr(channels, 'next') else len(channels)
wavgen = wav_samples(channels, raw_samples=raw_samples)
p = pyaudio.PyAudio()
stream = p.open(format=p.get_format_from_width(SAMPLE_WIDTH), channels=
channel_count, rate=FRAME_RATE, output=True, stream_callback=
_pyaudio_callback(wavgen) if not blocking else None)
if blocking:
try:
for chunk in buffer(wavgen, 1024):
stream.write(chunk)
except Exception:
raise
finally:
if not stream.is_stopped():
stream.stop_stream()
try:
stream.close()
except Exception:
pass
else:
return stream
|
play
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(channels, blocking=True, raw_samples=False):\n if not pyaudio_loaded:\n raise Exception(\n 'Soundcard playback requires PyAudio. Install with `pip install pyaudio`.'\n )\n channel_count = 1 if hasattr(channels, 'next') else len(channels)\n wavgen = wav_samples(channels, raw_samples=raw_samples)\n p = pyaudio.PyAudio()\n stream = p.open(format=p.get_format_from_width(SAMPLE_WIDTH), channels=\n channel_count, rate=FRAME_RATE, output=True, stream_callback=\n _pyaudio_callback(wavgen) if not blocking else None)\n if blocking:\n try:\n for chunk in buffer(wavgen, 1024):\n stream.write(chunk)\n except Exception:\n raise\n finally:\n if not stream.is_stopped():\n stream.stop_stream()\n try:\n stream.close()\n except Exception:\n pass\n else:\n return stream\n",
"role": "user"
},
{
"content": "play",
"role": "assistant"
}
] |
def x(arrays, span, t=None, indices=None, tpowers=0, period=None,
subtract_mid=False):
span = np.asarray(span, dtype=int)
if not np.all(span > 0):
raise ValueError('span values must be positive')
arrays = tuple(map(np.asarray, arrays))
N = arrays[0].size
if not all(a.shape == (N,) for a in arrays):
raise ValueError('sizes of provided arrays must match')
t_input = t
if t is not None:
t = np.asarray(t)
if t.shape != (N,):
raise ValueError('shape of t must match shape of arrays')
else:
t = np.ones(N)
tpowers = tpowers + np.zeros(len(arrays))
if len(tpowers) != len(arrays):
raise ValueError('tpowers must be broadcastable with number of arrays')
if period:
if t_input is None:
raise ValueError('periodic requires t to be provided')
t = t % period
if indices is None:
indices = np.arange(N)
spans, indices = np.broadcast_arrays(span, indices)
results = []
for tpower, array in zip(tpowers, arrays):
if period:
result = [sum(array[j % N] * (t[j % N] + j // N * period) **
tpower for j in range(i - s // 2, i - s // 2 + s) if not (
subtract_mid and j == i)) for i, s in np.broadcast(indices,
spans)]
else:
result = [sum(array[j] * t[j] ** tpower for j in range(max(0, i -
s // 2), min(N, i - s // 2 + s)) if not (subtract_mid and j ==
i)) for i, s in np.broadcast(indices, spans)]
results.append(np.asarray(result))
return tuple(results)
|
windowed_sum_slow
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arrays, span, t=None, indices=None, tpowers=0, period=None,\n subtract_mid=False):\n span = np.asarray(span, dtype=int)\n if not np.all(span > 0):\n raise ValueError('span values must be positive')\n arrays = tuple(map(np.asarray, arrays))\n N = arrays[0].size\n if not all(a.shape == (N,) for a in arrays):\n raise ValueError('sizes of provided arrays must match')\n t_input = t\n if t is not None:\n t = np.asarray(t)\n if t.shape != (N,):\n raise ValueError('shape of t must match shape of arrays')\n else:\n t = np.ones(N)\n tpowers = tpowers + np.zeros(len(arrays))\n if len(tpowers) != len(arrays):\n raise ValueError('tpowers must be broadcastable with number of arrays')\n if period:\n if t_input is None:\n raise ValueError('periodic requires t to be provided')\n t = t % period\n if indices is None:\n indices = np.arange(N)\n spans, indices = np.broadcast_arrays(span, indices)\n results = []\n for tpower, array in zip(tpowers, arrays):\n if period:\n result = [sum(array[j % N] * (t[j % N] + j // N * period) **\n tpower for j in range(i - s // 2, i - s // 2 + s) if not (\n subtract_mid and j == i)) for i, s in np.broadcast(indices,\n spans)]\n else:\n result = [sum(array[j] * t[j] ** tpower for j in range(max(0, i -\n s // 2), min(N, i - s // 2 + s)) if not (subtract_mid and j ==\n i)) for i, s in np.broadcast(indices, spans)]\n results.append(np.asarray(result))\n return tuple(results)\n",
"role": "user"
},
{
"content": "windowed_sum_slow",
"role": "assistant"
}
] |
def x(arrays, span, t=None, indices=None, tpowers=0, period=None,
subtract_mid=False):
span = np.asarray(span, dtype=int)
if not np.all(span > 0):
raise ValueError('span values must be positive')
arrays = tuple(map(np.asarray, arrays))
N = arrays[0].size
if not all(a.shape == (N,) for a in arrays):
raise ValueError('sizes of provided arrays must match')
t_input = t
if t is not None:
t = np.asarray(t)
if t.shape != (N,):
raise ValueError(
'shape of t must match shape of arrays t -> {0} arr -> {1}'
.format(t.shape, arrays[0].shape))
else:
t = np.ones(N)
tpowers = np.asarray(tpowers) + np.zeros(len(arrays))
if indices is not None:
span, indices = np.broadcast_arrays(span, indices)
if period:
if t_input is None:
raise ValueError('periodic requires t to be provided')
t = t % period
t, arrays, sl = _pad_arrays(t, arrays, indices, span, period)
if len(t) > N:
if span.ndim == 0 and indices is None:
arrs = windowed_sum(arrays, span, t=t, indices=indices,
tpowers=tpowers, period=None, subtract_mid=subtract_mid)
return tuple([a[sl] for a in arrs])
else:
if indices is None:
indices = np.arange(N)
indices = indices + sl.start
return windowed_sum(arrays, span, t=t, indices=indices,
tpowers=tpowers, period=None, subtract_mid=subtract_mid)
else:
period = None
assert not period
if span.ndim == 0:
assert indices is None
window = np.ones(span)
def x(a, window):
if len(window) <= len(a):
res = np.convolve(a, window, mode='same')
else:
res = np.convolve(a, window, mode='full')
start = (len(window) - 1) // 2
res = res[start:start + len(a)]
return res
results = [convolve_same(a * t ** tp, window) for a, tp in zip(
arrays, tpowers)]
indices = slice(None)
else:
if indices is None:
indices = np.arange(len(span))
assert span.shape == indices.shape
mins = np.asarray(indices) - span // 2
results = []
for a, tp in zip(arrays, tpowers):
ranges = np.vstack([np.maximum(0, mins), np.minimum(len(a),
mins + span)]).ravel('F')
results.append(np.add.reduceat(np.append(a * t ** tp, 0),
ranges)[::2])
if subtract_mid:
results = [(r - a[indices] * t[indices] ** tp) for r, a, tp in zip(
results, arrays, tpowers)]
return tuple(results)
|
windowed_sum
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arrays, span, t=None, indices=None, tpowers=0, period=None,\n subtract_mid=False):\n span = np.asarray(span, dtype=int)\n if not np.all(span > 0):\n raise ValueError('span values must be positive')\n arrays = tuple(map(np.asarray, arrays))\n N = arrays[0].size\n if not all(a.shape == (N,) for a in arrays):\n raise ValueError('sizes of provided arrays must match')\n t_input = t\n if t is not None:\n t = np.asarray(t)\n if t.shape != (N,):\n raise ValueError(\n 'shape of t must match shape of arrays t -> {0} arr -> {1}'\n .format(t.shape, arrays[0].shape))\n else:\n t = np.ones(N)\n tpowers = np.asarray(tpowers) + np.zeros(len(arrays))\n if indices is not None:\n span, indices = np.broadcast_arrays(span, indices)\n if period:\n if t_input is None:\n raise ValueError('periodic requires t to be provided')\n t = t % period\n t, arrays, sl = _pad_arrays(t, arrays, indices, span, period)\n if len(t) > N:\n if span.ndim == 0 and indices is None:\n arrs = windowed_sum(arrays, span, t=t, indices=indices,\n tpowers=tpowers, period=None, subtract_mid=subtract_mid)\n return tuple([a[sl] for a in arrs])\n else:\n if indices is None:\n indices = np.arange(N)\n indices = indices + sl.start\n return windowed_sum(arrays, span, t=t, indices=indices,\n tpowers=tpowers, period=None, subtract_mid=subtract_mid)\n else:\n period = None\n assert not period\n if span.ndim == 0:\n assert indices is None\n window = np.ones(span)\n\n def x(a, window):\n if len(window) <= len(a):\n res = np.convolve(a, window, mode='same')\n else:\n res = np.convolve(a, window, mode='full')\n start = (len(window) - 1) // 2\n res = res[start:start + len(a)]\n return res\n results = [convolve_same(a * t ** tp, window) for a, tp in zip(\n arrays, tpowers)]\n indices = slice(None)\n else:\n if indices is None:\n indices = np.arange(len(span))\n assert span.shape == indices.shape\n mins = np.asarray(indices) - span // 2\n results = []\n for a, tp in zip(arrays, tpowers):\n ranges = np.vstack([np.maximum(0, mins), np.minimum(len(a), \n mins + span)]).ravel('F')\n results.append(np.add.reduceat(np.append(a * t ** tp, 0),\n ranges)[::2])\n if subtract_mid:\n results = [(r - a[indices] * t[indices] ** tp) for r, a, tp in zip(\n results, arrays, tpowers)]\n return tuple(results)\n",
"role": "user"
},
{
"content": "windowed_sum",
"role": "assistant"
}
] |
def x(t, arrays, indices, span, period):
N = len(t)
if indices is None:
indices = np.arange(N)
pad_left = max(0, 0 - np.min(indices - span // 2))
pad_right = max(0, np.max(indices + span - span // 2) - (N - 1))
if pad_left + pad_right > 0:
Nright, pad_right = divmod(pad_right, N)
Nleft, pad_left = divmod(pad_left, N)
t = np.concatenate([t[N - pad_left:] - (Nleft + 1) * period] + [(t +
i * period) for i in range(-Nleft, Nright + 1)] + [t[:pad_right
] + (Nright + 1) * period])
arrays = [np.concatenate([a[N - pad_left:]] + (Nleft + Nright + 1) *
[a] + [a[:pad_right]]) for a in arrays]
pad_left = pad_left % N
Nright = pad_right / N
pad_right = pad_right % N
return t, arrays, slice(pad_left + Nleft * N, pad_left + (Nleft + 1
) * N)
else:
return t, arrays, slice(None)
|
pad_arrays
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, arrays, indices, span, period):\n N = len(t)\n if indices is None:\n indices = np.arange(N)\n pad_left = max(0, 0 - np.min(indices - span // 2))\n pad_right = max(0, np.max(indices + span - span // 2) - (N - 1))\n if pad_left + pad_right > 0:\n Nright, pad_right = divmod(pad_right, N)\n Nleft, pad_left = divmod(pad_left, N)\n t = np.concatenate([t[N - pad_left:] - (Nleft + 1) * period] + [(t +\n i * period) for i in range(-Nleft, Nright + 1)] + [t[:pad_right\n ] + (Nright + 1) * period])\n arrays = [np.concatenate([a[N - pad_left:]] + (Nleft + Nright + 1) *\n [a] + [a[:pad_right]]) for a in arrays]\n pad_left = pad_left % N\n Nright = pad_right / N\n pad_right = pad_right % N\n return t, arrays, slice(pad_left + Nleft * N, pad_left + (Nleft + 1\n ) * N)\n else:\n return t, arrays, slice(None)\n",
"role": "user"
},
{
"content": "pad_arrays",
"role": "assistant"
}
] |
def x(glober=glob.glob):
res = []
for device in glober('/dev/i2c-*'):
r = re.match('/dev/i2c-([\\d]){1,2}', device)
res.append(int(r.group(1)))
return res
|
get_i2c_bus_numbers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(glober=glob.glob):\n res = []\n for device in glober('/dev/i2c-*'):\n r = re.match('/dev/i2c-([\\\\d]){1,2}', device)\n res.append(int(r.group(1)))\n return res\n",
"role": "user"
},
{
"content": "get_i2c_bus_numbers",
"role": "assistant"
}
] |
def x(self, name):
res = re.match('^led_([0-9]{1,2})$', name)
if res is None:
raise AttributeError("Unknown attribute: '%s'" % name)
led_num = int(res.group(1))
if led_num < 0 or led_num > 15:
raise AttributeError("Unknown attribute: '%s'" % name)
return self.calc_led_register(led_num)
|
get_led_register_from_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n res = re.match('^led_([0-9]{1,2})$', name)\n if res is None:\n raise AttributeError(\"Unknown attribute: '%s'\" % name)\n led_num = int(res.group(1))\n if led_num < 0 or led_num > 15:\n raise AttributeError(\"Unknown attribute: '%s'\" % name)\n return self.calc_led_register(led_num)\n",
"role": "user"
},
{
"content": "get_led_register_from_name",
"role": "assistant"
}
] |
def x(self, led_num, value):
self.__check_range('led_number', led_num)
self.__check_range('led_value', value)
register_low = self.calc_led_register(led_num)
self.write(register_low, value_low(value))
self.write(register_low + 1, value_high(value))
|
set_pwm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, led_num, value):\n self.__check_range('led_number', led_num)\n self.__check_range('led_value', value)\n register_low = self.calc_led_register(led_num)\n self.write(register_low, value_low(value))\n self.write(register_low + 1, value_high(value))\n",
"role": "user"
},
{
"content": "set_pwm",
"role": "assistant"
}
] |
def x(self, led_num):
self.__check_range('led_number', led_num)
register_low = self.calc_led_register(led_num)
return self.__get_led_value(register_low)
|
get_pwm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, led_num):\n self.__check_range('led_number', led_num)\n register_low = self.calc_led_register(led_num)\n return self.__get_led_value(register_low)\n",
"role": "user"
},
{
"content": "get_pwm",
"role": "assistant"
}
] |
def x(self):
logger.debug('Sleep the controller')
self.write(Registers.MODE_1, self.mode_1 | 1 << Mode1.SLEEP)
|
sleep
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n logger.debug('Sleep the controller')\n self.write(Registers.MODE_1, self.mode_1 | 1 << Mode1.SLEEP)\n",
"role": "user"
},
{
"content": "sleep",
"role": "assistant"
}
] |
def x(self, reg, value):
self.__check_range('register_value', value)
logger.debug("Write '%s' to register '%s'" % (value, reg))
self.__bus.write_byte_data(self.__address, reg, value)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reg, value):\n self.__check_range('register_value', value)\n logger.debug(\"Write '%s' to register '%s'\" % (value, reg))\n self.__bus.write_byte_data(self.__address, reg, value)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, value):
self.__check_range('pwm_frequency', value)
reg_val = self.calc_pre_scale(value)
logger.debug('Calculated prescale value is %s' % reg_val)
self.sleep()
self.write(Registers.PRE_SCALE, reg_val)
self.wake()
|
set_pwm_frequency
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n self.__check_range('pwm_frequency', value)\n reg_val = self.calc_pre_scale(value)\n logger.debug('Calculated prescale value is %s' % reg_val)\n self.sleep()\n self.write(Registers.PRE_SCALE, reg_val)\n self.wake()\n",
"role": "user"
},
{
"content": "set_pwm_frequency",
"role": "assistant"
}
] |
def x(source, target):
distance = _levenshtein_compute(source, target, False)
return float(distance) / max(len(source), len(target))
|
levenshtein_norm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, target):\n distance = _levenshtein_compute(source, target, False)\n return float(distance) / max(len(source), len(target))\n",
"role": "user"
},
{
"content": "levenshtein_norm",
"role": "assistant"
}
] |
def x(color):
if color in list(mcolors.CSS4_COLORS.keys()) + ['#4CB391']:
logging.info('Nanoplotter: Valid color {}.'.format(color))
return color
else:
logging.info('Nanoplotter: Invalid color {}, using default.'.format
(color))
sys.stderr.write('Invalid color {}, using default.\n'.format(color))
return '#4CB391'
|
check_valid_color
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(color):\n if color in list(mcolors.CSS4_COLORS.keys()) + ['#4CB391']:\n logging.info('Nanoplotter: Valid color {}.'.format(color))\n return color\n else:\n logging.info('Nanoplotter: Invalid color {}, using default.'.format\n (color))\n sys.stderr.write('Invalid color {}, using default.\\n'.format(color))\n return '#4CB391'\n",
"role": "user"
},
{
"content": "check_valid_color",
"role": "assistant"
}
] |
def x(figformat):
fig = plt.figure()
if figformat in list(fig.canvas.get_supported_filetypes().keys()):
logging.info('Nanoplotter: valid output format {}'.format(figformat))
return figformat
else:
logging.info('Nanoplotter: invalid output format {}'.format(figformat))
sys.stderr.write('Invalid format {}, using default.\n'.format(
figformat))
return 'png'
|
check_valid_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(figformat):\n fig = plt.figure()\n if figformat in list(fig.canvas.get_supported_filetypes().keys()):\n logging.info('Nanoplotter: valid output format {}'.format(figformat))\n return figformat\n else:\n logging.info('Nanoplotter: invalid output format {}'.format(figformat))\n sys.stderr.write('Invalid format {}, using default.\\n'.format(\n figformat))\n return 'png'\n",
"role": "user"
},
{
"content": "check_valid_format",
"role": "assistant"
}
] |
def x(x, y, names, path, plots, color='#4CB391', figformat='png', stat=None,
log=False, minvalx=0, minvaly=0, title=None, plot_settings=None):
logging.info(
'Nanoplotter: Creating {} vs {} plots using statistics from {} reads.'
.format(names[0], names[1], x.size))
if not contains_variance([x, y], names):
return []
sns.set(style='ticks', **plot_settings)
maxvalx = np.amax(x)
maxvaly = np.amax(y)
plots_made = []
if plots['hex']:
hex_plot = Plot(path=path + '_hex.' + figformat, title=
'{} vs {} plot using hexagonal bins'.format(names[0], names[1]))
plot = sns.jointplot(x=x, y=y, kind='hex', color=color, stat_func=
stat, space=0, xlim=(minvalx, maxvalx), ylim=(minvaly, maxvaly),
height=10)
plot.set_axis_labels(names[0], names[1])
if log:
hex_plot.title = (hex_plot.title +
' after log transformation of read lengths')
ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * 10 **
maxvalx]
plot.ax_joint.set_xticks(np.log10(ticks))
plot.ax_marg_x.set_xticks(np.log10(ticks))
plot.ax_joint.set_xticklabels(ticks)
plt.subplots_adjust(top=0.9)
plot.fig.suptitle(title or '{} vs {} plot'.format(names[0], names[1
]), fontsize=25)
hex_plot.fig = plot
hex_plot.save(format=figformat)
plots_made.append(hex_plot)
sns.set(style='darkgrid', **plot_settings)
if plots['dot']:
dot_plot = Plot(path=path + '_dot.' + figformat, title=
'{} vs {} plot using dots'.format(names[0], names[1]))
plot = sns.jointplot(x=x, y=y, kind='scatter', color=color,
stat_func=stat, xlim=(minvalx, maxvalx), ylim=(minvaly, maxvaly
), space=0, height=10, joint_kws={'s': 1})
plot.set_axis_labels(names[0], names[1])
if log:
dot_plot.title = (dot_plot.title +
' after log transformation of read lengths')
ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * 10 **
maxvalx]
plot.ax_joint.set_xticks(np.log10(ticks))
plot.ax_marg_x.set_xticks(np.log10(ticks))
plot.ax_joint.set_xticklabels(ticks)
plt.subplots_adjust(top=0.9)
plot.fig.suptitle(title or '{} vs {} plot'.format(names[0], names[1
]), fontsize=25)
dot_plot.fig = plot
dot_plot.save(format=figformat)
plots_made.append(dot_plot)
if plots['kde']:
idx = np.random.choice(x.index, min(2000, len(x)), replace=False)
kde_plot = Plot(path=path + '_kde.' + figformat, title=
'{} vs {} plot using a kernel density estimation'.format(names[
0], names[1]))
plot = sns.jointplot(x=x[idx], y=y[idx], kind='kde', clip=((0, np.
Inf), (0, np.Inf)), xlim=(minvalx, maxvalx), ylim=(minvaly,
maxvaly), space=0, color=color, stat_func=stat, shade_lowest=
False, height=10)
plot.set_axis_labels(names[0], names[1])
if log:
kde_plot.title = (kde_plot.title +
' after log transformation of read lengths')
ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * 10 **
maxvalx]
plot.ax_joint.set_xticks(np.log10(ticks))
plot.ax_marg_x.set_xticks(np.log10(ticks))
plot.ax_joint.set_xticklabels(ticks)
plt.subplots_adjust(top=0.9)
plot.fig.suptitle(title or '{} vs {} plot'.format(names[0], names[1
]), fontsize=25)
kde_plot.fig = plot
kde_plot.save(format=figformat)
plots_made.append(kde_plot)
if plots['pauvre'] and names == ['Read lengths', 'Average read quality'
] and log is False:
pauvre_plot = Plot(path=path + '_pauvre.' + figformat, title=
'{} vs {} plot using pauvre-style @conchoecia'.format(names[0],
names[1]))
sns.set(style='white', **plot_settings)
margin_plot(df=pd.DataFrame({'length': x, 'meanQual': y}), Y_AXES=
False, title=title or 'Length vs Quality in Pauvre-style',
plot_maxlen=None, plot_minlen=0, plot_maxqual=None,
plot_minqual=0, lengthbin=None, qualbin=None, BASENAME=
'whatever', path=pauvre_plot.path, fileform=[figformat], dpi=
600, TRANSPARENT=True, QUIET=True)
plots_made.append(pauvre_plot)
plt.close('all')
return plots_made
|
scatter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, names, path, plots, color='#4CB391', figformat='png', stat=None,\n log=False, minvalx=0, minvaly=0, title=None, plot_settings=None):\n logging.info(\n 'Nanoplotter: Creating {} vs {} plots using statistics from {} reads.'\n .format(names[0], names[1], x.size))\n if not contains_variance([x, y], names):\n return []\n sns.set(style='ticks', **plot_settings)\n maxvalx = np.amax(x)\n maxvaly = np.amax(y)\n plots_made = []\n if plots['hex']:\n hex_plot = Plot(path=path + '_hex.' + figformat, title=\n '{} vs {} plot using hexagonal bins'.format(names[0], names[1]))\n plot = sns.jointplot(x=x, y=y, kind='hex', color=color, stat_func=\n stat, space=0, xlim=(minvalx, maxvalx), ylim=(minvaly, maxvaly),\n height=10)\n plot.set_axis_labels(names[0], names[1])\n if log:\n hex_plot.title = (hex_plot.title +\n ' after log transformation of read lengths')\n ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * 10 **\n maxvalx]\n plot.ax_joint.set_xticks(np.log10(ticks))\n plot.ax_marg_x.set_xticks(np.log10(ticks))\n plot.ax_joint.set_xticklabels(ticks)\n plt.subplots_adjust(top=0.9)\n plot.fig.suptitle(title or '{} vs {} plot'.format(names[0], names[1\n ]), fontsize=25)\n hex_plot.fig = plot\n hex_plot.save(format=figformat)\n plots_made.append(hex_plot)\n sns.set(style='darkgrid', **plot_settings)\n if plots['dot']:\n dot_plot = Plot(path=path + '_dot.' + figformat, title=\n '{} vs {} plot using dots'.format(names[0], names[1]))\n plot = sns.jointplot(x=x, y=y, kind='scatter', color=color,\n stat_func=stat, xlim=(minvalx, maxvalx), ylim=(minvaly, maxvaly\n ), space=0, height=10, joint_kws={'s': 1})\n plot.set_axis_labels(names[0], names[1])\n if log:\n dot_plot.title = (dot_plot.title +\n ' after log transformation of read lengths')\n ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * 10 **\n maxvalx]\n plot.ax_joint.set_xticks(np.log10(ticks))\n plot.ax_marg_x.set_xticks(np.log10(ticks))\n plot.ax_joint.set_xticklabels(ticks)\n plt.subplots_adjust(top=0.9)\n plot.fig.suptitle(title or '{} vs {} plot'.format(names[0], names[1\n ]), fontsize=25)\n dot_plot.fig = plot\n dot_plot.save(format=figformat)\n plots_made.append(dot_plot)\n if plots['kde']:\n idx = np.random.choice(x.index, min(2000, len(x)), replace=False)\n kde_plot = Plot(path=path + '_kde.' + figformat, title=\n '{} vs {} plot using a kernel density estimation'.format(names[\n 0], names[1]))\n plot = sns.jointplot(x=x[idx], y=y[idx], kind='kde', clip=((0, np.\n Inf), (0, np.Inf)), xlim=(minvalx, maxvalx), ylim=(minvaly,\n maxvaly), space=0, color=color, stat_func=stat, shade_lowest=\n False, height=10)\n plot.set_axis_labels(names[0], names[1])\n if log:\n kde_plot.title = (kde_plot.title +\n ' after log transformation of read lengths')\n ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * 10 **\n maxvalx]\n plot.ax_joint.set_xticks(np.log10(ticks))\n plot.ax_marg_x.set_xticks(np.log10(ticks))\n plot.ax_joint.set_xticklabels(ticks)\n plt.subplots_adjust(top=0.9)\n plot.fig.suptitle(title or '{} vs {} plot'.format(names[0], names[1\n ]), fontsize=25)\n kde_plot.fig = plot\n kde_plot.save(format=figformat)\n plots_made.append(kde_plot)\n if plots['pauvre'] and names == ['Read lengths', 'Average read quality'\n ] and log is False:\n pauvre_plot = Plot(path=path + '_pauvre.' + figformat, title=\n '{} vs {} plot using pauvre-style @conchoecia'.format(names[0],\n names[1]))\n sns.set(style='white', **plot_settings)\n margin_plot(df=pd.DataFrame({'length': x, 'meanQual': y}), Y_AXES=\n False, title=title or 'Length vs Quality in Pauvre-style',\n plot_maxlen=None, plot_minlen=0, plot_maxqual=None,\n plot_minqual=0, lengthbin=None, qualbin=None, BASENAME=\n 'whatever', path=pauvre_plot.path, fileform=[figformat], dpi=\n 600, TRANSPARENT=True, QUIET=True)\n plots_made.append(pauvre_plot)\n plt.close('all')\n return plots_made\n",
"role": "user"
},
{
"content": "scatter",
"role": "assistant"
}
] |
def x(arrays, names):
for ar, name in zip(arrays, names):
if np.std(ar) == 0:
sys.stderr.write(
"No variation in '{}', skipping bivariate plots.\n".format(
name.lower()))
logging.info(
'Nanoplotter: No variation in {}, skipping bivariate plot'.
format(name))
return False
else:
return True
|
contains_variance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arrays, names):\n for ar, name in zip(arrays, names):\n if np.std(ar) == 0:\n sys.stderr.write(\n \"No variation in '{}', skipping bivariate plots.\\n\".format(\n name.lower()))\n logging.info(\n 'Nanoplotter: No variation in {}, skipping bivariate plot'.\n format(name))\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "contains_variance",
"role": "assistant"
}
] |
def x(array, name, path, title=None, n50=None, color='#4CB391', figformat='png'
):
logging.info('Nanoplotter: Creating length plots for {}.'.format(name))
maxvalx = np.amax(array)
if n50:
logging.info(
'Nanoplotter: Using {} reads with read length N50 of {}bp and maximum of {}bp.'
.format(array.size, n50, maxvalx))
else:
logging.info('Nanoplotter: Using {} reads maximum of {}bp.'.format(
array.size, maxvalx))
plots = []
HistType = namedtuple('HistType', 'weight name ylabel')
for h_type in [HistType(None, '', 'Number of reads'), HistType(array,
'Weighted ', 'Number of bases')]:
histogram = Plot(path=path + h_type.name.replace(' ', '_') +
'Histogram' + name.replace(' ', '') + '.' + figformat, title=
h_type.name + 'Histogram of read lengths')
ax = sns.distplot(a=array, kde=False, hist=True, bins=max(round(int
(maxvalx) / 500), 10), color=color, hist_kws=dict(weights=
h_type.weight, edgecolor=color, linewidth=0.2, alpha=0.8))
if n50:
plt.axvline(n50)
plt.annotate('N50', xy=(n50, np.amax([h.get_height() for h in
ax.patches])), size=8)
ax.set(xlabel='Read length', ylabel=h_type.ylabel, title=title or
histogram.title)
plt.ticklabel_format(style='plain', axis='y')
histogram.fig = ax.get_figure()
histogram.save(format=figformat)
plt.close('all')
log_histogram = Plot(path=path + h_type.name.replace(' ', '_') +
'LogTransformed_Histogram' + name.replace(' ', '') + '.' +
figformat, title=h_type.name +
'Histogram of read lengths after log transformation')
ax = sns.distplot(a=np.log10(array), kde=False, hist=True, color=
color, hist_kws=dict(weights=h_type.weight, edgecolor=color,
linewidth=0.2, alpha=0.8))
ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * maxvalx]
ax.set(xticks=np.log10(ticks), xticklabels=ticks, xlabel=
'Read length', ylabel=h_type.ylabel, title=title or
log_histogram.title)
if n50:
plt.axvline(np.log10(n50))
plt.annotate('N50', xy=(np.log10(n50), np.amax([h.get_height() for
h in ax.patches])), size=8)
plt.ticklabel_format(style='plain', axis='y')
log_histogram.fig = ax.get_figure()
log_histogram.save(format=figformat)
plt.close('all')
plots.extend([histogram, log_histogram])
plots.append(yield_by_minimal_length_plot(array=array, name=name, path=
path, title=title, color=color, figformat=figformat))
return plots
|
length_plots
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array, name, path, title=None, n50=None, color='#4CB391', figformat='png'\n ):\n logging.info('Nanoplotter: Creating length plots for {}.'.format(name))\n maxvalx = np.amax(array)\n if n50:\n logging.info(\n 'Nanoplotter: Using {} reads with read length N50 of {}bp and maximum of {}bp.'\n .format(array.size, n50, maxvalx))\n else:\n logging.info('Nanoplotter: Using {} reads maximum of {}bp.'.format(\n array.size, maxvalx))\n plots = []\n HistType = namedtuple('HistType', 'weight name ylabel')\n for h_type in [HistType(None, '', 'Number of reads'), HistType(array,\n 'Weighted ', 'Number of bases')]:\n histogram = Plot(path=path + h_type.name.replace(' ', '_') +\n 'Histogram' + name.replace(' ', '') + '.' + figformat, title=\n h_type.name + 'Histogram of read lengths')\n ax = sns.distplot(a=array, kde=False, hist=True, bins=max(round(int\n (maxvalx) / 500), 10), color=color, hist_kws=dict(weights=\n h_type.weight, edgecolor=color, linewidth=0.2, alpha=0.8))\n if n50:\n plt.axvline(n50)\n plt.annotate('N50', xy=(n50, np.amax([h.get_height() for h in\n ax.patches])), size=8)\n ax.set(xlabel='Read length', ylabel=h_type.ylabel, title=title or\n histogram.title)\n plt.ticklabel_format(style='plain', axis='y')\n histogram.fig = ax.get_figure()\n histogram.save(format=figformat)\n plt.close('all')\n log_histogram = Plot(path=path + h_type.name.replace(' ', '_') +\n 'LogTransformed_Histogram' + name.replace(' ', '') + '.' +\n figformat, title=h_type.name +\n 'Histogram of read lengths after log transformation')\n ax = sns.distplot(a=np.log10(array), kde=False, hist=True, color=\n color, hist_kws=dict(weights=h_type.weight, edgecolor=color,\n linewidth=0.2, alpha=0.8))\n ticks = [(10 ** i) for i in range(10) if not 10 ** i > 10 * maxvalx]\n ax.set(xticks=np.log10(ticks), xticklabels=ticks, xlabel=\n 'Read length', ylabel=h_type.ylabel, title=title or\n log_histogram.title)\n if n50:\n plt.axvline(np.log10(n50))\n plt.annotate('N50', xy=(np.log10(n50), np.amax([h.get_height() for\n h in ax.patches])), size=8)\n plt.ticklabel_format(style='plain', axis='y')\n log_histogram.fig = ax.get_figure()\n log_histogram.save(format=figformat)\n plt.close('all')\n plots.extend([histogram, log_histogram])\n plots.append(yield_by_minimal_length_plot(array=array, name=name, path=\n path, title=title, color=color, figformat=figformat))\n return plots\n",
"role": "user"
},
{
"content": "length_plots",
"role": "assistant"
}
] |
def x(maxval):
if maxval > 512:
return Layout(structure=np.concatenate([(np.array([list(range(10 *
i + 1, i * 10 + 11)) for i in range(25)]) + j) for j in range(0,
3000, 250)], axis=1), template=np.zeros((25, 120)), xticks=
range(1, 121), yticks=range(1, 26))
else:
layoutlist = []
for i, j in zip([33, 481, 417, 353, 289, 225, 161, 97], [8, 456,
392, 328, 264, 200, 136, 72]):
for n in range(4):
layoutlist.append(list(range(i + n * 8, i + n * 8 + 8, 1)) +
list(range(j + n * 8, j + n * 8 - 8, -1)))
return Layout(structure=np.array(layoutlist).transpose(), template=
np.zeros((16, 32)), xticks=range(1, 33), yticks=range(1, 17))
|
make_layout
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(maxval):\n if maxval > 512:\n return Layout(structure=np.concatenate([(np.array([list(range(10 *\n i + 1, i * 10 + 11)) for i in range(25)]) + j) for j in range(0,\n 3000, 250)], axis=1), template=np.zeros((25, 120)), xticks=\n range(1, 121), yticks=range(1, 26))\n else:\n layoutlist = []\n for i, j in zip([33, 481, 417, 353, 289, 225, 161, 97], [8, 456, \n 392, 328, 264, 200, 136, 72]):\n for n in range(4):\n layoutlist.append(list(range(i + n * 8, i + n * 8 + 8, 1)) +\n list(range(j + n * 8, j + n * 8 - 8, -1)))\n return Layout(structure=np.array(layoutlist).transpose(), template=\n np.zeros((16, 32)), xticks=range(1, 33), yticks=range(1, 17))\n",
"role": "user"
},
{
"content": "make_layout",
"role": "assistant"
}
] |
def x(array, path, title=None, color='Greens', figformat='png'):
logging.info(
'Nanoplotter: Creating heatmap of reads per channel using {} reads.'
.format(array.size))
activity_map = Plot(path=path + '.' + figformat, title=
'Number of reads generated per channel')
layout = make_layout(maxval=np.amax(array))
valueCounts = pd.value_counts(pd.Series(array))
for entry in valueCounts.keys():
layout.template[np.where(layout.structure == entry)] = valueCounts[
entry]
plt.figure()
ax = sns.heatmap(data=pd.DataFrame(layout.template, index=layout.yticks,
columns=layout.xticks), xticklabels='auto', yticklabels='auto',
square=True, cbar_kws={'orientation': 'horizontal'}, cmap=color,
linewidths=0.2)
ax.set_title(title or activity_map.title)
activity_map.fig = ax.get_figure()
activity_map.save(format=figformat)
plt.close('all')
return [activity_map]
|
spatial_heatmap
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array, path, title=None, color='Greens', figformat='png'):\n logging.info(\n 'Nanoplotter: Creating heatmap of reads per channel using {} reads.'\n .format(array.size))\n activity_map = Plot(path=path + '.' + figformat, title=\n 'Number of reads generated per channel')\n layout = make_layout(maxval=np.amax(array))\n valueCounts = pd.value_counts(pd.Series(array))\n for entry in valueCounts.keys():\n layout.template[np.where(layout.structure == entry)] = valueCounts[\n entry]\n plt.figure()\n ax = sns.heatmap(data=pd.DataFrame(layout.template, index=layout.yticks,\n columns=layout.xticks), xticklabels='auto', yticklabels='auto',\n square=True, cbar_kws={'orientation': 'horizontal'}, cmap=color,\n linewidths=0.2)\n ax.set_title(title or activity_map.title)\n activity_map.fig = ax.get_figure()\n activity_map.save(format=figformat)\n plt.close('all')\n return [activity_map]\n",
"role": "user"
},
{
"content": "spatial_heatmap",
"role": "assistant"
}
] |
def x(database_dir, target_dir):
if not os.path.isdir(database_dir):
raise click.ClickException('Database directory does not exist!')
try:
os.makedirs(target_dir)
except:
pass
try:
parse(database_dir, target_dir)
except CronosException as ex:
raise click.ClickException(ex.message)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(database_dir, target_dir):\n if not os.path.isdir(database_dir):\n raise click.ClickException('Database directory does not exist!')\n try:\n os.makedirs(target_dir)\n except:\n pass\n try:\n parse(database_dir, target_dir)\n except CronosException as ex:\n raise click.ClickException(ex.message)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(df, timescol, days=5, warning=True):
timediff = (df[timescol].max() - df[timescol].min()).days
if timediff < days:
return df.sort_values(timescol).reset_index(drop=True).reset_index()
else:
if warning:
sys.stderr.write(
'\nWarning: data generated is from more than {} days.\n'.
format(str(days)))
sys.stderr.write(
'Likely this indicates you are combining multiple runs.\n')
sys.stderr.write(
"""Plots based on time are invalid and therefore truncated to first {} days.
"""
.format(str(days)))
logging.warning(
'Time plots truncated to first {} days: invalid timespan: {} days'
.format(str(days), str(timediff)))
return df[df[timescol] < timedelta(days=days)].sort_values(timescol
).reset_index(drop=True).reset_index()
|
check_valid_time_and_sort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, timescol, days=5, warning=True):\n timediff = (df[timescol].max() - df[timescol].min()).days\n if timediff < days:\n return df.sort_values(timescol).reset_index(drop=True).reset_index()\n else:\n if warning:\n sys.stderr.write(\n '\\nWarning: data generated is from more than {} days.\\n'.\n format(str(days)))\n sys.stderr.write(\n 'Likely this indicates you are combining multiple runs.\\n')\n sys.stderr.write(\n \"\"\"Plots based on time are invalid and therefore truncated to first {} days.\n\n\"\"\"\n .format(str(days)))\n logging.warning(\n 'Time plots truncated to first {} days: invalid timespan: {} days'\n .format(str(days), str(timediff)))\n return df[df[timescol] < timedelta(days=days)].sort_values(timescol\n ).reset_index(drop=True).reset_index()\n",
"role": "user"
},
{
"content": "check_valid_time_and_sort",
"role": "assistant"
}
] |
def x(df, path, title=None, color='#4CB391', figformat='png', log_length=
False, plot_settings=None):
dfs = check_valid_time_and_sort(df, 'start_time')
logging.info('Nanoplotter: Creating timeplots using {} reads.'.format(
len(dfs)))
cumyields = cumulative_yield(dfs=dfs.set_index('start_time'), path=path,
figformat=figformat, title=title, color=color)
reads_pores_over_time = plot_over_time(dfs=dfs.set_index('start_time'),
path=path, figformat=figformat, title=title, color=color)
violins = violin_plots_over_time(dfs=dfs, path=path, figformat=
figformat, title=title, log_length=log_length, plot_settings=
plot_settings)
return cumyields + reads_pores_over_time + violins
|
time_plots
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, path, title=None, color='#4CB391', figformat='png', log_length=\n False, plot_settings=None):\n dfs = check_valid_time_and_sort(df, 'start_time')\n logging.info('Nanoplotter: Creating timeplots using {} reads.'.format(\n len(dfs)))\n cumyields = cumulative_yield(dfs=dfs.set_index('start_time'), path=path,\n figformat=figformat, title=title, color=color)\n reads_pores_over_time = plot_over_time(dfs=dfs.set_index('start_time'),\n path=path, figformat=figformat, title=title, color=color)\n violins = violin_plots_over_time(dfs=dfs, path=path, figformat=\n figformat, title=title, log_length=log_length, plot_settings=\n plot_settings)\n return cumyields + reads_pores_over_time + violins\n",
"role": "user"
},
{
"content": "time_plots",
"role": "assistant"
}
] |
def x(df, y, figformat, path, y_name, title=None, plot='violin', log=False,
palette=None):
comp = Plot(path=path + 'NanoComp_' + y.replace(' ', '_') + '.' +
figformat, title='Comparing {}'.format(y))
if y == 'quals':
comp.title = 'Comparing base call quality scores'
if plot == 'violin':
logging.info('Nanoplotter: Creating violin plot for {}.'.format(y))
process_violin_and_box(ax=sns.violinplot(x='dataset', y=y, data=df,
inner=None, cut=0, palette=palette, linewidth=0), log=log,
plot_obj=comp, title=title, y_name=y_name, figformat=figformat,
ymax=np.amax(df[y]))
elif plot == 'box':
logging.info('Nanoplotter: Creating box plot for {}.'.format(y))
process_violin_and_box(ax=sns.boxplot(x='dataset', y=y, data=df,
palette=palette), log=log, plot_obj=comp, title=title, y_name=
y_name, figformat=figformat, ymax=np.amax(df[y]))
elif plot == 'ridge':
logging.info('Nanoplotter: Creating ridges plot for {}.'.format(y))
comp.fig, axes = joypy.joyplot(df, by='dataset', column=y, title=
title or comp.title, x_range=[-0.05, np.amax(df[y])])
if log:
xticks = [float(i.get_text()) for i in axes[-1].get_xticklabels()]
axes[-1].set_xticklabels([(10 ** i) for i in xticks])
axes[-1].set_xticklabels(axes[-1].get_xticklabels(), rotation=30,
ha='center')
comp.save(format=figformat)
else:
logging.error('Unknown comp plot type {}'.format(plot))
sys.exit('Unknown comp plot type {}'.format(plot))
plt.close('all')
return [comp]
|
violin_or_box_plot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, y, figformat, path, y_name, title=None, plot='violin', log=False,\n palette=None):\n comp = Plot(path=path + 'NanoComp_' + y.replace(' ', '_') + '.' +\n figformat, title='Comparing {}'.format(y))\n if y == 'quals':\n comp.title = 'Comparing base call quality scores'\n if plot == 'violin':\n logging.info('Nanoplotter: Creating violin plot for {}.'.format(y))\n process_violin_and_box(ax=sns.violinplot(x='dataset', y=y, data=df,\n inner=None, cut=0, palette=palette, linewidth=0), log=log,\n plot_obj=comp, title=title, y_name=y_name, figformat=figformat,\n ymax=np.amax(df[y]))\n elif plot == 'box':\n logging.info('Nanoplotter: Creating box plot for {}.'.format(y))\n process_violin_and_box(ax=sns.boxplot(x='dataset', y=y, data=df,\n palette=palette), log=log, plot_obj=comp, title=title, y_name=\n y_name, figformat=figformat, ymax=np.amax(df[y]))\n elif plot == 'ridge':\n logging.info('Nanoplotter: Creating ridges plot for {}.'.format(y))\n comp.fig, axes = joypy.joyplot(df, by='dataset', column=y, title=\n title or comp.title, x_range=[-0.05, np.amax(df[y])])\n if log:\n xticks = [float(i.get_text()) for i in axes[-1].get_xticklabels()]\n axes[-1].set_xticklabels([(10 ** i) for i in xticks])\n axes[-1].set_xticklabels(axes[-1].get_xticklabels(), rotation=30,\n ha='center')\n comp.save(format=figformat)\n else:\n logging.error('Unknown comp plot type {}'.format(plot))\n sys.exit('Unknown comp plot type {}'.format(plot))\n plt.close('all')\n return [comp]\n",
"role": "user"
},
{
"content": "violin_or_box_plot",
"role": "assistant"
}
] |
def x(df, figformat, path, title=None, palette=None):
logging.info(
'Nanoplotter: Creating barplots for number of reads and total throughput.'
)
read_count = Plot(path=path + 'NanoComp_number_of_reads.' + figformat,
title='Comparing number of reads')
ax = sns.countplot(x='dataset', data=df, palette=palette)
ax.set(ylabel='Number of reads', title=title or read_count.title)
plt.xticks(rotation=30, ha='center')
read_count.fig = ax.get_figure()
read_count.save(format=figformat)
plt.close('all')
throughput_bases = Plot(path=path + 'NanoComp_total_throughput.' +
figformat, title='Comparing throughput in gigabases')
if 'aligned_lengths' in df:
throughput = df.groupby('dataset')['aligned_lengths'].sum()
ylabel = 'Total gigabase aligned'
else:
throughput = df.groupby('dataset')['lengths'].sum()
ylabel = 'Total gigabase sequenced'
ax = sns.barplot(x=list(throughput.index), y=throughput / 1000000000.0,
palette=palette, order=df['dataset'].unique())
ax.set(ylabel=ylabel, title=title or throughput_bases.title)
plt.xticks(rotation=30, ha='center')
throughput_bases.fig = ax.get_figure()
throughput_bases.save(format=figformat)
plt.close('all')
return read_count, throughput_bases
|
output_barplot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, figformat, path, title=None, palette=None):\n logging.info(\n 'Nanoplotter: Creating barplots for number of reads and total throughput.'\n )\n read_count = Plot(path=path + 'NanoComp_number_of_reads.' + figformat,\n title='Comparing number of reads')\n ax = sns.countplot(x='dataset', data=df, palette=palette)\n ax.set(ylabel='Number of reads', title=title or read_count.title)\n plt.xticks(rotation=30, ha='center')\n read_count.fig = ax.get_figure()\n read_count.save(format=figformat)\n plt.close('all')\n throughput_bases = Plot(path=path + 'NanoComp_total_throughput.' +\n figformat, title='Comparing throughput in gigabases')\n if 'aligned_lengths' in df:\n throughput = df.groupby('dataset')['aligned_lengths'].sum()\n ylabel = 'Total gigabase aligned'\n else:\n throughput = df.groupby('dataset')['lengths'].sum()\n ylabel = 'Total gigabase sequenced'\n ax = sns.barplot(x=list(throughput.index), y=throughput / 1000000000.0,\n palette=palette, order=df['dataset'].unique())\n ax.set(ylabel=ylabel, title=title or throughput_bases.title)\n plt.xticks(rotation=30, ha='center')\n throughput_bases.fig = ax.get_figure()\n throughput_bases.save(format=figformat)\n plt.close('all')\n return read_count, throughput_bases\n",
"role": "user"
},
{
"content": "output_barplot",
"role": "assistant"
}
] |
def x(df, path, palette=None):
if palette is None:
palette = plotly.colors.DEFAULT_PLOTLY_COLORS * 5
hist = Plot(path=path + 'NanoComp_OverlayHistogram.html', title=
'Histogram of read lengths')
hist.html, hist.fig = plot_overlay_histogram(df, palette, title=hist.title)
hist.save()
hist_norm = Plot(path=path +
'NanoComp_OverlayHistogram_Normalized.html', title=
'Normalized histogram of read lengths')
hist_norm.html, hist_norm.fig = plot_overlay_histogram(df, palette,
title=hist_norm.title, histnorm='probability')
hist_norm.save()
log_hist = Plot(path=path + 'NanoComp_OverlayLogHistogram.html', title=
'Histogram of log transformed read lengths')
log_hist.html, log_hist.fig = plot_log_histogram(df, palette, title=
log_hist.title)
log_hist.save()
log_hist_norm = Plot(path=path +
'NanoComp_OverlayLogHistogram_Normalized.html', title=
'Normalized histogram of log transformed read lengths')
log_hist_norm.html, log_hist_norm.fig = plot_log_histogram(df, palette,
title=log_hist_norm.title, histnorm='probability')
log_hist_norm.save()
return [hist, hist_norm, log_hist, log_hist_norm]
|
overlay_histogram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, path, palette=None):\n if palette is None:\n palette = plotly.colors.DEFAULT_PLOTLY_COLORS * 5\n hist = Plot(path=path + 'NanoComp_OverlayHistogram.html', title=\n 'Histogram of read lengths')\n hist.html, hist.fig = plot_overlay_histogram(df, palette, title=hist.title)\n hist.save()\n hist_norm = Plot(path=path +\n 'NanoComp_OverlayHistogram_Normalized.html', title=\n 'Normalized histogram of read lengths')\n hist_norm.html, hist_norm.fig = plot_overlay_histogram(df, palette,\n title=hist_norm.title, histnorm='probability')\n hist_norm.save()\n log_hist = Plot(path=path + 'NanoComp_OverlayLogHistogram.html', title=\n 'Histogram of log transformed read lengths')\n log_hist.html, log_hist.fig = plot_log_histogram(df, palette, title=\n log_hist.title)\n log_hist.save()\n log_hist_norm = Plot(path=path +\n 'NanoComp_OverlayLogHistogram_Normalized.html', title=\n 'Normalized histogram of log transformed read lengths')\n log_hist_norm.html, log_hist_norm.fig = plot_log_histogram(df, palette,\n title=log_hist_norm.title, histnorm='probability')\n log_hist_norm.save()\n return [hist, hist_norm, log_hist, log_hist_norm]\n",
"role": "user"
},
{
"content": "overlay_histogram",
"role": "assistant"
}
] |
def x(df, palette, title, histnorm=''):
data = [go.Histogram(x=np.log10(df.loc[df['dataset'] == d, 'lengths']),
opacity=0.4, name=d, histnorm=histnorm, marker=dict(color=c)) for d,
c in zip(df['dataset'].unique(), palette)]
xtickvals = [(10 ** i) for i in range(10) if not 10 ** i > 10 * np.amax
(df['lengths'])]
html = plotly.offline.plot({'data': data, 'layout': go.Layout(barmode=
'overlay', title=title, xaxis=dict(tickvals=np.log10(xtickvals),
ticktext=xtickvals))}, output_type='div', show_link=False)
fig = go.Figure({'data': data, 'layout': go.Layout(barmode='overlay',
title=title, xaxis=dict(tickvals=np.log10(xtickvals), ticktext=
xtickvals))})
return html, fig
|
plot_log_histogram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, palette, title, histnorm=''):\n data = [go.Histogram(x=np.log10(df.loc[df['dataset'] == d, 'lengths']),\n opacity=0.4, name=d, histnorm=histnorm, marker=dict(color=c)) for d,\n c in zip(df['dataset'].unique(), palette)]\n xtickvals = [(10 ** i) for i in range(10) if not 10 ** i > 10 * np.amax\n (df['lengths'])]\n html = plotly.offline.plot({'data': data, 'layout': go.Layout(barmode=\n 'overlay', title=title, xaxis=dict(tickvals=np.log10(xtickvals),\n ticktext=xtickvals))}, output_type='div', show_link=False)\n fig = go.Figure({'data': data, 'layout': go.Layout(barmode='overlay',\n title=title, xaxis=dict(tickvals=np.log10(xtickvals), ticktext=\n xtickvals))})\n return html, fig\n",
"role": "user"
},
{
"content": "plot_log_histogram",
"role": "assistant"
}
] |
def x(db_folder, file_name):
if not os.path.isdir(db_folder):
return
file_name = file_name.lower().strip()
for cand_name in os.listdir(db_folder):
if cand_name.lower().strip() == file_name:
return os.path.join(db_folder, cand_name)
|
get_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_folder, file_name):\n if not os.path.isdir(db_folder):\n return\n file_name = file_name.lower().strip()\n for cand_name in os.listdir(db_folder):\n if cand_name.lower().strip() == file_name:\n return os.path.join(db_folder, cand_name)\n",
"role": "user"
},
{
"content": "get_file",
"role": "assistant"
}
] |
def x(db_folder, out_folder):
stru_dat = get_file(db_folder, 'CroStru.dat')
data_tad = get_file(db_folder, 'CroBank.tad')
data_dat = get_file(db_folder, 'CroBank.dat')
if None in [stru_dat, data_tad, data_dat]:
raise CronosException('Not all database files are present.')
meta, tables = parse_structure(stru_dat)
for table in tables:
if table['abbr'] == 'FL' and table['name'] == 'Files':
continue
fh = open(make_csv_file_name(meta, table, out_folder), 'w')
columns = table.get('columns')
writer = csv.writer(fh)
writer.writerow([encode_cell(c['name']) for c in columns])
for row in parse_data(data_tad, data_dat, table.get('id'), columns):
writer.writerow([encode_cell(c) for c in row])
fh.close()
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_folder, out_folder):\n stru_dat = get_file(db_folder, 'CroStru.dat')\n data_tad = get_file(db_folder, 'CroBank.tad')\n data_dat = get_file(db_folder, 'CroBank.dat')\n if None in [stru_dat, data_tad, data_dat]:\n raise CronosException('Not all database files are present.')\n meta, tables = parse_structure(stru_dat)\n for table in tables:\n if table['abbr'] == 'FL' and table['name'] == 'Files':\n continue\n fh = open(make_csv_file_name(meta, table, out_folder), 'w')\n columns = table.get('columns')\n writer = csv.writer(fh)\n writer.writerow([encode_cell(c['name']) for c in columns])\n for row in parse_data(data_tad, data_dat, table.get('id'), columns):\n writer.writerow([encode_cell(c) for c in row])\n fh.close()\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
data_uri = b64encode(open(self.path, 'rb').read()).decode('utf-8').replace(
'\n', '')
return '<img src="data:image/png;base64,{0}">'.format(data_uri)
|
encode1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data_uri = b64encode(open(self.path, 'rb').read()).decode('utf-8').replace(\n '\\n', '')\n return '<img src=\"data:image/png;base64,{0}\">'.format(data_uri)\n",
"role": "user"
},
{
"content": "encode1",
"role": "assistant"
}
] |
def x(self):
buf = BytesIO()
self.fig.savefig(buf, format='png', bbox_inches='tight', dpi=100)
buf.seek(0)
string = b64encode(buf.read())
return '<img src="data:image/png;base64,{0}">'.format(urlquote(string))
|
encode2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buf = BytesIO()\n self.fig.savefig(buf, format='png', bbox_inches='tight', dpi=100)\n buf.seek(0)\n string = b64encode(buf.read())\n return '<img src=\"data:image/png;base64,{0}\">'.format(urlquote(string))\n",
"role": "user"
},
{
"content": "encode2",
"role": "assistant"
}
] |
def x(source, target):
distance = _levenshtein_compute(source, target, True)
return float(distance) / max(len(source), len(target))
|
rdlevenshtein_norm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, target):\n distance = _levenshtein_compute(source, target, True)\n return float(distance) / max(len(source), len(target))\n",
"role": "user"
},
{
"content": "rdlevenshtein_norm",
"role": "assistant"
}
] |
def x(source, target, rd_flag):
s_range = range(len(source) + 1)
t_range = range(len(target) + 1)
matrix = [[(i if j == 0 else j) for j in t_range] for i in s_range]
for i in s_range[1:]:
for j in t_range[1:]:
del_dist = matrix[i - 1][j] + 1
ins_dist = matrix[i][j - 1] + 1
sub_trans_cost = 0 if source[i - 1] == target[j - 1] else 1
sub_dist = matrix[i - 1][j - 1] + sub_trans_cost
matrix[i][j] = min(del_dist, ins_dist, sub_dist)
if rd_flag and i > 1 and j > 1 and source[i - 1] == target[j - 2
] and source[i - 2] == target[j - 1]:
trans_dist = matrix[i - 2][j - 2] + sub_trans_cost
matrix[i][j] = min(matrix[i][j], trans_dist)
return matrix[len(source)][len(target)]
|
levenshtein_compute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, target, rd_flag):\n s_range = range(len(source) + 1)\n t_range = range(len(target) + 1)\n matrix = [[(i if j == 0 else j) for j in t_range] for i in s_range]\n for i in s_range[1:]:\n for j in t_range[1:]:\n del_dist = matrix[i - 1][j] + 1\n ins_dist = matrix[i][j - 1] + 1\n sub_trans_cost = 0 if source[i - 1] == target[j - 1] else 1\n sub_dist = matrix[i - 1][j - 1] + sub_trans_cost\n matrix[i][j] = min(del_dist, ins_dist, sub_dist)\n if rd_flag and i > 1 and j > 1 and source[i - 1] == target[j - 2\n ] and source[i - 2] == target[j - 1]:\n trans_dist = matrix[i - 2][j - 2] + sub_trans_cost\n matrix[i][j] = min(matrix[i][j], trans_dist)\n return matrix[len(source)][len(target)]\n",
"role": "user"
},
{
"content": "levenshtein_compute",
"role": "assistant"
}
] |
def x():
if sys.version_info < (2, 7):
sys.exit('crispy requires at least Python 2.7')
elif sys.version_info[0] == 3 and sys.version_info < (3, 4):
sys.exit('crispy requires at least Python 3.4')
kwargs = dict(name='crispy', version=get_version(), description=
'Core-Level Spectroscopy Simulations in Python', long_description=
get_readme(), license='MIT', author='Marius Retegan', author_email=
'marius.retegan@esrf.eu', url='https://github.com/mretegan/crispy',
download_url='https://github.com/mretegan/crispy/releases',
keywords='gui, spectroscopy, simulation, synchrotron, science',
install_requires=get_requirements(), platforms=['MacOS :: MacOS X',
'Microsoft :: Windows', 'POSIX :: Linux'], packages=['crispy',
'crispy.gui', 'crispy.gui.uis', 'crispy.gui.icons',
'crispy.modules', 'crispy.modules.quanty', 'crispy.modules.orca',
'crispy.utils'], package_data={'crispy.gui.uis': ['*.ui',
'quanty/*.ui'], 'crispy.gui.icons': ['*.svg'],
'crispy.modules.quanty': ['parameters/*.json.gz', 'templates/*.lua'
]}, classifiers=['Development Status :: 4 - Beta',
'Environment :: X11 Applications :: Qt',
'Intended Audience :: Education',
'Intended Audience :: Science/Research',
'License :: OSI Approved :: MIT License',
'Operating System :: MacOS :: MacOS X',
'Operating System :: Microsoft :: Windows',
'Operating System :: POSIX :: Linux',
'Programming Language :: Python :: 2.7',
'Programming Language :: Python :: 3.4',
'Programming Language :: Python :: 3.5',
'Programming Language :: Python :: 3.6',
'Programming Language :: Python :: 3.7',
'Topic :: Scientific/Engineering :: Visualization'])
if 'win32' in sys.platform:
kwargs['scripts'] = ['scripts/crispy.bat']
else:
kwargs['scripts'] = ['scripts/crispy']
setup(**kwargs)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if sys.version_info < (2, 7):\n sys.exit('crispy requires at least Python 2.7')\n elif sys.version_info[0] == 3 and sys.version_info < (3, 4):\n sys.exit('crispy requires at least Python 3.4')\n kwargs = dict(name='crispy', version=get_version(), description=\n 'Core-Level Spectroscopy Simulations in Python', long_description=\n get_readme(), license='MIT', author='Marius Retegan', author_email=\n 'marius.retegan@esrf.eu', url='https://github.com/mretegan/crispy',\n download_url='https://github.com/mretegan/crispy/releases',\n keywords='gui, spectroscopy, simulation, synchrotron, science',\n install_requires=get_requirements(), platforms=['MacOS :: MacOS X',\n 'Microsoft :: Windows', 'POSIX :: Linux'], packages=['crispy',\n 'crispy.gui', 'crispy.gui.uis', 'crispy.gui.icons',\n 'crispy.modules', 'crispy.modules.quanty', 'crispy.modules.orca',\n 'crispy.utils'], package_data={'crispy.gui.uis': ['*.ui',\n 'quanty/*.ui'], 'crispy.gui.icons': ['*.svg'],\n 'crispy.modules.quanty': ['parameters/*.json.gz', 'templates/*.lua'\n ]}, classifiers=['Development Status :: 4 - Beta',\n 'Environment :: X11 Applications :: Qt',\n 'Intended Audience :: Education',\n 'Intended Audience :: Science/Research',\n 'License :: OSI Approved :: MIT License',\n 'Operating System :: MacOS :: MacOS X',\n 'Operating System :: Microsoft :: Windows',\n 'Operating System :: POSIX :: Linux',\n 'Programming Language :: Python :: 2.7',\n 'Programming Language :: Python :: 3.4',\n 'Programming Language :: Python :: 3.5',\n 'Programming Language :: Python :: 3.6',\n 'Programming Language :: Python :: 3.7',\n 'Topic :: Scientific/Engineering :: Visualization'])\n if 'win32' in sys.platform:\n kwargs['scripts'] = ['scripts/crispy.bat']\n else:\n kwargs['scripts'] = ['scripts/crispy']\n setup(**kwargs)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self, calculation):
suffixes = {'Isotropic': 'iso', 'Circular Dichroism (R-L)': 'cd',
'Right Polarized (R)': 'r', 'Left Polarized (L)': 'l',
'Linear Dichroism (V-H)': 'ld', 'Vertical Polarized (V)': 'v',
'Horizontal Polarized (H)': 'h'}
self.raw = list()
for spectrumName in self.toPlot:
suffix = suffixes[spectrumName]
path = '{}_{}.spec'.format(calculation.baseName, suffix)
try:
data = np.loadtxt(path, skiprows=5)
except (OSError, IOError) as e:
raise e
rows, columns = data.shape
if calculation.experiment in ['XAS', 'XPS', 'XES']:
xMin = calculation.xMin
xMax = calculation.xMax
xNPoints = calculation.xNPoints
if calculation.experiment == 'XES':
x = np.linspace(xMin, xMax, xNPoints + 1)
x = x[::-1]
y = data[:, 2]
y = y / np.abs(y.max())
else:
x = np.linspace(xMin, xMax, xNPoints + 1)
y = data[:, 2::2].flatten()
spectrum = Spectrum1D(x, y)
spectrum.name = spectrumName
if len(suffix) > 2:
spectrum.shortName = suffix.title()
else:
spectrum.shortName = suffix.upper()
if calculation.experiment in ['XAS']:
spectrum.xLabel = 'Absorption Energy (eV)'
elif calculation.experiment in ['XPS']:
spectrum.xLabel = 'Binding Energy (eV)'
elif calculation.experiment in ['XES']:
spectrum.xLabel = 'Emission Energy (eV)'
spectrum.yLabel = 'Intensity (a.u.)'
self.broadenings = {'gaussian': (calculation.xGaussian,)}
else:
xMin = calculation.xMin
xMax = calculation.xMax
xNPoints = calculation.xNPoints
yMin = calculation.yMin
yMax = calculation.yMax
yNPoints = calculation.yNPoints
x = np.linspace(xMin, xMax, xNPoints + 1)
y = np.linspace(yMin, yMax, yNPoints + 1)
z = data[:, 2::2]
spectrum = Spectrum2D(x, y, z)
spectrum.name = spectrumName
if len(suffix) > 2:
spectrum.shortName = suffix.title()
else:
spectrum.shortName = suffix.upper()
spectrum.xLabel = 'Incident Energy (eV)'
spectrum.yLabel = 'Energy Transfer (eV)'
self.broadenings = {'gaussian': (calculation.xGaussian,
calculation.yGaussian)}
self.raw.append(spectrum)
self.process()
|
loadFromDisk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, calculation):\n suffixes = {'Isotropic': 'iso', 'Circular Dichroism (R-L)': 'cd',\n 'Right Polarized (R)': 'r', 'Left Polarized (L)': 'l',\n 'Linear Dichroism (V-H)': 'ld', 'Vertical Polarized (V)': 'v',\n 'Horizontal Polarized (H)': 'h'}\n self.raw = list()\n for spectrumName in self.toPlot:\n suffix = suffixes[spectrumName]\n path = '{}_{}.spec'.format(calculation.baseName, suffix)\n try:\n data = np.loadtxt(path, skiprows=5)\n except (OSError, IOError) as e:\n raise e\n rows, columns = data.shape\n if calculation.experiment in ['XAS', 'XPS', 'XES']:\n xMin = calculation.xMin\n xMax = calculation.xMax\n xNPoints = calculation.xNPoints\n if calculation.experiment == 'XES':\n x = np.linspace(xMin, xMax, xNPoints + 1)\n x = x[::-1]\n y = data[:, 2]\n y = y / np.abs(y.max())\n else:\n x = np.linspace(xMin, xMax, xNPoints + 1)\n y = data[:, 2::2].flatten()\n spectrum = Spectrum1D(x, y)\n spectrum.name = spectrumName\n if len(suffix) > 2:\n spectrum.shortName = suffix.title()\n else:\n spectrum.shortName = suffix.upper()\n if calculation.experiment in ['XAS']:\n spectrum.xLabel = 'Absorption Energy (eV)'\n elif calculation.experiment in ['XPS']:\n spectrum.xLabel = 'Binding Energy (eV)'\n elif calculation.experiment in ['XES']:\n spectrum.xLabel = 'Emission Energy (eV)'\n spectrum.yLabel = 'Intensity (a.u.)'\n self.broadenings = {'gaussian': (calculation.xGaussian,)}\n else:\n xMin = calculation.xMin\n xMax = calculation.xMax\n xNPoints = calculation.xNPoints\n yMin = calculation.yMin\n yMax = calculation.yMax\n yNPoints = calculation.yNPoints\n x = np.linspace(xMin, xMax, xNPoints + 1)\n y = np.linspace(yMin, yMax, yNPoints + 1)\n z = data[:, 2::2]\n spectrum = Spectrum2D(x, y, z)\n spectrum.name = spectrumName\n if len(suffix) > 2:\n spectrum.shortName = suffix.title()\n else:\n spectrum.shortName = suffix.upper()\n spectrum.xLabel = 'Incident Energy (eV)'\n spectrum.yLabel = 'Energy Transfer (eV)'\n self.broadenings = {'gaussian': (calculation.xGaussian,\n calculation.yGaussian)}\n self.raw.append(spectrum)\n self.process()\n",
"role": "user"
},
{
"content": "loadFromDisk",
"role": "assistant"
}
] |
def x(self, index):
flags = (QItemSelectionModel.Clear | QItemSelectionModel.Rows |
QItemSelectionModel.Select)
self.resultsView.selectionModel().select(index, flags)
self.resultsView.resizeColumnsToContents()
self.resultsView.setFocus()
|
updateResultsView
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n flags = (QItemSelectionModel.Clear | QItemSelectionModel.Rows |\n QItemSelectionModel.Select)\n self.resultsView.selectionModel().select(index, flags)\n self.resultsView.resizeColumnsToContents()\n self.resultsView.setFocus()\n",
"role": "user"
},
{
"content": "updateResultsView",
"role": "assistant"
}
] |
def x(self):
pw = self.getPlotWidget()
pw.reset()
results = self.resultsModel.getCheckedItems()
for result in results:
if isinstance(result, ExperimentalData):
spectrum = result.spectra['Expt']
spectrum.legend = '{}-{}'.format(result.index, 'Expt')
spectrum.xLabel = 'X'
spectrum.yLabel = 'Y'
spectrum.plot(plotWidget=pw)
else:
if len(results) > 1 and result.experiment in ['RIXS']:
continue
for spectrum in result.spectra.processed:
spectrum.legend = '{}-{}'.format(result.index, spectrum.
shortName)
if spectrum.name in result.spectra.toPlotChecked:
spectrum.plot(plotWidget=pw)
|
updatePlotWidget
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pw = self.getPlotWidget()\n pw.reset()\n results = self.resultsModel.getCheckedItems()\n for result in results:\n if isinstance(result, ExperimentalData):\n spectrum = result.spectra['Expt']\n spectrum.legend = '{}-{}'.format(result.index, 'Expt')\n spectrum.xLabel = 'X'\n spectrum.yLabel = 'Y'\n spectrum.plot(plotWidget=pw)\n else:\n if len(results) > 1 and result.experiment in ['RIXS']:\n continue\n for spectrum in result.spectra.processed:\n spectrum.legend = '{}-{}'.format(result.index, spectrum.\n shortName)\n if spectrum.name in result.spectra.toPlotChecked:\n spectrum.plot(plotWidget=pw)\n",
"role": "user"
},
{
"content": "updatePlotWidget",
"role": "assistant"
}
] |
def x(self):
if self.parent is not None:
children = self.parent.getChildren()
return children.index(self)
else:
return 0
|
row
|
[
{
"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.parent is not None:\n children = self.parent.getChildren()\n return children.index(self)\n else:\n return 0\n",
"role": "user"
},
{
"content": "row",
"role": "assistant"
}
] |
def x(self, row, column, parent=QModelIndex()):
if parent is not None and not parent.isValid():
parentItem = self.rootItem
else:
parentItem = self.item(parent)
childItem = parentItem.child(row)
if childItem:
index = self.createIndex(row, column, childItem)
else:
index = QModelIndex()
return index
|
index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, column, parent=QModelIndex()):\n if parent is not None and not parent.isValid():\n parentItem = self.rootItem\n else:\n parentItem = self.item(parent)\n childItem = parentItem.child(row)\n if childItem:\n index = self.createIndex(row, column, childItem)\n else:\n index = QModelIndex()\n return index\n",
"role": "user"
},
{
"content": "index",
"role": "assistant"
}
] |
def x(self, index):
childItem = self.item(index)
parentItem = childItem.parent
if parentItem == self.rootItem:
parentIndex = QModelIndex()
else:
parentIndex = self.createIndex(parentItem.row(), 0, parentItem)
return parentIndex
|
parent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n childItem = self.item(index)\n parentItem = childItem.parent\n if parentItem == self.rootItem:\n parentIndex = QModelIndex()\n else:\n parentIndex = self.createIndex(parentItem.row(), 0, parentItem)\n return parentIndex\n",
"role": "user"
},
{
"content": "parent",
"role": "assistant"
}
] |
def x(self, parentIndex):
if parentIndex.column() > 0:
return 0
if not parentIndex.isValid():
parentItem = self.rootItem
else:
parentItem = self.item(parentIndex)
return parentItem.childCount()
|
rowCount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parentIndex):\n if parentIndex.column() > 0:\n return 0\n if not parentIndex.isValid():\n parentItem = self.rootItem\n else:\n parentItem = self.item(parentIndex)\n return parentItem.childCount()\n",
"role": "user"
},
{
"content": "rowCount",
"role": "assistant"
}
] |
def x(self, index, role):
if not index.isValid():
return
item = self.item(index)
column = index.column()
value = item.getItemData(column)
if role == Qt.DisplayRole:
try:
if column == 1:
if abs(float(value)) < 0.001 and float(value) != 0.0:
return '{0:8.1e}'.format(value)
else:
return '{0:8.3f}'.format(value)
else:
return '{0:8.2f}'.format(value)
except ValueError:
return value
elif role == Qt.EditRole:
try:
value = float(value)
if abs(value) < 0.001 and value != 0.0:
return str('{0:8.1e}'.format(value))
else:
return str('{0:8.3f}'.format(value))
except ValueError:
return str(value)
elif role == Qt.CheckStateRole:
if item.parent == self.rootItem and column == 0:
return item.getCheckState()
elif role == Qt.TextAlignmentRole:
if column > 0:
return Qt.AlignRight
|
data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, role):\n if not index.isValid():\n return\n item = self.item(index)\n column = index.column()\n value = item.getItemData(column)\n if role == Qt.DisplayRole:\n try:\n if column == 1:\n if abs(float(value)) < 0.001 and float(value) != 0.0:\n return '{0:8.1e}'.format(value)\n else:\n return '{0:8.3f}'.format(value)\n else:\n return '{0:8.2f}'.format(value)\n except ValueError:\n return value\n elif role == Qt.EditRole:\n try:\n value = float(value)\n if abs(value) < 0.001 and value != 0.0:\n return str('{0:8.1e}'.format(value))\n else:\n return str('{0:8.3f}'.format(value))\n except ValueError:\n return str(value)\n elif role == Qt.CheckStateRole:\n if item.parent == self.rootItem and column == 0:\n return item.getCheckState()\n elif role == Qt.TextAlignmentRole:\n if column > 0:\n return Qt.AlignRight\n",
"role": "user"
},
{
"content": "data",
"role": "assistant"
}
] |
def x(self, index, value, role):
if not index.isValid():
return False
item = self.item(index)
column = index.column()
if role == Qt.EditRole:
items = list()
items.append(item)
if self.sync:
parentIndex = self.parent(index)
for sibling in self.siblings(parentIndex):
siblingNode = self.item(sibling)
for child in siblingNode.children:
if child.getItemData(0) == item.getItemData(0):
items.append(child)
for item in items:
columnData = str(item.getItemData(column))
if columnData and columnData != value:
try:
item.setItemData(column, float(value))
except ValueError:
return False
else:
return False
elif role == Qt.CheckStateRole:
item.setCheckState(value)
if value == Qt.Unchecked or value == Qt.Checked:
state = value
self.itemCheckStateChanged.emit(index, state)
self.dataChanged.emit(index, index)
return True
|
setData
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, value, role):\n if not index.isValid():\n return False\n item = self.item(index)\n column = index.column()\n if role == Qt.EditRole:\n items = list()\n items.append(item)\n if self.sync:\n parentIndex = self.parent(index)\n for sibling in self.siblings(parentIndex):\n siblingNode = self.item(sibling)\n for child in siblingNode.children:\n if child.getItemData(0) == item.getItemData(0):\n items.append(child)\n for item in items:\n columnData = str(item.getItemData(column))\n if columnData and columnData != value:\n try:\n item.setItemData(column, float(value))\n except ValueError:\n return False\n else:\n return False\n elif role == Qt.CheckStateRole:\n item.setCheckState(value)\n if value == Qt.Unchecked or value == Qt.Checked:\n state = value\n self.itemCheckStateChanged.emit(index, state)\n self.dataChanged.emit(index, index)\n return True\n",
"role": "user"
},
{
"content": "setData",
"role": "assistant"
}
] |
def x(self, index):
activeFlags = (Qt.ItemIsEnabled | Qt.ItemIsSelectable | Qt.
ItemIsUserCheckable)
item = self.item(index)
column = index.column()
if column > 0 and not item.childCount():
activeFlags = activeFlags | Qt.ItemIsEditable
return activeFlags
|
flags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n activeFlags = (Qt.ItemIsEnabled | Qt.ItemIsSelectable | Qt.\n ItemIsUserCheckable)\n item = self.item(index)\n column = index.column()\n if column > 0 and not item.childCount():\n activeFlags = activeFlags | Qt.ItemIsEditable\n return activeFlags\n",
"role": "user"
},
{
"content": "flags",
"role": "assistant"
}
] |
def x(self, modelData, parentItem=None):
if parentItem is None:
parentItem = self.rootItem
for item in parentItem.getChildren():
key = item.getItemData(0)
if item.childCount():
modelData[key] = odict()
self._getModelData(modelData[key], item)
elif isinstance(item.getItemData(2), float):
modelData[key] = [item.getItemData(1), item.getItemData(2)]
else:
modelData[key] = item.getItemData(1)
|
getModelData
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, modelData, parentItem=None):\n if parentItem is None:\n parentItem = self.rootItem\n for item in parentItem.getChildren():\n key = item.getItemData(0)\n if item.childCount():\n modelData[key] = odict()\n self._getModelData(modelData[key], item)\n elif isinstance(item.getItemData(2), float):\n modelData[key] = [item.getItemData(1), item.getItemData(2)]\n else:\n modelData[key] = item.getItemData(1)\n",
"role": "user"
},
{
"content": "getModelData",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.