source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(dir_name: str) ->list: return flatten([x for x in [['{0}/{1}'.format(path, f) for f in files if f.endswith('.py')] for path, _, files in os.walk(dir_name) if not path.startswith('./build')] if x])
get_py_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_name: str) ->list:\n return flatten([x for x in [['{0}/{1}'.format(path, f) for f in files if\n f.endswith('.py')] for path, _, files in os.walk(dir_name) if not\n path.startswith('./build')] if x])\n", "role": "user" }, { "content": "get_py_files", "role": "assistant" } ]
def x(self) ->None: total = sum(len(logs) for logs in self.logs.values()) if self.json: self.logs['total'] = total print(json.dumps(self.logs, indent=self.indent)) else: for name, log in self.logs.items(): if not log or self.parser[name].as_bool('quiet'): continue print('[[{0}]]'.format(name)) getattr(snekchek.format, name + '_format')(log) print('\n') print('-' * 30) print('Total:', total) sys.exit(self.status_code)
exit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n total = sum(len(logs) for logs in self.logs.values())\n if self.json:\n self.logs['total'] = total\n print(json.dumps(self.logs, indent=self.indent))\n else:\n for name, log in self.logs.items():\n if not log or self.parser[name].as_bool('quiet'):\n continue\n print('[[{0}]]'.format(name))\n getattr(snekchek.format, name + '_format')(log)\n print('\\n')\n print('-' * 30)\n print('Total:', total)\n sys.exit(self.status_code)\n", "role": "user" }, { "content": "exit", "role": "assistant" } ]
def x(self, linter) ->None: self.current = linter.name if linter.name not in self.parser['all'].as_list('linters' ) or linter.base_pyversion > sys.version_info: return if any(x not in self.installed for x in linter.requires_install): raise ModuleNotInstalled(linter.requires_install) linter.add_output_hook(self.out_func) linter.set_config(self.fn, self.parser[linter.name]) linter.run(self.files) self.status_code = self.status_code or linter.status_code
run_linter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, linter) ->None:\n self.current = linter.name\n if linter.name not in self.parser['all'].as_list('linters'\n ) or linter.base_pyversion > sys.version_info:\n return\n if any(x not in self.installed for x in linter.requires_install):\n raise ModuleNotInstalled(linter.requires_install)\n linter.add_output_hook(self.out_func)\n linter.set_config(self.fn, self.parser[linter.name])\n linter.run(self.files)\n self.status_code = self.status_code or linter.status_code\n", "role": "user" }, { "content": "run_linter", "role": "assistant" } ]
def x(): files = ['{}/.millipederc'.format(os.environ.get('HOME')), '/usr/local/etc/millipederc', '/etc/millipederc'] for filepath in files: if os.path.isfile(filepath): with open(filepath) as rcfile: return parse_rcfile(rcfile) return {}
read_rcfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n files = ['{}/.millipederc'.format(os.environ.get('HOME')),\n '/usr/local/etc/millipederc', '/etc/millipederc']\n for filepath in files:\n if os.path.isfile(filepath):\n with open(filepath) as rcfile:\n return parse_rcfile(rcfile)\n return {}\n", "role": "user" }, { "content": "read_rcfile", "role": "assistant" } ]
def x(rcfile): def x(value): value = value.lower() if value in ['yes', 'true']: return True elif value in ['no', 'false']: return False else: raise ValueError("Can't parse {}".format(value)) valid_keys = {'size': int, 'comment': str, 'template': str, 'reverse': parse_bool, 'opposite': parse_bool, 'position': int} params = {} for linenum, line in enumerate(rcfile): line = line.strip() if not line or line[0] == '#': continue pos = line.find(' ') key = line[:pos] value = line[pos:].strip() if key in valid_keys.keys(): try: params[key] = valid_keys[key](value) except ValueError: print('Ignoring line {} from rcfile'.format(linenum + 1), file=sys.stderr) return params
parse_rcfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rcfile):\n\n def x(value):\n value = value.lower()\n if value in ['yes', 'true']:\n return True\n elif value in ['no', 'false']:\n return False\n else:\n raise ValueError(\"Can't parse {}\".format(value))\n valid_keys = {'size': int, 'comment': str, 'template': str, 'reverse':\n parse_bool, 'opposite': parse_bool, 'position': int}\n params = {}\n for linenum, line in enumerate(rcfile):\n line = line.strip()\n if not line or line[0] == '#':\n continue\n pos = line.find(' ')\n key = line[:pos]\n value = line[pos:].strip()\n if key in valid_keys.keys():\n try:\n params[key] = valid_keys[key](value)\n except ValueError:\n print('Ignoring line {} from rcfile'.format(linenum + 1),\n file=sys.stderr)\n return params\n", "role": "user" }, { "content": "parse_rcfile", "role": "assistant" } ]
def x(args, rc_settings): settings = {} for key, value in args.items(): if key in ['reverse', 'opposite']: settings[key] = value ^ rc_settings.get(key, False) else: settings[key] = value or rc_settings.get(key) if not settings['size']: settings['size'] = DEFAULT_SIZE return settings
compute_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, rc_settings):\n settings = {}\n for key, value in args.items():\n if key in ['reverse', 'opposite']:\n settings[key] = value ^ rc_settings.get(key, False)\n else:\n settings[key] = value or rc_settings.get(key)\n if not settings['size']:\n settings['size'] = DEFAULT_SIZE\n return settings\n", "role": "user" }, { "content": "compute_settings", "role": "assistant" } ]
def x(size, comment=None, reverse=False, template='default', position=0, opposite=False): padding_offsets = [2, 1, 0, 1, 2, 3, 4, 4, 3] padding_suite_length = len(padding_offsets) head_padding_extra_offset = 2 if opposite: padding_offsets.reverse() position = position or 0 templates = {'frozen': {'bodyr': '╔═(❄❄❄)═╗', 'body': 'β•šβ•(❄❄❄)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'love': {'bodyr': '╔═(β™₯β™₯β™₯)═╗', 'body': 'β•šβ•(β™₯β™₯β™₯)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'corporate': {'bodyr': '╔═(©©©)═╗', 'body': 'β•šβ•(©©©)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'musician': {'bodyr': '╔═(♫♩♬)═╗', 'body': 'β•šβ•(♫♩♬)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'bocal': { 'bodyr': '╔═(🐟🐟🐟)═╗', 'body': 'β•šβ•(🐟🐟🐟)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'ascii': {'bodyr': '|=(###)=|', 'body': '|=(###)=|', 'headr': '/βŠ™ βŠ™\\', 'head': '\\βŠ™ βŠ™/'}, 'default': {'bodyr': '╔═(β–ˆβ–ˆβ–ˆ)═╗', 'body': 'β•šβ•(β–ˆβ–ˆβ–ˆ)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•' }, 'inception': {'bodyr': '╔═(πŸ›πŸ›πŸ›)═╗', 'body': 'β•šβ•(πŸ›πŸ›πŸ›)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'humancentipede': {'bodyr': '╔═(😷😷😷)═╗', 'body': 'β•šβ•(😷😷😷)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'heart': { 'bodyr': '╔═(❀️❀️❀️)═╗', 'body': 'β•šβ•(❀️❀️❀️)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}} template = templates.get(template, templates['default']) head = '{}{}\n'.format(' ' * (padding_offsets[position % padding_suite_length] + head_padding_extra_offset), template[ 'headr'] if reverse else template['head']) body_lines = ['{}{}\n'.format(' ' * padding_offsets[(x + position) % padding_suite_length], template['bodyr'] if reverse else template[ 'body']) for x in range(size)] if reverse: body_lines.reverse() body = ''.join(body_lines) output = '' if reverse: output += body + head if comment: output += '\n' + comment + '\n' else: if comment: output += comment + '\n\n' output += head + body return output
millipede
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(size, comment=None, reverse=False, template='default', position=0,\n opposite=False):\n padding_offsets = [2, 1, 0, 1, 2, 3, 4, 4, 3]\n padding_suite_length = len(padding_offsets)\n head_padding_extra_offset = 2\n if opposite:\n padding_offsets.reverse()\n position = position or 0\n templates = {'frozen': {'bodyr': '╔═(❄❄❄)═╗', 'body': 'β•šβ•(❄❄❄)═╝',\n 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'love': {'bodyr': '╔═(β™₯β™₯β™₯)═╗',\n 'body': 'β•šβ•(β™₯β™₯β™₯)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'},\n 'corporate': {'bodyr': '╔═(©©©)═╗', 'body': 'β•šβ•(©©©)═╝', 'headr':\n 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'musician': {'bodyr': '╔═(♫♩♬)═╗',\n 'body': 'β•šβ•(♫♩♬)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'bocal': {\n 'bodyr': '╔═(🐟🐟🐟)═╗', 'body': 'β•šβ•(🐟🐟🐟)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head':\n 'β•šβŠ™ βŠ™β•'}, 'ascii': {'bodyr': '|=(###)=|', 'body': '|=(###)=|',\n 'headr': '/βŠ™ βŠ™\\\\', 'head': '\\\\βŠ™ βŠ™/'}, 'default': {'bodyr':\n '╔═(β–ˆβ–ˆβ–ˆ)═╗', 'body': 'β•šβ•(β–ˆβ–ˆβ–ˆ)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'\n }, 'inception': {'bodyr': '╔═(πŸ›πŸ›πŸ›)═╗', 'body': 'β•šβ•(πŸ›πŸ›πŸ›)═╝', 'headr':\n 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'humancentipede': {'bodyr': '╔═(😷😷😷)═╗',\n 'body': 'β•šβ•(😷😷😷)═╝', 'headr': 'β•”βŠ™ βŠ™β•—', 'head': 'β•šβŠ™ βŠ™β•'}, 'heart': {\n 'bodyr': '╔═(❀️❀️❀️)═╗', 'body': 'β•šβ•(❀️❀️❀️)═╝', 'headr': 'β•”βŠ™ βŠ™β•—',\n 'head': 'β•šβŠ™ βŠ™β•'}}\n template = templates.get(template, templates['default'])\n head = '{}{}\\n'.format(' ' * (padding_offsets[position %\n padding_suite_length] + head_padding_extra_offset), template[\n 'headr'] if reverse else template['head'])\n body_lines = ['{}{}\\n'.format(' ' * padding_offsets[(x + position) %\n padding_suite_length], template['bodyr'] if reverse else template[\n 'body']) for x in range(size)]\n if reverse:\n body_lines.reverse()\n body = ''.join(body_lines)\n output = ''\n if reverse:\n output += body + head\n if comment:\n output += '\\n' + comment + '\\n'\n else:\n if comment:\n output += comment + '\\n\\n'\n output += head + body\n return output\n", "role": "user" }, { "content": "millipede", "role": "assistant" } ]
def x(message, url, name, http_data=None, auth=None): try: import requests except ImportError: print('requests is required to do api post.', file=sys.stderr) sys.exit(1) data = {name: message} if http_data: for var in http_data: key, value = var.split('=') data[key] = value response = requests.post(url, data=data, auth=auth) if response.status_code != 200: raise RuntimeError('Unable to post data')
api_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, url, name, http_data=None, auth=None):\n try:\n import requests\n except ImportError:\n print('requests is required to do api post.', file=sys.stderr)\n sys.exit(1)\n data = {name: message}\n if http_data:\n for var in http_data:\n key, value = var.split('=')\n data[key] = value\n response = requests.post(url, data=data, auth=auth)\n if response.status_code != 200:\n raise RuntimeError('Unable to post data')\n", "role": "user" }, { "content": "api_post", "role": "assistant" } ]
def x(): rc_settings = read_rcfile() parser = ArgumentParser(description='Millipede generator') parser.add_argument('-s', '--size', type=int, nargs='?', help= 'the size of the millipede') parser.add_argument('-c', '--comment', type=str, help='the comment') parser.add_argument('-v', '--version', action='version', version= __version__) parser.add_argument('-r', '--reverse', action='store_true', help= 'reverse the millipede') parser.add_argument('-t', '--template', help='customize your millipede') parser.add_argument('-p', '--position', type=int, help= 'move your millipede') parser.add_argument('-o', '--opposite', action='store_true', help= 'go the opposite direction') parser.add_argument('--http-host', metavar= 'The http server to send the data', help= 'Send the millipede via an http post request') parser.add_argument('--http-auth', metavar='user:pass', help= 'Used to authenticate to the API ', default=os.environ.get('HTTP_AUTH') ) parser.add_argument('--http-data', metavar='key=value', nargs='*', help ='Add additional HTTP POST data') parser.add_argument('--http-name', metavar='name', help= 'The json variable name that will contain the millipede') args = parser.parse_args() settings = compute_settings(vars(args), rc_settings) out = millipede(settings['size'], comment=settings['comment'], reverse= settings['reverse'], template=settings['template'], position= settings['position'], opposite=settings['opposite']) if args.http_host: if args.http_auth: try: login, passwd = args.http_auth.split(':') except ValueError: parser.error("Credentials should be a string like `user:pass'") else: login = None passwd = None api_post(out, args.http_host, args.http_name, http_data=args. http_data, auth=(login, passwd)) print(out, end='')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n rc_settings = read_rcfile()\n parser = ArgumentParser(description='Millipede generator')\n parser.add_argument('-s', '--size', type=int, nargs='?', help=\n 'the size of the millipede')\n parser.add_argument('-c', '--comment', type=str, help='the comment')\n parser.add_argument('-v', '--version', action='version', version=\n __version__)\n parser.add_argument('-r', '--reverse', action='store_true', help=\n 'reverse the millipede')\n parser.add_argument('-t', '--template', help='customize your millipede')\n parser.add_argument('-p', '--position', type=int, help=\n 'move your millipede')\n parser.add_argument('-o', '--opposite', action='store_true', help=\n 'go the opposite direction')\n parser.add_argument('--http-host', metavar=\n 'The http server to send the data', help=\n 'Send the millipede via an http post request')\n parser.add_argument('--http-auth', metavar='user:pass', help=\n 'Used to authenticate to the API ', default=os.environ.get('HTTP_AUTH')\n )\n parser.add_argument('--http-data', metavar='key=value', nargs='*', help\n ='Add additional HTTP POST data')\n parser.add_argument('--http-name', metavar='name', help=\n 'The json variable name that will contain the millipede')\n args = parser.parse_args()\n settings = compute_settings(vars(args), rc_settings)\n out = millipede(settings['size'], comment=settings['comment'], reverse=\n settings['reverse'], template=settings['template'], position=\n settings['position'], opposite=settings['opposite'])\n if args.http_host:\n if args.http_auth:\n try:\n login, passwd = args.http_auth.split(':')\n except ValueError:\n parser.error(\"Credentials should be a string like `user:pass'\")\n else:\n login = None\n passwd = None\n api_post(out, args.http_host, args.http_name, http_data=args.\n http_data, auth=(login, passwd))\n print(out, end='')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(readme_file): try: import pypandoc except (ImportError, OSError) as exception: print('No pypandoc or pandoc: %s' % (exception,)) if sys.version_info.major == 3: handle = open(readme_file, encoding='utf-8') else: handle = open(readme_file) long_description = handle.read() handle.close() return long_description else: return pypandoc.convert(readme_file, 'rst')
read_long_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(readme_file):\n try:\n import pypandoc\n except (ImportError, OSError) as exception:\n print('No pypandoc or pandoc: %s' % (exception,))\n if sys.version_info.major == 3:\n handle = open(readme_file, encoding='utf-8')\n else:\n handle = open(readme_file)\n long_description = handle.read()\n handle.close()\n return long_description\n else:\n return pypandoc.convert(readme_file, 'rst')\n", "role": "user" }, { "content": "read_long_description", "role": "assistant" } ]
def x(path, encoding='utf-8'): if not os.path.isabs(path) and ':' in path: package, path = path.split(':', 1) content = resource_string(package, path) else: path = os.path.expanduser(path) with open(path, 'rb') as fh: content = fh.read() return content.decode(encoding)
content_from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, encoding='utf-8'):\n if not os.path.isabs(path) and ':' in path:\n package, path = path.split(':', 1)\n content = resource_string(package, path)\n else:\n path = os.path.expanduser(path)\n with open(path, 'rb') as fh:\n content = fh.read()\n return content.decode(encoding)\n", "role": "user" }, { "content": "content_from_path", "role": "assistant" } ]
def x(self, method, args, ref): response = {'result': None, 'error': None, 'ref': ref} fun = self.methods.get(method) if not fun: response['error'] = 'Method `{}` not found'.format(method) else: try: response['result'] = fun(*args) except Exception as exception: logging.error(exception, exc_info=1) response['error'] = str(exception) return response
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, args, ref):\n response = {'result': None, 'error': None, 'ref': ref}\n fun = self.methods.get(method)\n if not fun:\n response['error'] = 'Method `{}` not found'.format(method)\n else:\n try:\n response['result'] = fun(*args)\n except Exception as exception:\n logging.error(exception, exc_info=1)\n response['error'] = str(exception)\n return response\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, name, fun, description=None): self.methods[name] = fun self.descriptions[name] = description
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, fun, description=None):\n self.methods[name] = fun\n self.descriptions[name] = description\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(cls, payload): try: method, args, ref = payload except Exception as exception: raise RequestParseError(exception) else: return method, args, ref
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload):\n try:\n method, args, ref = payload\n except Exception as exception:\n raise RequestParseError(exception)\n else:\n return method, args, ref\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self): response = None try: payload = self.receive() method, args, ref = self.parse(payload) response = self.execute(method, args, ref) except AuthenticateError as exception: logging.error('Service error while authenticating request: {}'. format(exception), exc_info=1) except AuthenticatorInvalidSignature as exception: logging.error('Service error while authenticating request: {}'. format(exception), exc_info=1) except DecodeError as exception: logging.error('Service error while decoding request: {}'.format( exception), exc_info=1) except RequestParseError as exception: logging.error('Service error while parsing request: {}'.format( exception), exc_info=1) else: logging.debug('Service received payload: {}'.format(payload)) if response: self.send(response) else: self.send('')
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n response = None\n try:\n payload = self.receive()\n method, args, ref = self.parse(payload)\n response = self.execute(method, args, ref)\n except AuthenticateError as exception:\n logging.error('Service error while authenticating request: {}'.\n format(exception), exc_info=1)\n except AuthenticatorInvalidSignature as exception:\n logging.error('Service error while authenticating request: {}'.\n format(exception), exc_info=1)\n except DecodeError as exception:\n logging.error('Service error while decoding request: {}'.format(\n exception), exc_info=1)\n except RequestParseError as exception:\n logging.error('Service error while parsing request: {}'.format(\n exception), exc_info=1)\n else:\n logging.debug('Service received payload: {}'.format(payload))\n if response:\n self.send(response)\n else:\n self.send('')\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(cls, method, args): ref = str(uuid.uuid4()) return method, args, ref
build_payload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, method, args):\n ref = str(uuid.uuid4())\n return method, args, ref\n", "role": "user" }, { "content": "build_payload", "role": "assistant" } ]
def x(self, method, *args): payload = self.build_payload(method, args) logging.debug('* Client will send payload: {}'.format(payload)) self.send(payload) res = self.receive() assert payload[2] == res['ref'] return res['result'], res['error']
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):\n payload = self.build_payload(method, args)\n logging.debug('* Client will send payload: {}'.format(payload))\n self.send(payload)\n res = self.receive()\n assert payload[2] == res['ref']\n return res['result'], res['error']\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(filepath=None, filecontent=None): conf = DotDict() assert filepath or filecontent if not filecontent: with io.FileIO(filepath) as handle: filecontent = handle.read().decode('utf-8') configs = json.loads(filecontent) conf.update(configs.items()) return conf
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filepath=None, filecontent=None):\n conf = DotDict()\n assert filepath or filecontent\n if not filecontent:\n with io.FileIO(filepath) as handle:\n filecontent = handle.read().decode('utf-8')\n configs = json.loads(filecontent)\n conf.update(configs.items())\n return conf\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(args: argparse.Namespace, do_exit=True) ->None: if args.init: generate() return None handler = CheckHandler(file=args.config_file, out_json=args.json, files =args.files) for style in get_stylers(): handler.run_linter(style()) for linter in get_linters(): handler.run_linter(linter()) for security in get_security(): handler.run_linter(security()) for tool in get_tools(): tool = tool() if tool.name == 'pypi' and handler.status_code != 0: continue handler.run_linter(tool) if do_exit: handler.exit() return handler.status_code
run_main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args: argparse.Namespace, do_exit=True) ->None:\n if args.init:\n generate()\n return None\n handler = CheckHandler(file=args.config_file, out_json=args.json, files\n =args.files)\n for style in get_stylers():\n handler.run_linter(style())\n for linter in get_linters():\n handler.run_linter(linter())\n for security in get_security():\n handler.run_linter(security())\n for tool in get_tools():\n tool = tool()\n if tool.name == 'pypi' and handler.status_code != 0:\n continue\n handler.run_linter(tool)\n if do_exit:\n handler.exit()\n return handler.status_code\n", "role": "user" }, { "content": "run_main", "role": "assistant" } ]
def x() ->None: parser = argparse.ArgumentParser() parser.add_argument('--json', help='output in JSON format', action= 'store_true', default=False) parser.add_argument('--config-file', help='Select config file to use', default='.snekrc') parser.add_argument('files', metavar='file', nargs='*', default=[], help='Files to run checks against') parser.add_argument('--init', help='generate snekrc', action= 'store_true', default=False) args = parser.parse_args() run_main(args)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->None:\n parser = argparse.ArgumentParser()\n parser.add_argument('--json', help='output in JSON format', action=\n 'store_true', default=False)\n parser.add_argument('--config-file', help='Select config file to use',\n default='.snekrc')\n parser.add_argument('files', metavar='file', nargs='*', default=[],\n help='Files to run checks against')\n parser.add_argument('--init', help='generate snekrc', action=\n 'store_true', default=False)\n args = parser.parse_args()\n run_main(args)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(user_agent=None, user_agent_config_yaml=None, user_agent_lookup=None, **kwargs): s = requests.Session() ua = kwargs.get('full_agent') if not ua: ua = UserAgent.get(user_agent, user_agent_config_yaml, user_agent_lookup, **kwargs) s.headers['User-Agent'] = ua extra_params = os.getenv('EXTRA_PARAMS') if extra_params is not None: extra_params_dict = dict() if '=' in extra_params: logger.info('Loading extra parameters from environment variable') for extra_param in extra_params.split(','): key, value = extra_param.split('=') extra_params_dict[key] = value else: extra_params_found = False extra_params_dict = kwargs.get('extra_params_dict') if extra_params_dict: extra_params_found = True logger.info('Loading extra parameters from dictionary') extra_params_json = kwargs.get('extra_params_json', '') if extra_params_json: if extra_params_found: raise SessionError( 'More than one set of extra parameters given!') extra_params_found = True logger.info('Loading extra parameters from: %s' % extra_params_json ) extra_params_dict = load_json(extra_params_json) extra_params_yaml = kwargs.get('extra_params_yaml', '') if extra_params_found: if extra_params_yaml: raise SessionError( 'More than one set of extra parameters given!') elif extra_params_yaml: logger.info('Loading extra parameters from: %s' % extra_params_yaml ) extra_params_dict = load_yaml(extra_params_yaml) else: extra_params_dict = dict() extra_params_lookup = kwargs.get('extra_params_lookup') if extra_params_lookup: extra_params_dict = extra_params_dict.get(extra_params_lookup) if extra_params_dict is None: raise SessionError('%s does not exist in extra_params!' % extra_params_lookup) auth_found = False basic_auth = os.getenv('BASIC_AUTH') if basic_auth: logger.info( 'Loading authorisation from basic_auth environment variable') auth_found = True else: basic_auth = kwargs.get('basic_auth') if basic_auth: logger.info('Loading authorisation from basic_auth argument') auth_found = True bauth = extra_params_dict.get('basic_auth') if bauth: if not auth_found: basic_auth = bauth logger.info('Loading authorisation from basic_auth parameter') auth_found = True del extra_params_dict['basic_auth'] s.params = extra_params_dict auth = kwargs.get('auth') if auth: if auth_found: raise SessionError('More than one authorisation given!') logger.info('Loading authorisation from auth argument') auth_found = True basic_auth_file = kwargs.get('basic_auth_file') if basic_auth_file: if auth_found: raise SessionError('More than one authorisation given!') logger.info('Loading authorisation from: %s' % basic_auth_file) basic_auth = load_file_to_str(basic_auth_file) if basic_auth: auth = decode(basic_auth) s.auth = auth status_forcelist = kwargs.get('status_forcelist', [429, 500, 502, 503, 504] ) method_whitelist = kwargs.get('method_whitelist', frozenset(['HEAD', 'TRACE', 'GET', 'PUT', 'OPTIONS', 'DELETE'])) retries = Retry(total=5, backoff_factor=0.4, status_forcelist= status_forcelist, method_whitelist=method_whitelist, raise_on_redirect=True, raise_on_status=True) s.mount('http://', HTTPAdapter(max_retries=retries, pool_connections= 100, pool_maxsize=100)) s.mount('https://', HTTPAdapter(max_retries=retries, pool_connections= 100, pool_maxsize=100)) return s
get_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user_agent=None, user_agent_config_yaml=None, user_agent_lookup=None,\n **kwargs):\n s = requests.Session()\n ua = kwargs.get('full_agent')\n if not ua:\n ua = UserAgent.get(user_agent, user_agent_config_yaml,\n user_agent_lookup, **kwargs)\n s.headers['User-Agent'] = ua\n extra_params = os.getenv('EXTRA_PARAMS')\n if extra_params is not None:\n extra_params_dict = dict()\n if '=' in extra_params:\n logger.info('Loading extra parameters from environment variable')\n for extra_param in extra_params.split(','):\n key, value = extra_param.split('=')\n extra_params_dict[key] = value\n else:\n extra_params_found = False\n extra_params_dict = kwargs.get('extra_params_dict')\n if extra_params_dict:\n extra_params_found = True\n logger.info('Loading extra parameters from dictionary')\n extra_params_json = kwargs.get('extra_params_json', '')\n if extra_params_json:\n if extra_params_found:\n raise SessionError(\n 'More than one set of extra parameters given!')\n extra_params_found = True\n logger.info('Loading extra parameters from: %s' % extra_params_json\n )\n extra_params_dict = load_json(extra_params_json)\n extra_params_yaml = kwargs.get('extra_params_yaml', '')\n if extra_params_found:\n if extra_params_yaml:\n raise SessionError(\n 'More than one set of extra parameters given!')\n elif extra_params_yaml:\n logger.info('Loading extra parameters from: %s' % extra_params_yaml\n )\n extra_params_dict = load_yaml(extra_params_yaml)\n else:\n extra_params_dict = dict()\n extra_params_lookup = kwargs.get('extra_params_lookup')\n if extra_params_lookup:\n extra_params_dict = extra_params_dict.get(extra_params_lookup)\n if extra_params_dict is None:\n raise SessionError('%s does not exist in extra_params!' %\n extra_params_lookup)\n auth_found = False\n basic_auth = os.getenv('BASIC_AUTH')\n if basic_auth:\n logger.info(\n 'Loading authorisation from basic_auth environment variable')\n auth_found = True\n else:\n basic_auth = kwargs.get('basic_auth')\n if basic_auth:\n logger.info('Loading authorisation from basic_auth argument')\n auth_found = True\n bauth = extra_params_dict.get('basic_auth')\n if bauth:\n if not auth_found:\n basic_auth = bauth\n logger.info('Loading authorisation from basic_auth parameter')\n auth_found = True\n del extra_params_dict['basic_auth']\n s.params = extra_params_dict\n auth = kwargs.get('auth')\n if auth:\n if auth_found:\n raise SessionError('More than one authorisation given!')\n logger.info('Loading authorisation from auth argument')\n auth_found = True\n basic_auth_file = kwargs.get('basic_auth_file')\n if basic_auth_file:\n if auth_found:\n raise SessionError('More than one authorisation given!')\n logger.info('Loading authorisation from: %s' % basic_auth_file)\n basic_auth = load_file_to_str(basic_auth_file)\n if basic_auth:\n auth = decode(basic_auth)\n s.auth = auth\n status_forcelist = kwargs.get('status_forcelist', [429, 500, 502, 503, 504]\n )\n method_whitelist = kwargs.get('method_whitelist', frozenset(['HEAD',\n 'TRACE', 'GET', 'PUT', 'OPTIONS', 'DELETE']))\n retries = Retry(total=5, backoff_factor=0.4, status_forcelist=\n status_forcelist, method_whitelist=method_whitelist,\n raise_on_redirect=True, raise_on_status=True)\n s.mount('http://', HTTPAdapter(max_retries=retries, pool_connections=\n 100, pool_maxsize=100))\n s.mount('https://', HTTPAdapter(max_retries=retries, pool_connections=\n 100, pool_maxsize=100))\n return s\n", "role": "user" }, { "content": "get_session", "role": "assistant" } ]
def x(self): if self.connection_type.lower() == 'ssl': self.server = smtplib.SMTP_SSL(host=self.host, port=self.port, local_hostname=self.local_hostname, timeout=self.timeout, source_address=self.source_address) elif self.connection_type.lower() == 'lmtp': self.server = smtplib.LMTP(host=self.host, port=self.port, local_hostname=self.local_hostname, source_address=self. source_address) else: self.server = smtplib.SMTP(host=self.host, port=self.port, local_hostname=self.local_hostname, timeout=self.timeout, source_address=self.source_address) self.server.login(self.username, self.password)
connect
[ { "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.connection_type.lower() == 'ssl':\n self.server = smtplib.SMTP_SSL(host=self.host, port=self.port,\n local_hostname=self.local_hostname, timeout=self.timeout,\n source_address=self.source_address)\n elif self.connection_type.lower() == 'lmtp':\n self.server = smtplib.LMTP(host=self.host, port=self.port,\n local_hostname=self.local_hostname, source_address=self.\n source_address)\n else:\n self.server = smtplib.SMTP(host=self.host, port=self.port,\n local_hostname=self.local_hostname, timeout=self.timeout,\n source_address=self.source_address)\n self.server.login(self.username, self.password)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, recipients, subject, text_body, html_body=None, sender=None, ** kwargs): if sender is None: sender = self.sender v = validate_email(sender, check_deliverability=False) sender = v['email'] normalised_recipients = list() for recipient in recipients: v = validate_email(recipient, check_deliverability=True) normalised_recipients.append(v['email']) if html_body is not None: msg = MIMEMultipart('alternative') part1 = MIMEText(text_body, 'plain') part2 = MIMEText(html_body, 'html') msg.attach(part1) msg.attach(part2) else: msg = MIMEText(text_body) msg['Subject'] = subject msg['From'] = sender msg['To'] = ', '.join(normalised_recipients) self.connect() self.server.sendmail(sender, normalised_recipients, msg.as_string(), ** kwargs) self.close()
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipients, subject, text_body, html_body=None, sender=None, **\n kwargs):\n if sender is None:\n sender = self.sender\n v = validate_email(sender, check_deliverability=False)\n sender = v['email']\n normalised_recipients = list()\n for recipient in recipients:\n v = validate_email(recipient, check_deliverability=True)\n normalised_recipients.append(v['email'])\n if html_body is not None:\n msg = MIMEMultipart('alternative')\n part1 = MIMEText(text_body, 'plain')\n part2 = MIMEText(html_body, 'html')\n msg.attach(part1)\n msg.attach(part2)\n else:\n msg = MIMEText(text_body)\n msg['Subject'] = subject\n msg['From'] = sender\n msg['To'] = ', '.join(normalised_recipients)\n self.connect()\n self.server.sendmail(sender, normalised_recipients, msg.as_string(), **\n kwargs)\n self.close()\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(db_url): engine = create_engine(db_url, poolclass=NullPool, echo=False) Session = sessionmaker(bind=engine) Base.metadata.create_all(engine) return Session()
get_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_url):\n engine = create_engine(db_url, poolclass=NullPool, echo=False)\n Session = sessionmaker(bind=engine)\n Base.metadata.create_all(engine)\n return Session()\n", "role": "user" }, { "content": "get_session", "role": "assistant" } ]
def x(db_url): result = urlsplit(db_url) return {'database': result.path[1:], 'host': result.hostname, 'port': result.port, 'username': result.username, 'password': result. password, 'driver': result.scheme}
get_params_from_sqlalchemy_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(db_url):\n result = urlsplit(db_url)\n return {'database': result.path[1:], 'host': result.hostname, 'port':\n result.port, 'username': result.username, 'password': result.\n password, 'driver': result.scheme}\n", "role": "user" }, { "content": "get_params_from_sqlalchemy_url", "role": "assistant" } ]
def x(database=None, host=None, port=None, username=None, password=None, driver='postgres'): strings = ['%s://' % driver] if username: strings.append(username) if password: strings.append(':%s@' % password) else: strings.append('@') if host: strings.append(host) if port is not None: strings.append(':%d' % int(port)) if database: strings.append('/%s' % database) return ''.join(strings)
get_sqlalchemy_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(database=None, host=None, port=None, username=None, password=None,\n driver='postgres'):\n strings = ['%s://' % driver]\n if username:\n strings.append(username)\n if password:\n strings.append(':%s@' % password)\n else:\n strings.append('@')\n if host:\n strings.append(host)\n if port is not None:\n strings.append(':%d' % int(port))\n if database:\n strings.append('/%s' % database)\n return ''.join(strings)\n", "role": "user" }, { "content": "get_sqlalchemy_url", "role": "assistant" } ]
def x(database, host, port, username, password): connecting_string = 'Checking for PostgreSQL...' if port is not None: port = int(port) while True: try: logger.info(connecting_string) connection = psycopg2.connect(database=database, host=host, port=port, user=username, password=password, connect_timeout=3) connection.close() logger.info('PostgreSQL is running!') break except psycopg2.OperationalError: time.sleep(1)
wait_for_postgres
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(database, host, port, username, password):\n connecting_string = 'Checking for PostgreSQL...'\n if port is not None:\n port = int(port)\n while True:\n try:\n logger.info(connecting_string)\n connection = psycopg2.connect(database=database, host=host,\n port=port, user=username, password=password, connect_timeout=3)\n connection.close()\n logger.info('PostgreSQL is running!')\n break\n except psycopg2.OperationalError:\n time.sleep(1)\n", "role": "user" }, { "content": "wait_for_postgres", "role": "assistant" } ]
def x(self): caches = [] if self._cached_api_global_response is None: caches.append('global') if self._cached_api_ticker_response is None: caches.append('ticker') return len(caches), caches
get_unset_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n caches = []\n if self._cached_api_global_response is None:\n caches.append('global')\n if self._cached_api_ticker_response is None:\n caches.append('ticker')\n return len(caches), caches\n", "role": "user" }, { "content": "get_unset_cache", "role": "assistant" } ]
def x(dicts_object, field_to_filter, value_of_filter): lambda_query = lambda value: value[field_to_filter] == value_of_filter filtered_coin = filter(lambda_query, dicts_object) selected_coins = list(filtered_coin) return selected_coins
dicts_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dicts_object, field_to_filter, value_of_filter):\n lambda_query = lambda value: value[field_to_filter] == value_of_filter\n filtered_coin = filter(lambda_query, dicts_object)\n selected_coins = list(filtered_coin)\n return selected_coins\n", "role": "user" }, { "content": "dicts_filter", "role": "assistant" } ]
def x(url, folder=None, filename=None, overwrite=False): if not filename: urlpath = urlsplit(url).path filename = basename(urlpath) filename, extension = splitext(filename) if not folder: folder = get_temp_dir() path = join(folder, '%s%s' % (filename, extension)) if overwrite: try: remove(path) except OSError: pass else: count = 0 while exists(path): count += 1 path = join(folder, '%s%d%s' % (filename, count, extension)) return path
get_path_for_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, folder=None, filename=None, overwrite=False):\n if not filename:\n urlpath = urlsplit(url).path\n filename = basename(urlpath)\n filename, extension = splitext(filename)\n if not folder:\n folder = get_temp_dir()\n path = join(folder, '%s%s' % (filename, extension))\n if overwrite:\n try:\n remove(path)\n except OSError:\n pass\n else:\n count = 0\n while exists(path):\n count += 1\n path = join(folder, '%s%d%s' % (filename, count, extension))\n return path\n", "role": "user" }, { "content": "get_path_for_url", "role": "assistant" } ]
def x(self, url): request = Request('GET', url) preparedrequest = self.session.prepare_request(request) return preparedrequest.url
get_full_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n request = Request('GET', url)\n preparedrequest = self.session.prepare_request(request)\n return preparedrequest.url\n", "role": "user" }, { "content": "get_full_url", "role": "assistant" } ]
def x(url, parameters=None): spliturl = urlsplit(url) getparams = OrderedDict(parse_qsl(spliturl.query)) if parameters is not None: getparams.update(parameters) spliturl = spliturl._replace(query=urlencode(getparams)) return urlunsplit(spliturl)
get_url_for_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, parameters=None):\n spliturl = urlsplit(url)\n getparams = OrderedDict(parse_qsl(spliturl.query))\n if parameters is not None:\n getparams.update(parameters)\n spliturl = spliturl._replace(query=urlencode(getparams))\n return urlunsplit(spliturl)\n", "role": "user" }, { "content": "get_url_for_get", "role": "assistant" } ]
def x(url, parameters=None): spliturl = urlsplit(url) getparams = OrderedDict(parse_qsl(spliturl.query)) if parameters is not None: getparams.update(parameters) spliturl = spliturl._replace(query='') full_url = urlunsplit(spliturl) return full_url, getparams
get_url_params_for_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, parameters=None):\n spliturl = urlsplit(url)\n getparams = OrderedDict(parse_qsl(spliturl.query))\n if parameters is not None:\n getparams.update(parameters)\n spliturl = spliturl._replace(query='')\n full_url = urlunsplit(spliturl)\n return full_url, getparams\n", "role": "user" }, { "content": "get_url_params_for_post", "role": "assistant" } ]
def x(self, url, stream=True, post=False, parameters=None, timeout=None): self.close_response() self.response = None try: if post: full_url, parameters = self.get_url_params_for_post(url, parameters ) self.response = self.session.post(full_url, data=parameters, stream=stream, timeout=timeout) else: self.response = self.session.get(self.get_url_for_get(url, parameters), stream=stream, timeout=timeout) self.response.raise_for_status() except Exception as e: raisefrom(DownloadError, 'Setup of Streaming Download of %s failed!' % url, e) return self.response
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, stream=True, post=False, parameters=None, timeout=None):\n self.close_response()\n self.response = None\n try:\n if post:\n full_url, parameters = self.get_url_params_for_post(url, parameters\n )\n self.response = self.session.post(full_url, data=parameters,\n stream=stream, timeout=timeout)\n else:\n self.response = self.session.get(self.get_url_for_get(url,\n parameters), stream=stream, timeout=timeout)\n self.response.raise_for_status()\n except Exception as e:\n raisefrom(DownloadError, \n 'Setup of Streaming Download of %s failed!' % url, e)\n return self.response\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self, url): md5hash = hashlib.md5() try: for chunk in self.response.iter_content(chunk_size=10240): if chunk: md5hash.update(chunk) return md5hash.hexdigest() except Exception as e: raisefrom(DownloadError, 'Download of %s failed in retrieval of stream!' % url, e)
hash_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n md5hash = hashlib.md5()\n try:\n for chunk in self.response.iter_content(chunk_size=10240):\n if chunk:\n md5hash.update(chunk)\n return md5hash.hexdigest()\n except Exception as e:\n raisefrom(DownloadError, \n 'Download of %s failed in retrieval of stream!' % url, e)\n", "role": "user" }, { "content": "hash_stream", "role": "assistant" } ]
def x(self, url, folder=None, filename=None, overwrite=False): path = self.get_path_for_url(url, folder, filename, overwrite) f = None try: f = open(path, 'wb') for chunk in self.response.iter_content(chunk_size=10240): if chunk: f.write(chunk) f.flush() return f.name except Exception as e: raisefrom(DownloadError, 'Download of %s failed in retrieval of stream!' % url, e) finally: if f: f.close()
stream_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, folder=None, filename=None, overwrite=False):\n path = self.get_path_for_url(url, folder, filename, overwrite)\n f = None\n try:\n f = open(path, 'wb')\n for chunk in self.response.iter_content(chunk_size=10240):\n if chunk:\n f.write(chunk)\n f.flush()\n return f.name\n except Exception as e:\n raisefrom(DownloadError, \n 'Download of %s failed in retrieval of stream!' % url, e)\n finally:\n if f:\n f.close()\n", "role": "user" }, { "content": "stream_file", "role": "assistant" } ]
def x(self, url, folder=None, filename=None, overwrite=False, post=False, parameters=None, timeout=None): self.setup(url, stream=True, post=post, parameters=parameters, timeout= timeout) return self.stream_file(url, folder, filename, overwrite)
download_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, folder=None, filename=None, overwrite=False, post=False,\n parameters=None, timeout=None):\n self.setup(url, stream=True, post=post, parameters=parameters, timeout=\n timeout)\n return self.stream_file(url, folder, filename, overwrite)\n", "role": "user" }, { "content": "download_file", "role": "assistant" } ]
def x(self, url, post=False, parameters=None, timeout=None): return self.setup(url, stream=False, post=post, parameters=parameters, timeout=timeout)
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, post=False, parameters=None, timeout=None):\n return self.setup(url, stream=False, post=post, parameters=parameters,\n timeout=timeout)\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, url, **kwargs): self.close_response() file_type = kwargs.get('file_type') if file_type is not None: kwargs['format'] = file_type del kwargs['file_type'] try: self.response = tabulator.Stream(url, **kwargs) self.response.open() return self.response except TabulatorException as e: raisefrom(DownloadError, 'Getting tabular stream for %s failed!' % url, e)
get_tabular_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, **kwargs):\n self.close_response()\n file_type = kwargs.get('file_type')\n if file_type is not None:\n kwargs['format'] = file_type\n del kwargs['file_type']\n try:\n self.response = tabulator.Stream(url, **kwargs)\n self.response.open()\n return self.response\n except TabulatorException as e:\n raisefrom(DownloadError, 'Getting tabular stream for %s failed!' %\n url, e)\n", "role": "user" }, { "content": "get_tabular_stream", "role": "assistant" } ]
def x(self, url, dict_rows=False, **kwargs): return self.get_tabular_stream(url, **kwargs).iter(keyed=dict_rows)
get_tabular_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, dict_rows=False, **kwargs):\n return self.get_tabular_stream(url, **kwargs).iter(keyed=dict_rows)\n", "role": "user" }, { "content": "get_tabular_rows", "role": "assistant" } ]
def x(self, url, **kwargs): output_dict = dict() for row in self.get_tabular_rows(url, **kwargs): if len(row) < 2: continue output_dict[row[0]] = row[1] return output_dict
download_tabular_key_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, **kwargs):\n output_dict = dict()\n for row in self.get_tabular_rows(url, **kwargs):\n if len(row) < 2:\n continue\n output_dict[row[0]] = row[1]\n return output_dict\n", "role": "user" }, { "content": "download_tabular_key_value", "role": "assistant" } ]
def x(self, url, headers=1, keycolumn=1, **kwargs): kwargs['headers'] = headers stream = self.get_tabular_stream(url, **kwargs) output_dict = dict() headers = stream.headers key_header = headers[keycolumn - 1] for row in stream.iter(keyed=True): first_val = row[key_header] output_dict[first_val] = dict() for header in row: if header == key_header: continue else: output_dict[first_val][header] = row[header] return output_dict
download_tabular_rows_as_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, headers=1, keycolumn=1, **kwargs):\n kwargs['headers'] = headers\n stream = self.get_tabular_stream(url, **kwargs)\n output_dict = dict()\n headers = stream.headers\n key_header = headers[keycolumn - 1]\n for row in stream.iter(keyed=True):\n first_val = row[key_header]\n output_dict[first_val] = dict()\n for header in row:\n if header == key_header:\n continue\n else:\n output_dict[first_val][header] = row[header]\n return output_dict\n", "role": "user" }, { "content": "download_tabular_rows_as_dicts", "role": "assistant" } ]
def x(ctx, force): if os.path.exists(USER_CONFIG) and not force: click.secho('An existing configuration file was found at "{}".\n'. format(USER_CONFIG), fg='red', bold=True) click.secho( """Please remove it before in order to run the setup wizard or use the --force flag to overwrite it.""" ) ctx.exit(1) click.echo( """Address of the issue tracker (your JIRA instance). Normally in the form https://<company>.atlassian.net.""" ) tracker_url = click.prompt('URL') tracker_user = click.prompt('Username for {}'.format(tracker_url)) click.echo() click.echo( """Address of the time tracker (your Harvest instance). Normally in the form https://<company>.harvestapp.com.""" ) timer_url = click.prompt('URL') timer_user = click.prompt('Username for {}'.format(timer_url)) click.echo() config = configparser.ConfigParser() config.add_section('tracker') config.set('tracker', 'url', tracker_url) config.set('tracker', 'username', tracker_user) config.add_section('harvest') config.set('harvest', 'url', timer_url) config.set('harvest', 'username', timer_user) with open(USER_CONFIG, 'w') as fh: config.write(fh) click.secho('Configuration correctly written to "{}".'.format( USER_CONFIG), fg='green')
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, force):\n if os.path.exists(USER_CONFIG) and not force:\n click.secho('An existing configuration file was found at \"{}\".\\n'.\n format(USER_CONFIG), fg='red', bold=True)\n click.secho(\n \"\"\"Please remove it before in order to run the setup wizard or use\nthe --force flag to overwrite it.\"\"\"\n )\n ctx.exit(1)\n click.echo(\n \"\"\"Address of the issue tracker (your JIRA instance). \nNormally in the form https://<company>.atlassian.net.\"\"\"\n )\n tracker_url = click.prompt('URL')\n tracker_user = click.prompt('Username for {}'.format(tracker_url))\n click.echo()\n click.echo(\n \"\"\"Address of the time tracker (your Harvest instance). \nNormally in the form https://<company>.harvestapp.com.\"\"\"\n )\n timer_url = click.prompt('URL')\n timer_user = click.prompt('Username for {}'.format(timer_url))\n click.echo()\n config = configparser.ConfigParser()\n config.add_section('tracker')\n config.set('tracker', 'url', tracker_url)\n config.set('tracker', 'username', tracker_user)\n config.add_section('harvest')\n config.set('harvest', 'url', timer_url)\n config.set('harvest', 'username', timer_user)\n with open(USER_CONFIG, 'w') as fh:\n config.write(fh)\n click.secho('Configuration correctly written to \"{}\".'.format(\n USER_CONFIG), fg='green')\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(ctx, force): if os.path.exists(PROJECT_CONFIG) and not force: click.secho('An existing configuration file was found at "{}".\n'. format(PROJECT_CONFIG), fg='red', bold=True) click.secho( """Please remove it before in order to run the setup wizard or use the --force flag to overwrite it.""" ) ctx.exit(1) project_key = click.prompt('Project key on the issue tracker') base_branch = click.prompt('Integration branch', default='master') virtualenvs = '.venv', '.env', 'venv', 'env' for p in virtualenvs: if os.path.exists(os.path.join(p, 'bin', 'activate')): venv = p break else: venv = '' venv_path = click.prompt('Path to virtual environment', default=venv) project_id = click.prompt('Project ID on Harvest', type=int) task_id = click.prompt('Task id on Harvest', type=int) config = configparser.ConfigParser() config.add_section('lancet') config.set('lancet', 'virtualenv', venv_path) config.add_section('tracker') config.set('tracker', 'default_project', project_key) config.add_section('harvest') config.set('harvest', 'project_id', str(project_id)) config.set('harvest', 'task_id', str(task_id)) config.add_section('repository') config.set('repository', 'base_branch', base_branch) with open(PROJECT_CONFIG, 'w') as fh: config.write(fh) click.secho('\nConfiguration correctly written to "{}".'.format( PROJECT_CONFIG), fg='green')
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, force):\n if os.path.exists(PROJECT_CONFIG) and not force:\n click.secho('An existing configuration file was found at \"{}\".\\n'.\n format(PROJECT_CONFIG), fg='red', bold=True)\n click.secho(\n \"\"\"Please remove it before in order to run the setup wizard or use\nthe --force flag to overwrite it.\"\"\"\n )\n ctx.exit(1)\n project_key = click.prompt('Project key on the issue tracker')\n base_branch = click.prompt('Integration branch', default='master')\n virtualenvs = '.venv', '.env', 'venv', 'env'\n for p in virtualenvs:\n if os.path.exists(os.path.join(p, 'bin', 'activate')):\n venv = p\n break\n else:\n venv = ''\n venv_path = click.prompt('Path to virtual environment', default=venv)\n project_id = click.prompt('Project ID on Harvest', type=int)\n task_id = click.prompt('Task id on Harvest', type=int)\n config = configparser.ConfigParser()\n config.add_section('lancet')\n config.set('lancet', 'virtualenv', venv_path)\n config.add_section('tracker')\n config.set('tracker', 'default_project', project_key)\n config.add_section('harvest')\n config.set('harvest', 'project_id', str(project_id))\n config.set('harvest', 'task_id', str(task_id))\n config.add_section('repository')\n config.set('repository', 'base_branch', base_branch)\n with open(PROJECT_CONFIG, 'w') as fh:\n config.write(fh)\n click.secho('\\nConfiguration correctly written to \"{}\".'.format(\n PROJECT_CONFIG), fg='green')\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(lancet, service): if service: services = [service] else: services = ['tracker', 'harvest'] for service in services: url = lancet.config.get(service, 'url') key = 'lancet+{}'.format(url) username = lancet.config.get(service, 'username') with taskstatus('Logging out from {}', url) as ts: if keyring.get_password(key, username): keyring.delete_password(key, username) ts.ok('Logged out from {}', url) else: ts.ok('Already logged out from {}', url)
logout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, service):\n if service:\n services = [service]\n else:\n services = ['tracker', 'harvest']\n for service in services:\n url = lancet.config.get(service, 'url')\n key = 'lancet+{}'.format(url)\n username = lancet.config.get(service, 'username')\n with taskstatus('Logging out from {}', url) as ts:\n if keyring.get_password(key, username):\n keyring.delete_password(key, username)\n ts.ok('Logged out from {}', url)\n else:\n ts.ok('Already logged out from {}', url)\n", "role": "user" }, { "content": "logout", "role": "assistant" } ]
def x(lancet): def x(config): for s in config.sections(): if config.has_option(s, 'url'): if config.has_option(s, 'username'): yield s for s in get_services(lancet.config): click.echo('{}[Logout from {}]'.format(s, lancet.config.get(s, 'url')))
services
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet):\n\n def x(config):\n for s in config.sections():\n if config.has_option(s, 'url'):\n if config.has_option(s, 'username'):\n yield s\n for s in get_services(lancet.config):\n click.echo('{}[Logout from {}]'.format(s, lancet.config.get(s, 'url')))\n", "role": "user" }, { "content": "services", "role": "assistant" } ]
def x(self, endpoint='ticker', coin_name=None, **kwargs): built_url = self._make_url(endpoint, coin_name) payload = dict(**kwargs) self._process_request(endpoint, built_url, payload)
send_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint='ticker', coin_name=None, **kwargs):\n built_url = self._make_url(endpoint, coin_name)\n payload = dict(**kwargs)\n self._process_request(endpoint, built_url, payload)\n", "role": "user" }, { "content": "send_request", "role": "assistant" } ]
def x(self, data_type=None): if not data_type: return self.cache.get_response(r_type='ticker' ) or self.cache.get_response(r_type='global') elif data_type == 'ticker': return self.cache.get_response(r_type='ticker') return self.cache.get_response(r_type='global')
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_type=None):\n if not data_type:\n return self.cache.get_response(r_type='ticker'\n ) or self.cache.get_response(r_type='global')\n elif data_type == 'ticker':\n return self.cache.get_response(r_type='ticker')\n return self.cache.get_response(r_type='global')\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(code): code = normalize_code(code) code = ISO3_MAP.get(code, code) if code in ISO3_ALL: return code
iso_639_alpha3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code):\n code = normalize_code(code)\n code = ISO3_MAP.get(code, code)\n if code in ISO3_ALL:\n return code\n", "role": "user" }, { "content": "iso_639_alpha3", "role": "assistant" } ]
def x(languages, synonyms=True): codes = set([]) for language in ensure_list(languages): code = iso_639_alpha3(language) if code is None: continue codes.add(code) if synonyms: codes.update(expand_synonyms(code)) return codes
list_to_alpha3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(languages, synonyms=True):\n codes = set([])\n for language in ensure_list(languages):\n code = iso_639_alpha3(language)\n if code is None:\n continue\n codes.add(code)\n if synonyms:\n codes.update(expand_synonyms(code))\n return codes\n", "role": "user" }, { "content": "list_to_alpha3", "role": "assistant" } ]
def x(ctx, base_branch, open_pr, stop_timer): lancet = ctx.obj review_status = lancet.config.get('tracker', 'review_status') remote_name = lancet.config.get('repository', 'remote_name') if not base_branch: base_branch = lancet.config.get('repository', 'base_branch') issue = get_issue(lancet) transition = get_transition(ctx, lancet, issue, review_status) branch = get_branch(lancet, issue, create=False) with taskstatus('Checking pre-requisites') as ts: if not branch: ts.abort('No working branch found') if lancet.tracker.whoami() not in issue.assignees: ts.abort('Issue currently not assigned to you') with taskstatus('Pushing to "{}"', remote_name) as ts: remote = lancet.repo.lookup_remote(remote_name) if not remote: ts.abort('Remote "{}" not found', remote_name) from ..git import CredentialsCallbacks remote.push([branch.name], callbacks=CredentialsCallbacks()) ts.ok('Pushed latest changes to "{}"', remote_name) with taskstatus('Creating pull request') as ts: template_path = lancet.config.get('repository', 'pr_template') message = edit_template(template_path, issue=issue) if not message: ts.abort("You didn't provide a title for the pull request") title, body = message.split('\n', 1) title = title.strip() if not title: ts.abort("You didn't provide a title for the pull request") try: pr = lancet.scm_manager.create_pull_request(branch.branch_name, base_branch, title, body.strip('\n')) except PullRequestAlreadyExists as e: pr = e.pull_request ts.ok('Pull request does already exist at {}', pr.link) else: ts.ok('Pull request created at {}', pr.link) set_issue_status(lancet, issue, review_status, transition) if stop_timer: with taskstatus('Pausing harvest timer') as ts: lancet.timer.pause() ts.ok('Harvest timer paused') if open_pr: click.launch(pr.link)
pull_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, base_branch, open_pr, stop_timer):\n lancet = ctx.obj\n review_status = lancet.config.get('tracker', 'review_status')\n remote_name = lancet.config.get('repository', 'remote_name')\n if not base_branch:\n base_branch = lancet.config.get('repository', 'base_branch')\n issue = get_issue(lancet)\n transition = get_transition(ctx, lancet, issue, review_status)\n branch = get_branch(lancet, issue, create=False)\n with taskstatus('Checking pre-requisites') as ts:\n if not branch:\n ts.abort('No working branch found')\n if lancet.tracker.whoami() not in issue.assignees:\n ts.abort('Issue currently not assigned to you')\n with taskstatus('Pushing to \"{}\"', remote_name) as ts:\n remote = lancet.repo.lookup_remote(remote_name)\n if not remote:\n ts.abort('Remote \"{}\" not found', remote_name)\n from ..git import CredentialsCallbacks\n remote.push([branch.name], callbacks=CredentialsCallbacks())\n ts.ok('Pushed latest changes to \"{}\"', remote_name)\n with taskstatus('Creating pull request') as ts:\n template_path = lancet.config.get('repository', 'pr_template')\n message = edit_template(template_path, issue=issue)\n if not message:\n ts.abort(\"You didn't provide a title for the pull request\")\n title, body = message.split('\\n', 1)\n title = title.strip()\n if not title:\n ts.abort(\"You didn't provide a title for the pull request\")\n try:\n pr = lancet.scm_manager.create_pull_request(branch.branch_name,\n base_branch, title, body.strip('\\n'))\n except PullRequestAlreadyExists as e:\n pr = e.pull_request\n ts.ok('Pull request does already exist at {}', pr.link)\n else:\n ts.ok('Pull request created at {}', pr.link)\n set_issue_status(lancet, issue, review_status, transition)\n if stop_timer:\n with taskstatus('Pausing harvest timer') as ts:\n lancet.timer.pause()\n ts.ok('Harvest timer paused')\n if open_pr:\n click.launch(pr.link)\n", "role": "user" }, { "content": "pull_request", "role": "assistant" } ]
def x(lancet, force, issue): issue = get_issue(lancet, issue) branch = get_branch(lancet, issue, create=force) with taskstatus('Checking out working branch') as ts: if not branch: ts.abort('Working branch not found') lancet.repo.checkout(branch.name) ts.ok('Checked out "{}"', branch.name)
checkout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lancet, force, issue):\n issue = get_issue(lancet, issue)\n branch = get_branch(lancet, issue, create=force)\n with taskstatus('Checking out working branch') as ts:\n if not branch:\n ts.abort('Working branch not found')\n lancet.repo.checkout(branch.name)\n ts.ok('Checked out \"{}\"', branch.name)\n", "role": "user" }, { "content": "checkout", "role": "assistant" } ]
def x(url, downloader=None, user_agent=None, user_agent_config_yaml=None, user_agent_lookup=None, **kwargs): if not downloader: downloader = Download(user_agent, user_agent_config_yaml, user_agent_lookup, **kwargs) response = downloader.download(url) return BeautifulSoup(response.text, 'html.parser')
get_soup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, downloader=None, user_agent=None, user_agent_config_yaml=None,\n user_agent_lookup=None, **kwargs):\n if not downloader:\n downloader = Download(user_agent, user_agent_config_yaml,\n user_agent_lookup, **kwargs)\n response = downloader.download(url)\n return BeautifulSoup(response.text, 'html.parser')\n", "role": "user" }, { "content": "get_soup", "role": "assistant" } ]
def x(tabletag): theadtag = tabletag.find_next('thead') headertags = theadtag.find_all('th') if len(headertags) == 0: headertags = theadtag.find_all('td') headers = [] for tag in headertags: headers.append(get_text(tag)) tbodytag = tabletag.find_next('tbody') trtags = tbodytag.find_all('tr') table = list() for trtag in trtags: row = dict() tdtags = trtag.find_all('td') for i, tag in enumerate(tdtags): row[headers[i]] = get_text(tag) table.append(row) return table
extract_table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tabletag):\n theadtag = tabletag.find_next('thead')\n headertags = theadtag.find_all('th')\n if len(headertags) == 0:\n headertags = theadtag.find_all('td')\n headers = []\n for tag in headertags:\n headers.append(get_text(tag))\n tbodytag = tabletag.find_next('tbody')\n trtags = tbodytag.find_all('tr')\n table = list()\n for trtag in trtags:\n row = dict()\n tdtags = trtag.find_all('td')\n for i, tag in enumerate(tdtags):\n row[headers[i]] = get_text(tag)\n table.append(row)\n return table\n", "role": "user" }, { "content": "extract_table", "role": "assistant" } ]
def x(cls, uri, methods, callable_obj): if isinstance(callable_obj, HandlerMeta): callable_obj.base_endpoint = uri callable_obj.is_valid = True return callable_obj if isinstance(callable_obj, types.FunctionType): return cls(uri=uri, methods=methods, callable_obj=callable_obj) raise RouteError('Invalid handler type.')
wrap_callable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, uri, methods, callable_obj):\n if isinstance(callable_obj, HandlerMeta):\n callable_obj.base_endpoint = uri\n callable_obj.is_valid = True\n return callable_obj\n if isinstance(callable_obj, types.FunctionType):\n return cls(uri=uri, methods=methods, callable_obj=callable_obj)\n raise RouteError('Invalid handler type.')\n", "role": "user" }, { "content": "wrap_callable", "role": "assistant" } ]
def x(self, app): app.route(self.uri, methods=self.methods)(self.callable_obj) return self
register_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n app.route(self.uri, methods=self.methods)(self.callable_obj)\n return self\n", "role": "user" }, { "content": "register_app", "role": "assistant" } ]
def x(self, callable_obj, entrypoint, methods=('GET',)): router_obj = Route.wrap_callable(uri=entrypoint, methods=methods, callable_obj=callable_obj) if router_obj.is_valid: self._routes.add(router_obj) return self raise RouteError('Missing params: methods: {} - entrypoint: {}'.format( methods, entrypoint))
register_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callable_obj, entrypoint, methods=('GET',)):\n router_obj = Route.wrap_callable(uri=entrypoint, methods=methods,\n callable_obj=callable_obj)\n if router_obj.is_valid:\n self._routes.add(router_obj)\n return self\n raise RouteError('Missing params: methods: {} - entrypoint: {}'.format(\n methods, entrypoint))\n", "role": "user" }, { "content": "register_handler", "role": "assistant" } ]
def x(self, app=None): for endpoint in self._routes: endpoint.register_app(app) return self
mount
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app=None):\n for endpoint in self._routes:\n endpoint.register_app(app)\n return self\n", "role": "user" }, { "content": "mount", "role": "assistant" } ]
def x(log_level, log_file=None, logger_name=None): applogger = AppLog(logger_name) level = getattr(logging, log_level.upper(), None) if not level: color_print('Invalid log level: %s' % log_level, 'RED') sys.exit(1) if level >= logging.INFO: sys.tracebacklimit = 0 if log_file: applogger._handle2file(log_file) else: applogger._handle2screen(color=True) applogger.logger.setLevel(level)
setup_logger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log_level, log_file=None, logger_name=None):\n applogger = AppLog(logger_name)\n level = getattr(logging, log_level.upper(), None)\n if not level:\n color_print('Invalid log level: %s' % log_level, 'RED')\n sys.exit(1)\n if level >= logging.INFO:\n sys.tracebacklimit = 0\n if log_file:\n applogger._handle2file(log_file)\n else:\n applogger._handle2screen(color=True)\n applogger.logger.setLevel(level)\n", "role": "user" }, { "content": "setup_logger", "role": "assistant" } ]
def x(self, level): def x(msg): if self.log_colors: color = self.log_colors[level.upper()] getattr(self.logger, level.lower())(coloring('- {}'.format(msg), color)) else: getattr(self.logger, level.lower())(msg) return wrapper
tolog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, level):\n\n def x(msg):\n if self.log_colors:\n color = self.log_colors[level.upper()]\n getattr(self.logger, level.lower())(coloring('- {}'.format(msg),\n color))\n else:\n getattr(self.logger, level.lower())(msg)\n return wrapper\n", "role": "user" }, { "content": "tolog", "role": "assistant" } ]
def x(cls, status_line, msg=None): method = getattr(cls, status_line.lower()[4:].replace(' ', '_')) return method(msg)
from_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, status_line, msg=None):\n method = getattr(cls, status_line.lower()[4:].replace(' ', '_'))\n return method(msg)\n", "role": "user" }, { "content": "from_status", "role": "assistant" } ]
def x(cls, data=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '201 Created' return cls(201, data=data).to_json
created
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '201 Created'\n return cls(201, data=data).to_json\n", "role": "user" }, { "content": "created", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '304 Not Modified' return cls(304, None, errors).to_json
not_modified
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '304 Not Modified'\n return cls(304, None, errors).to_json\n", "role": "user" }, { "content": "not_modified", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '400 Bad Request' return cls(400, errors=errors).to_json
bad_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '400 Bad Request'\n return cls(400, errors=errors).to_json\n", "role": "user" }, { "content": "bad_request", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '401 Unauthorized' return cls(401, errors=errors).to_json
unauthorized
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '401 Unauthorized'\n return cls(401, errors=errors).to_json\n", "role": "user" }, { "content": "unauthorized", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '403 Forbidden' return cls(403, errors=errors).to_json
forbidden
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '403 Forbidden'\n return cls(403, errors=errors).to_json\n", "role": "user" }, { "content": "forbidden", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '404 Not Found' return cls(404, None, errors).to_json
not_found
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '404 Not Found'\n return cls(404, None, errors).to_json\n", "role": "user" }, { "content": "not_found", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '405 Method Not Allowed' return cls(405, None, errors).to_json
method_not_allowed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '405 Method Not Allowed'\n return cls(405, None, errors).to_json\n", "role": "user" }, { "content": "method_not_allowed", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '501 Not Implemented' return cls(501, None, errors).to_json
not_implemented
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '501 Not Implemented'\n return cls(501, None, errors).to_json\n", "role": "user" }, { "content": "not_implemented", "role": "assistant" } ]
def x(cls, errors=None): if cls.expose_status: cls.response.content_type = 'application/json' cls.response._status_line = '503 Service Unavailable' return cls(503, None, errors).to_json
service_unavailable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, errors=None):\n if cls.expose_status:\n cls.response.content_type = 'application/json'\n cls.response._status_line = '503 Service Unavailable'\n return cls(503, None, errors).to_json\n", "role": "user" }, { "content": "service_unavailable", "role": "assistant" } ]
def x(self): web_resp = collections.OrderedDict() web_resp['status_code'] = self.status_code web_resp['status_text'] = dict(HTTP_CODES).get(self.status_code) web_resp['data'] = self.data if self.data is not None else {} web_resp['errors'] = self.errors or [] return web_resp
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n web_resp = collections.OrderedDict()\n web_resp['status_code'] = self.status_code\n web_resp['status_text'] = dict(HTTP_CODES).get(self.status_code)\n web_resp['data'] = self.data if self.data is not None else {}\n web_resp['errors'] = self.errors or []\n return web_resp\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(**kwargs): smtp_config_found = False smtp_config_dict = kwargs.get('smtp_config_dict', None) if smtp_config_dict: smtp_config_found = True print('Loading smtp configuration customisations from dictionary') smtp_config_json = kwargs.get('smtp_config_json', '') if smtp_config_json: if smtp_config_found: raise LoggingError('More than one smtp configuration file given!') smtp_config_found = True print('Loading smtp configuration customisations from: %s' % smtp_config_json) smtp_config_dict = load_json(smtp_config_json) smtp_config_yaml = kwargs.get('smtp_config_yaml', '') if smtp_config_yaml: if smtp_config_found: raise LoggingError('More than one smtp configuration file given!') smtp_config_found = True print('Loading smtp configuration customisations from: %s' % smtp_config_yaml) smtp_config_dict = load_yaml(smtp_config_yaml) logging_smtp_config_dict = None logging_config_found = False logging_config_dict = kwargs.get('logging_config_dict', None) if logging_config_dict: logging_config_found = True print('Loading logging configuration from dictionary') logging_config_json = kwargs.get('logging_config_json', '') if logging_config_json: if logging_config_found: raise LoggingError( 'More than one logging configuration file given!') logging_config_found = True print('Loading logging configuration from: %s' % logging_config_json) logging_config_dict = load_json(logging_config_json) logging_config_yaml = kwargs.get('logging_config_yaml', '') if logging_config_found: if logging_config_yaml: raise LoggingError( 'More than one logging configuration file given!') else: if not logging_config_yaml: print('No logging configuration parameter. Using default.') logging_config_yaml = script_dir_plus_file( 'logging_configuration.yml', setup_logging) if smtp_config_found: logging_smtp_config_yaml = script_dir_plus_file( 'logging_smtp_configuration.yml', setup_logging) print('Loading base SMTP logging configuration from: %s' % logging_smtp_config_yaml) logging_smtp_config_dict = load_yaml(logging_smtp_config_yaml) print('Loading logging configuration from: %s' % logging_config_yaml) logging_config_dict = load_yaml(logging_config_yaml) if smtp_config_found: if logging_smtp_config_dict: logging_config_dict = merge_dictionaries([logging_config_dict, logging_smtp_config_dict, smtp_config_dict]) else: raise LoggingError( 'SMTP logging configuration file given but not using default logging configuration!' ) file_only = os.getenv('LOG_FILE_ONLY') if file_only is not None and file_only.lower() not in ['false', 'f', 'n', 'no', '0']: root = logging_config_dict.get('root') if root is not None: handlers = root.get('handlers', list()) for i, handler in enumerate(handlers): if handler.lower() == 'console': del handlers[i] break logging.config.dictConfig(logging_config_dict)
setup_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n smtp_config_found = False\n smtp_config_dict = kwargs.get('smtp_config_dict', None)\n if smtp_config_dict:\n smtp_config_found = True\n print('Loading smtp configuration customisations from dictionary')\n smtp_config_json = kwargs.get('smtp_config_json', '')\n if smtp_config_json:\n if smtp_config_found:\n raise LoggingError('More than one smtp configuration file given!')\n smtp_config_found = True\n print('Loading smtp configuration customisations from: %s' %\n smtp_config_json)\n smtp_config_dict = load_json(smtp_config_json)\n smtp_config_yaml = kwargs.get('smtp_config_yaml', '')\n if smtp_config_yaml:\n if smtp_config_found:\n raise LoggingError('More than one smtp configuration file given!')\n smtp_config_found = True\n print('Loading smtp configuration customisations from: %s' %\n smtp_config_yaml)\n smtp_config_dict = load_yaml(smtp_config_yaml)\n logging_smtp_config_dict = None\n logging_config_found = False\n logging_config_dict = kwargs.get('logging_config_dict', None)\n if logging_config_dict:\n logging_config_found = True\n print('Loading logging configuration from dictionary')\n logging_config_json = kwargs.get('logging_config_json', '')\n if logging_config_json:\n if logging_config_found:\n raise LoggingError(\n 'More than one logging configuration file given!')\n logging_config_found = True\n print('Loading logging configuration from: %s' % logging_config_json)\n logging_config_dict = load_json(logging_config_json)\n logging_config_yaml = kwargs.get('logging_config_yaml', '')\n if logging_config_found:\n if logging_config_yaml:\n raise LoggingError(\n 'More than one logging configuration file given!')\n else:\n if not logging_config_yaml:\n print('No logging configuration parameter. Using default.')\n logging_config_yaml = script_dir_plus_file(\n 'logging_configuration.yml', setup_logging)\n if smtp_config_found:\n logging_smtp_config_yaml = script_dir_plus_file(\n 'logging_smtp_configuration.yml', setup_logging)\n print('Loading base SMTP logging configuration from: %s' %\n logging_smtp_config_yaml)\n logging_smtp_config_dict = load_yaml(logging_smtp_config_yaml)\n print('Loading logging configuration from: %s' % logging_config_yaml)\n logging_config_dict = load_yaml(logging_config_yaml)\n if smtp_config_found:\n if logging_smtp_config_dict:\n logging_config_dict = merge_dictionaries([logging_config_dict,\n logging_smtp_config_dict, smtp_config_dict])\n else:\n raise LoggingError(\n 'SMTP logging configuration file given but not using default logging configuration!'\n )\n file_only = os.getenv('LOG_FILE_ONLY')\n if file_only is not None and file_only.lower() not in ['false', 'f',\n 'n', 'no', '0']:\n root = logging_config_dict.get('root')\n if root is not None:\n handlers = root.get('handlers', list())\n for i, handler in enumerate(handlers):\n if handler.lower() == 'console':\n del handlers[i]\n break\n logging.config.dictConfig(logging_config_dict)\n", "role": "user" }, { "content": "setup_logging", "role": "assistant" } ]
def x(self, item: Any, reverse: bool=False) ->Generator[Any, None, None]: results = 0 for _, x in self.enumerate(item, reverse=reverse): yield x results += 1 if results == 0: raise SearchError(str(item))
search_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item: Any, reverse: bool=False) ->Generator[Any, None, None]:\n results = 0\n for _, x in self.enumerate(item, reverse=reverse):\n yield x\n results += 1\n if results == 0:\n raise SearchError(str(item))\n", "role": "user" }, { "content": "search_generator", "role": "assistant" } ]
def x(self, item: Any) ->Generator[Any, None, None]: results = 0 for x in self.enumerate(item): yield x results += 1 if results == 0: raise SearchError(str(item))
search_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item: Any) ->Generator[Any, None, None]:\n results = 0\n for x in self.enumerate(item):\n yield x\n results += 1\n if results == 0:\n raise SearchError(str(item))\n", "role": "user" }, { "content": "search_generator", "role": "assistant" } ]
def x(self, item: Any) ->Generator[Tuple[Any, Any], None, None]: results = 0 for key, value in self.enumerate(item): yield key, value results += 1 if results == 0: raise SearchError(str(item))
search_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item: Any) ->Generator[Tuple[Any, Any], None, None]:\n results = 0\n for key, value in self.enumerate(item):\n yield key, value\n results += 1\n if results == 0:\n raise SearchError(str(item))\n", "role": "user" }, { "content": "search_generator", "role": "assistant" } ]
def x(question: str, default: bool=True) ->bool: default_q = 'Y/n' if default else 'y/N' answer = input('{0} [{1}]: '.format(question, default_q)) lower = answer.lower() if not lower: return default return lower == 'y'
ask_bool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question: str, default: bool=True) ->bool:\n default_q = 'Y/n' if default else 'y/N'\n answer = input('{0} [{1}]: '.format(question, default_q))\n lower = answer.lower()\n if not lower:\n return default\n return lower == 'y'\n", "role": "user" }, { "content": "ask_bool", "role": "assistant" } ]
def x(question: str, default: int=None) ->int: default_q = ' [default: {0}]: '.format(default ) if default is not None else '' answer = input('{0} [{1}]: '.format(question, default_q)) if not answer: if default is None: print('No default set, try again.') return ask_int(question, default) return default if any(x not in '1234567890' for x in answer): print('Please enter only numbers (0-9).') return ask_int(question, default) return int(answer)
ask_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question: str, default: int=None) ->int:\n default_q = ' [default: {0}]: '.format(default\n ) if default is not None else ''\n answer = input('{0} [{1}]: '.format(question, default_q))\n if not answer:\n if default is None:\n print('No default set, try again.')\n return ask_int(question, default)\n return default\n if any(x not in '1234567890' for x in answer):\n print('Please enter only numbers (0-9).')\n return ask_int(question, default)\n return int(answer)\n", "role": "user" }, { "content": "ask_int", "role": "assistant" } ]
def x(question: str, default: str=None) ->str: default_q = ' [default: {0}]: '.format(default ) if default is not None else '' answer = input('{0} [{1}]: '.format(question, default_q)) if answer == '': return default if os.path.isdir(answer): return answer print('No such directory: {answer}, please try again'.format(answer=answer) ) return ask_path(question, default)
ask_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question: str, default: str=None) ->str:\n default_q = ' [default: {0}]: '.format(default\n ) if default is not None else ''\n answer = input('{0} [{1}]: '.format(question, default_q))\n if answer == '':\n return default\n if os.path.isdir(answer):\n return answer\n print('No such directory: {answer}, please try again'.format(answer=answer)\n )\n return ask_path(question, default)\n", "role": "user" }, { "content": "ask_path", "role": "assistant" } ]
def x(question: str, default: list=None) ->list: default_q = ' [default: {0}]: '.format(','.join(default) ) if default is not None else '' answer = input('{0} [{1}]: '.format(question, default_q)) if answer == '': return default return [ans.strip() for ans in answer.split(',')]
ask_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question: str, default: list=None) ->list:\n default_q = ' [default: {0}]: '.format(','.join(default)\n ) if default is not None else ''\n answer = input('{0} [{1}]: '.format(question, default_q))\n if answer == '':\n return default\n return [ans.strip() for ans in answer.split(',')]\n", "role": "user" }, { "content": "ask_list", "role": "assistant" } ]
def x(question: str, default: str=None): default_q = ' [default: {0}]: '.format(default ) if default is not None else '' answer = input('{0} [{1}]: '.format(question, default_q)) if answer == '': return default return answer
ask_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question: str, default: str=None):\n default_q = ' [default: {0}]: '.format(default\n ) if default is not None else ''\n answer = input('{0} [{1}]: '.format(question, default_q))\n if answer == '':\n return default\n return answer\n", "role": "user" }, { "content": "ask_str", "role": "assistant" } ]
def x(self) ->list: tools = ('flake8,pylint,vulture,pyroma,isort,yapf,safety,dodgy,pytest,pypi' .split(',')) print('Available tools: {0}'.format(','.join(tools))) answer = ask_list('What tools would you like to use?', ['flake8', 'pytest'] ) if any(tool not in tools for tool in answer): print('Invalid answer, retry.') self.get_tools() return answer
get_tools
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->list:\n tools = ('flake8,pylint,vulture,pyroma,isort,yapf,safety,dodgy,pytest,pypi'\n .split(','))\n print('Available tools: {0}'.format(','.join(tools)))\n answer = ask_list('What tools would you like to use?', ['flake8', 'pytest']\n )\n if any(tool not in tools for tool in answer):\n print('Invalid answer, retry.')\n self.get_tools()\n return answer\n", "role": "user" }, { "content": "get_tools", "role": "assistant" } ]
def x(self) ->None: path = ask_path('where should the config be stored?', '.snekrc') conf = configobj.ConfigObj() tools = self.get_tools() for tool in tools: conf[tool] = getattr(self, tool)() conf.filename = path conf.write() print('Written config file!') if 'pylint' in tools: print('Please also run `pylint --generate-rcfile` to complete setup')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->None:\n path = ask_path('where should the config be stored?', '.snekrc')\n conf = configobj.ConfigObj()\n tools = self.get_tools()\n for tool in tools:\n conf[tool] = getattr(self, tool)()\n conf.filename = path\n conf.write()\n print('Written config file!')\n if 'pylint' in tools:\n print('Please also run `pylint --generate-rcfile` to complete setup')\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(limit, offset, record_count, base_uri, page_nav_tpl='&limit={}&offset={}' ): total_pages = int(math.ceil(record_count / limit)) next_cond = limit + offset <= record_count prev_cond = offset >= limit next_page = base_uri + page_nav_tpl.format(limit, offset + limit ) if next_cond else None prev_page = base_uri + page_nav_tpl.format(limit, offset - limit ) if prev_cond else None return OrderedDict([('total_count', record_count), ('total_pages', total_pages), ('next_page', next_page), ('prev_page', prev_page)])
paginator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(limit, offset, record_count, base_uri, page_nav_tpl='&limit={}&offset={}'\n ):\n total_pages = int(math.ceil(record_count / limit))\n next_cond = limit + offset <= record_count\n prev_cond = offset >= limit\n next_page = base_uri + page_nav_tpl.format(limit, offset + limit\n ) if next_cond else None\n prev_page = base_uri + page_nav_tpl.format(limit, offset - limit\n ) if prev_cond else None\n return OrderedDict([('total_count', record_count), ('total_pages',\n total_pages), ('next_page', next_page), ('prev_page', prev_page)])\n", "role": "user" }, { "content": "paginator", "role": "assistant" } ]
def x(obj): from datetime import datetime, date, time if isinstance(obj, date) and not isinstance(obj, datetime): obj = datetime.combine(obj, time.min) if isinstance(obj, datetime): return obj.isoformat()
serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n from datetime import datetime, date, time\n if isinstance(obj, date) and not isinstance(obj, datetime):\n obj = datetime.combine(obj, time.min)\n if isinstance(obj, datetime):\n return obj.isoformat()\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(response, expected_status=200, url=None): if response.status_code != expected_status: if url is None: url = response.url try: err = response.json() except: err = {} if all(x in err for x in ('status', 'message', 'description', 'details')): raise _APIError(err['status'], err['message'], url, err, err[ 'description'], err['details']) else: suffix = '.html' if '<html' in response.text else '.txt' msg = response.text if len(msg) > 200: with tempfile.NamedTemporaryFile(suffix=suffix, delete=False ) as f: f.write(response.text.encode('utf-8')) msg = ('{}...\n\n[snipped; full response written to {f.name}' .format(msg[:100], **locals())) msg = ( """Request {url!r} returned code {response.status_code}, expected {expected_status}. {msg}""" .format(**locals())) raise _APIError(response.status_code, msg, url, response.text) if response.headers.get('Content-Type') == 'application/json': try: return response.json() except: raise Exception('Cannot decode json; text={response.text!r}'. format(**locals())) else: return response.text
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response, expected_status=200, url=None):\n if response.status_code != expected_status:\n if url is None:\n url = response.url\n try:\n err = response.json()\n except:\n err = {}\n if all(x in err for x in ('status', 'message', 'description',\n 'details')):\n raise _APIError(err['status'], err['message'], url, err, err[\n 'description'], err['details'])\n else:\n suffix = '.html' if '<html' in response.text else '.txt'\n msg = response.text\n if len(msg) > 200:\n with tempfile.NamedTemporaryFile(suffix=suffix, delete=False\n ) as f:\n f.write(response.text.encode('utf-8'))\n msg = ('{}...\\n\\n[snipped; full response written to {f.name}'\n .format(msg[:100], **locals()))\n msg = (\n \"\"\"Request {url!r} returned code {response.status_code}, expected {expected_status}. \n{msg}\"\"\"\n .format(**locals()))\n raise _APIError(response.status_code, msg, url, response.text)\n if response.headers.get('Content-Type') == 'application/json':\n try:\n return response.json()\n except:\n raise Exception('Cannot decode json; text={response.text!r}'.\n format(**locals()))\n else:\n return response.text\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, user=None, password=None): fn = os.path.expanduser(AUTH_FILE) if os.path.exists(fn): for i, line in enumerate(csv.reader(open(fn))): if len(line) != 3: log.warning('Cannot parse line {i} in {fn}'.format(**locals())) continue hostname, username, pwd = line if hostname in ('', '*', self.host) and (user is None or username == user): return username, pwd if user is None: user = os.environ.get('AMCAT_USER', os.environ.get('USER')) if password is None: password = os.environ.get('AMCAT_PASSWORD') if user is None or password is None: raise Exception( 'No authentication info for {user}@{self.host} from {fn} or AMCAT_USER / AMCAT_PASSWORD variables' .format(**locals())) return user, password
get_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user=None, password=None):\n fn = os.path.expanduser(AUTH_FILE)\n if os.path.exists(fn):\n for i, line in enumerate(csv.reader(open(fn))):\n if len(line) != 3:\n log.warning('Cannot parse line {i} in {fn}'.format(**locals()))\n continue\n hostname, username, pwd = line\n if hostname in ('', '*', self.host) and (user is None or \n username == user):\n return username, pwd\n if user is None:\n user = os.environ.get('AMCAT_USER', os.environ.get('USER'))\n if password is None:\n password = os.environ.get('AMCAT_PASSWORD')\n if user is None or password is None:\n raise Exception(\n 'No authentication info for {user}@{self.host} from {fn} or AMCAT_USER / AMCAT_PASSWORD variables'\n .format(**locals()))\n return user, password\n", "role": "user" }, { "content": "get_auth", "role": "assistant" } ]
def x(self, url, method='get', format='json', data=None, expected_status= None, headers=None, use_xpost=True, **options): if expected_status is None: if method == 'get': expected_status = 200 elif method == 'post': expected_status = 201 else: raise ValueError('No expected status supplied and method unknown.') if not url.startswith('http'): url = '{self.host}/api/v4/{url}'.format(**locals()) if format is not None: options = dict({'format': format}, **options) options = {field: value for field, value in options.items() if value is not None} headers = dict(headers or {}, Authorization='Token {}'.format(self.token)) if method == 'get' and use_xpost: assert data is None headers.update({'X-HTTP-METHOD-OVERRIDE': method}) data = options options = None method = 'post' r = requests.request(method, url, data=data, params=options, headers= headers) log.debug( 'HTTP {method} {url} (options={options!r}, data={data!r},headers={headers}) -> {r.status_code}' .format(**locals())) return check(r, expected_status=expected_status)
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method='get', format='json', data=None, expected_status=\n None, headers=None, use_xpost=True, **options):\n if expected_status is None:\n if method == 'get':\n expected_status = 200\n elif method == 'post':\n expected_status = 201\n else:\n raise ValueError('No expected status supplied and method unknown.')\n if not url.startswith('http'):\n url = '{self.host}/api/v4/{url}'.format(**locals())\n if format is not None:\n options = dict({'format': format}, **options)\n options = {field: value for field, value in options.items() if value is not\n None}\n headers = dict(headers or {}, Authorization='Token {}'.format(self.token))\n if method == 'get' and use_xpost:\n assert data is None\n headers.update({'X-HTTP-METHOD-OVERRIDE': method})\n data = options\n options = None\n method = 'post'\n r = requests.request(method, url, data=data, params=options, headers=\n headers)\n log.debug(\n 'HTTP {method} {url} (options={options!r}, data={data!r},headers={headers}) -> {r.status_code}'\n .format(**locals()))\n return check(r, expected_status=expected_status)\n", "role": "user" }, { "content": "request", "role": "assistant" } ]
def x(self, url, page=1, page_size=100, yield_pages=False, **filters): n = 0 for page in itertools.count(page): r = self.request(url, page=page, page_size=page_size, **filters) n += len(r['results']) log.debug('Got {url} page {page} / {pages}'.format(url=url, **r)) if yield_pages: yield r else: for row in r['results']: yield row if r['next'] is None: break
get_pages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, page=1, page_size=100, yield_pages=False, **filters):\n n = 0\n for page in itertools.count(page):\n r = self.request(url, page=page, page_size=page_size, **filters)\n n += len(r['results'])\n log.debug('Got {url} page {page} / {pages}'.format(url=url, **r))\n if yield_pages:\n yield r\n else:\n for row in r['results']:\n yield row\n if r['next'] is None:\n break\n", "role": "user" }, { "content": "get_pages", "role": "assistant" } ]
def x(self, url, page_size=100, yield_pages=False, **filters): n = 0 options = dict(page_size=page_size, **filters) format = filters.get('format') while True: r = self.request(url, use_xpost=False, **options) n += len(r['results']) log.debug('Got {} {n}/{total}'.format(url.split('?')[0], total=r[ 'total'], **locals())) if yield_pages: yield r else: for row in r['results']: yield row if r['next'] is None: break url = r['next'] options = {'format': None}
get_scroll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, page_size=100, yield_pages=False, **filters):\n n = 0\n options = dict(page_size=page_size, **filters)\n format = filters.get('format')\n while True:\n r = self.request(url, use_xpost=False, **options)\n n += len(r['results'])\n log.debug('Got {} {n}/{total}'.format(url.split('?')[0], total=r[\n 'total'], **locals()))\n if yield_pages:\n yield r\n else:\n for row in r['results']:\n yield row\n if r['next'] is None:\n break\n url = r['next']\n options = {'format': None}\n", "role": "user" }, { "content": "get_scroll", "role": "assistant" } ]
def x(self): url = URL.status.format(**locals()) return self.get_request(url)
get_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = URL.status.format(**locals())\n return self.get_request(url)\n", "role": "user" }, { "content": "get_status", "role": "assistant" } ]
def x(self, **filters): url = URL.aggregate.format(**locals()) return self.get_pages(url, **filters)
aggregate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **filters):\n url = URL.aggregate.format(**locals())\n return self.get_pages(url, **filters)\n", "role": "user" }, { "content": "aggregate", "role": "assistant" } ]
def x(self, project, **filters): url = URL.articlesets.format(**locals()) return self.get_pages(url, **filters)
list_sets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project, **filters):\n url = URL.articlesets.format(**locals())\n return self.get_pages(url, **filters)\n", "role": "user" }, { "content": "list_sets", "role": "assistant" } ]
def x(self, project, articleset, **filters): url = URL.articleset.format(**locals()) return self.request(url, **filters)
get_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project, articleset, **filters):\n url = URL.articleset.format(**locals())\n return self.request(url, **filters)\n", "role": "user" }, { "content": "get_set", "role": "assistant" } ]
def x(self, project, articleset, page=1, **filters): url = URL.article.format(**locals()) return self.get_pages(url, page=page, **filters)
list_articles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project, articleset, page=1, **filters):\n url = URL.article.format(**locals())\n return self.get_pages(url, page=page, **filters)\n", "role": "user" }, { "content": "list_articles", "role": "assistant" } ]
def x(self, project, json_data=None, **options): url = URL.articlesets.format(**locals()) if json_data is None: return self.request(url, method='post', data=options) else: if not isinstance(json_data, string_types): json_data = json.dumps(json_data, default=serialize) headers = {'content-type': 'application/json'} return self.request(url, method='post', data=json_data, headers=headers )
create_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project, json_data=None, **options):\n url = URL.articlesets.format(**locals())\n if json_data is None:\n return self.request(url, method='post', data=options)\n else:\n if not isinstance(json_data, string_types):\n json_data = json.dumps(json_data, default=serialize)\n headers = {'content-type': 'application/json'}\n return self.request(url, method='post', data=json_data, headers=headers\n )\n", "role": "user" }, { "content": "create_set", "role": "assistant" } ]
def x(self, project, articleset, json_data=None, **options): url = URL.article.format(**locals()) if json_data is None: return self.request(url, method='post', data=options) else: if not isinstance(json_data, string_types): json_data = json.dumps(json_data, default=serialize) headers = {'content-type': 'application/json'} return self.request(url, method='post', data=json_data, headers=headers )
create_articles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project, articleset, json_data=None, **options):\n url = URL.article.format(**locals())\n if json_data is None:\n return self.request(url, method='post', data=options)\n else:\n if not isinstance(json_data, string_types):\n json_data = json.dumps(json_data, default=serialize)\n headers = {'content-type': 'application/json'}\n return self.request(url, method='post', data=json_data, headers=headers\n )\n", "role": "user" }, { "content": "create_articles", "role": "assistant" } ]
def x(self, encoded): signature = self._hmac.copy() signature.update(encoded) return signature.hexdigest().encode('utf-8')
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, encoded):\n signature = self._hmac.copy()\n signature.update(encoded)\n return signature.hexdigest().encode('utf-8')\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(self, encoded): maxlen = len(encoded) - self.sig_size message = encoded[:maxlen] signature = encoded[-self.sig_size:] return message, signature
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, encoded):\n maxlen = len(encoded) - self.sig_size\n message = encoded[:maxlen]\n signature = encoded[-self.sig_size:]\n return message, signature\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, encoded): message, signature = self.split(encoded) computed = self.sign(message) if not hmac.compare_digest(signature, computed): raise AuthenticatorInvalidSignature
auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, encoded):\n message, signature = self.split(encoded)\n computed = self.sign(message)\n if not hmac.compare_digest(signature, computed):\n raise AuthenticatorInvalidSignature\n", "role": "user" }, { "content": "auth", "role": "assistant" } ]
def x(fun): @functools.wraps(fun) def x(cls): try: return cls.__cache[fun] except AttributeError: cls.__cache = {} except KeyError: pass ret = cls.__cache[fun] = fun(cls) return ret return classproperty(get)
cached_classproperty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fun):\n\n @functools.wraps(fun)\n def x(cls):\n try:\n return cls.__cache[fun]\n except AttributeError:\n cls.__cache = {}\n except KeyError:\n pass\n ret = cls.__cache[fun] = fun(cls)\n return ret\n return classproperty(get)\n", "role": "user" }, { "content": "cached_classproperty", "role": "assistant" } ]