source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(): from argparse import ArgumentParser parser = ArgumentParser(description=__doc__) parser.add_argument('-t', '--titles', action='store_true', help= 'input files have column titles') parser.add_argument('-j', '--join', choices=['inner', 'outer'], help= 'The kind of left join to perform. Outer join outputs left-hand rows which have no right hand match, while inner join discards such rows. Default: %(default)s' ) parser.add_argument('-m', '--minscore', type=float, help= 'Minimum match score: %(default)s') parser.add_argument('-c', '--count', type=int, help= 'Max number of rows to match (0 for all): %(default)s') parser.add_argument('-w', '--warp', type=float, help= 'N-gram warp, higher helps short strings: %(default)s') parser.add_argument('left', nargs=1, help='First CSV file') parser.add_argument('leftcolumn', nargs=1, type=int, help= 'Column in first CSV file') parser.add_argument('right', nargs=1, help='Second CSV file') parser.add_argument('rightcolumn', nargs=1, type=int, help= 'Column in second CSV file') parser.add_argument('outfile', nargs=1, help='Output CSV file') parser.set_defaults(titles=False, join='outer', minscore=0.24, count=0, warp=1.0) args = parser.parse_args() for path in [args.left[0], args.right[0]]: if not os.path.isfile(path): parser.error('File "%s" does not exist.' % path) if not 0 <= args.minscore <= 1.0: parser.error('Minimum score must be between 0 and 1') if not args.count >= 0: parser.error('Maximum number of matches per row must be non-negative.') if args.count == 0: args.count = None main(args.left[0], args.leftcolumn[0], args.right[0], args.rightcolumn[ 0], args.outfile[0], args.titles, args.join, args.minscore, args. count, args.warp)
console_main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from argparse import ArgumentParser\n parser = ArgumentParser(description=__doc__)\n parser.add_argument('-t', '--titles', action='store_true', h...
def x(self, items=None): return NGram(items if items is not None else self, self.threshold, self .warp, self._key, self.N, self._pad_len, self._pad_char)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, items=None):\n return NGram(items if items is not None else self, self.threshold, self\n .warp, self._key, self.N, self._pad_len, self._pad_cha...
def x(self, string): for i in range(len(string) - self.N + 1): yield string[i:i + self.N]
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n for i in range(len(string) - self.N + 1):\n yield string[i:i + self.N]\n", "role": "user" }, { "content": "split", "...
def x(self, item): if item not in self: super(NGram, self).add(item) padded_item = self.pad(self.key(item)) self.length[item] = len(padded_item) for ngram in self._split(padded_item): self._grams.setdefault(ngram, {}).setdefault(item, 0) self._grams[ngram][item] += 1
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item):\n if item not in self:\n super(NGram, self).add(item)\n padded_item = self.pad(self.key(item))\n self.length[item] = len(p...
def x(self, query): shared = {} remaining = {} for ngram in self.split(query): try: for match, count in self._grams[ngram].items(): remaining.setdefault(ngram, {}).setdefault(match, count) if remaining[ngram][match] > 0: remaining[ngram][match] -= 1 shared.setdefault(match, 0) shared[match] += 1 except KeyError: pass return shared
items_sharing_ngrams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n shared = {}\n remaining = {}\n for ngram in self.split(query):\n try:\n for match, count in self._grams[ngram].items...
def x(self, item, threshold=None): return self.search(self.key(item), threshold)
searchitem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, threshold=None):\n return self.search(self.key(item), threshold)\n", "role": "user" }, { "content": "searchitem", "role": "assis...
def x(self, query, threshold=None): threshold = threshold if threshold is not None else self.threshold results = [] for match, samegrams in self.items_sharing_ngrams(query).items(): allgrams = len(self.pad(query)) + self.length[match ] - 2 * self.N - samegrams + 2 similarity = self.ngram_similarity(samegrams, allgrams, self.warp) if similarity >= threshold: results.append((match, similarity)) results.sort(key=lambda x: x[1], reverse=True) return results
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, threshold=None):\n threshold = threshold if threshold is not None else self.threshold\n results = []\n for match, samegrams in self.items...
def x(self, item, threshold=None): results = self.searchitem(item, threshold) if results: return results[0][0] else: return None
finditem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, threshold=None):\n results = self.searchitem(item, threshold)\n if results:\n return results[0][0]\n else:\n return None\n",...
def x(self, query, threshold=None): results = self.search(query, threshold) if results: return results[0][0] else: return None
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, threshold=None):\n results = self.search(query, threshold)\n if results:\n return results[0][0]\n else:\n return None\n", ...
def x(samegrams, allgrams, warp=1.0): if abs(warp - 1.0) < 1e-09: similarity = float(samegrams) / allgrams else: diffgrams = float(allgrams - samegrams) similarity = (allgrams ** warp - diffgrams ** warp) / allgrams ** warp return similarity
ngram_similarity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(samegrams, allgrams, warp=1.0):\n if abs(warp - 1.0) < 1e-09:\n similarity = float(samegrams) / allgrams\n else:\n diffgrams = float(allgra...
def x(s1, s2, **kwargs): if s1 is None or s2 is None: if s1 == s2: return 1.0 return 0.0 try: return NGram([s1], **kwargs).search(s2)[0][1] except IndexError: return 0.0
compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s1, s2, **kwargs):\n if s1 is None or s2 is None:\n if s1 == s2:\n return 1.0\n return 0.0\n try:\n return NGram([s1], **...
def x(self): super(NGram, self).clear() self._grams = {} self.length = {}
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n super(NGram, self).clear()\n self._grams = {}\n self.length = {}\n", "role": "user" }, { "content": "clear", "role": "assista...
def x(self, *others): return self.copy(super(NGram, self).union(*others))
union
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *others):\n return self.copy(super(NGram, self).union(*others))\n", "role": "user" }, { "content": "union", "role": "assistant" } ]
def x(self, *others): return self.copy(super(NGram, self).difference(*others))
difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *others):\n return self.copy(super(NGram, self).difference(*others))\n", "role": "user" }, { "content": "difference", "role": "assista...
def x(self, *others): return self.copy(super(NGram, self).intersection(*others))
intersection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *others):\n return self.copy(super(NGram, self).intersection(*others))\n", "role": "user" }, { "content": "intersection", "role": "ass...
def x(self, *others): self.difference_update(super(NGram, self).difference(*others))
intersection_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *others):\n self.difference_update(super(NGram, self).difference(*others))\n", "role": "user" }, { "content": "intersection_update", "...
def x(self, other): return self.copy(super(NGram, self).symmetric_difference(other))
symmetric_difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n return self.copy(super(NGram, self).symmetric_difference(other))\n", "role": "user" }, { "content": "symmetric_difference", ...
def x(self, other): intersection = super(NGram, self).intersection(other) self.update(other) self.difference_update(intersection)
symmetric_difference_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n intersection = super(NGram, self).intersection(other)\n self.update(other)\n self.difference_update(intersection)\n", "role": "use...
def x(value, arg): try: nvalue, narg = handle_float_decimal_combinations(valid_numeric( value), valid_numeric(arg), '-') return nvalue - narg except (ValueError, TypeError): try: return value - arg except Exception: return ''
sub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, arg):\n try:\n nvalue, narg = handle_float_decimal_combinations(valid_numeric(\n value), valid_numeric(arg), '-')\n return n...
def x(value): try: return abs(valid_numeric(value)) except (ValueError, TypeError): try: return abs(value) except Exception: return ''
absolute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n try:\n return abs(valid_numeric(value))\n except (ValueError, TypeError):\n try:\n return abs(value)\n except E...
def x(config, server, api_key, all, credentials, project): home = expanduser('~') if os.path.isfile(os.path.join(home, '.pybossa.cfg')): config.parser.read(os.path.join(home, '.pybossa.cfg')) config.server = config.parser.get(credentials, 'server') config.api_key = config.parser.get(credentials, 'apikey') try: config.all = config.parser.get(credentials, 'all') except ConfigParser.NoOptionError: config.all = None if server: config.server = server if api_key: config.api_key = api_key if all: config.all = all try: config.project = json.loads(project.read()) except JSONDecodeError as e: click.secho('Error: invalid JSON format in project.json:', fg='red') if e.msg == 'Expecting value': e.msg += ' (if string enclose it with double quotes)' click.echo('%s\n%s: line %s column %s' % (e.doc, e.msg, e.lineno, e .colno)) raise click.Abort() try: project_schema = {'type': 'object', 'properties': {'name': {'type': 'string'}, 'short_name': {'type': 'string'}, 'description': { 'type': 'string'}}} jsonschema.validate(config.project, project_schema) except jsonschema.exceptions.ValidationError as e: click.secho('Error: invalid type in project.json', fg='red') click.secho("'%s': %s" % (e.path[0], e.message), fg='yellow') click.echo("'%s' must be a %s" % (e.path[0], e.validator_value)) raise click.Abort() config.pbclient = pbclient config.pbclient.set('endpoint', config.server) config.pbclient.set('api_key', config.api_key)
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, server, api_key, all, credentials, project):\n home = expanduser('~')\n if os.path.isfile(os.path.join(home, '.pybossa.cfg')):\n config.pa...
def x(): try: import pkg_resources click.echo(pkg_resources.get_distribution('pybossa-pbs').version) except ImportError: click.echo('pybossa-pbs package not found!')
version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n import pkg_resources\n click.echo(pkg_resources.get_distribution('pybossa-pbs').version)\n except ImportError:\n click.e...
def x(config, task_presenter, results, long_description, tutorial, watch): if watch: res = _update_project_watch(config, task_presenter, results, long_description, tutorial) else: res = _update_project(config, task_presenter, results, long_description, tutorial) click.echo(res)
update_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_presenter, results, long_description, tutorial, watch):\n if watch:\n res = _update_project_watch(config, task_presenter, results,\n ...
def x(config, tasks_file, tasks_type, priority, redundancy): res = _add_tasks(config, tasks_file, tasks_type, priority, redundancy) click.echo(res)
add_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, tasks_file, tasks_type, priority, redundancy):\n res = _add_tasks(config, tasks_file, tasks_type, priority, redundancy)\n click.echo(res)\n", ...
def x(config, helping_materials_file, helping_type): res = _add_helpingmaterials(config, helping_materials_file, helping_type) click.echo(res)
add_helpingmaterials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, helping_materials_file, helping_type):\n res = _add_helpingmaterials(config, helping_materials_file, helping_type)\n click.echo(res)\n", "rol...
def x(config, task_id): if task_id is None: msg = ( 'Are you sure you want to delete all the tasks and associated task runs?' ) if click.confirm(msg): res = _delete_tasks(config, task_id) click.echo(res) else: click.echo('Aborting.') else: res = _delete_tasks(config, task_id) click.echo(res)
delete_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_id):\n if task_id is None:\n msg = (\n 'Are you sure you want to delete all the tasks and associated task runs?'\n ...
def x(config, task_id, redundancy): if task_id is None: msg = 'Are you sure you want to update all the tasks redundancy?' if click.confirm(msg): res = _update_tasks_redundancy(config, task_id, redundancy) click.echo(res) else: click.echo('Aborting.') else: res = _update_tasks_redundancy(config, task_id, redundancy) click.echo(res)
update_task_redundancy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_id, redundancy):\n if task_id is None:\n msg = 'Are you sure you want to update all the tasks redundancy?'\n if click.confirm(msg...
def x(config): try: response = config.pbclient.create_project(config.project['name'], config.project['short_name'], config.project['description']) check_api_error(response) return 'Project: %s created!' % config.project['short_name'] except exceptions.ConnectionError: return ('Connection Error! The server %s is not responding' % config.server) except (ProjectNotFound, TaskNotFound): raise
create_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n try:\n response = config.pbclient.create_project(config.project['name'],\n config.project['short_name'], config.project['descri...
def x(config, task_presenter, results, long_description, tutorial): logging.basicConfig(level=logging.INFO, format= '%(asctime)s - %(message)s', datefmt='%Y-%m-%d %H:%M:%S') path = os.getcwd() event_handler = PbsHandler(config, task_presenter, results, long_description, tutorial) observer = Observer() observer.schedule(event_handler, path, recursive=False) observer.start() try: while True: time.sleep(1) except KeyboardInterrupt: observer.stop() observer.join()
update_project_watch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_presenter, results, long_description, tutorial):\n logging.basicConfig(level=logging.INFO, format=\n '%(asctime)s - %(message)s', datefm...
def x(project): if os.path.isfile('bundle.min.js'): with open('bundle.min.js') as f: js = f.read() project.info['task_presenter'] += '<script>\n%s\n</script>' % js return if os.path.isfile('bundle.js'): with open('bundle.js') as f: js = f.read() project.info['task_presenter'] += '<script>\n%s\n</script>' % js
update_task_presenter_bundle_js
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project):\n if os.path.isfile('bundle.min.js'):\n with open('bundle.min.js') as f:\n js = f.read()\n project.info['task_presenter']...
def x(config, task_presenter, results, long_description, tutorial): try: project = find_project_by_short_name(config.project['short_name'], config.pbclient, config.all) project.name = config.project['name'] project.short_name = config.project['short_name'] project.description = config.project['description'] with open(long_description, 'r') as f: project.long_description = f.read() with open(task_presenter, 'r') as f: project.info['task_presenter'] = f.read() _update_task_presenter_bundle_js(project) with open(results, 'r') as f: project.info['results'] = f.read() with open(tutorial, 'r') as f: project.info['tutorial'] = f.read() response = config.pbclient.update_project(project) check_api_error(response) return 'Project %s updated!' % config.project['short_name'] except exceptions.ConnectionError: return ('Connection Error! The server %s is not responding' % config.server) except ProjectNotFound: return ( 'Project not found! The project: %s is missing. Use the flag --all=1 to search in all the server ' % config.project['short_name']) except TaskNotFound: raise
update_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_presenter, results, long_description, tutorial):\n try:\n project = find_project_by_short_name(config.project['short_name'],\n ...
def x(data_file, data_type): raw_data = data_file.read() if data_type is None: data_type = data_file.name.split('.')[-1] data = [] if data_type == 'json': data = json.loads(raw_data) return data elif data_type == 'csv': csv_data = StringIO(raw_data) reader = csv.DictReader(csv_data, delimiter=',') for line in reader: data.append(line) return data elif data_type in ['xlsx', 'xlsm', 'xltx', 'xltm']: excel_data = StringIO(raw_data) wb = openpyxl.load_workbook(excel_data) ws = wb.active headers = [] for row in ws.iter_rows(max_row=1): for cell in row: tmp = '_'.join(cell.value.split(' ')).lower() headers.append(tmp) for row in ws.iter_rows(row_offset=1): values = [] for cell in row: values.append(cell.value) tmp = dict(itertools.izip(headers, values)) if len(values) == len(headers) and not row_empty(values): data.append(tmp) return data elif data_type == 'po': po = polib.pofile(raw_data) for entry in po.untranslated_entries(): data.append(entry.__dict__) return data elif data_type == 'properties': lines = raw_data.split('\n') for l in lines: if l: var_id, string = l.split('=') tmp = dict(var_id=var_id, string=string) data.append(tmp) return data else: return data
load_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_file, data_type):\n raw_data = data_file.read()\n if data_type is None:\n data_type = data_file.name.split('.')[-1]\n data = []\n if da...
def x(config, tasks_file, tasks_type, priority, redundancy): try: project = find_project_by_short_name(config.project['short_name'], config.pbclient, config.all) data = _load_data(tasks_file, tasks_type) if len(data) == 0: return ( 'Unknown format for the tasks file. Use json, csv, po or properties.' ) with click.progressbar(data, label='Adding Tasks') as pgbar: for d in pgbar: task_info = create_task_info(d) response = config.pbclient.create_task(project_id=project. id, info=task_info, n_answers=redundancy, priority_0= priority) sleep, msg = enable_auto_throttling(config, data) check_api_error(response) if sleep: time.sleep(sleep) return '%s tasks added to project: %s' % (len(data), config. project['short_name']) except exceptions.ConnectionError: return ('Connection Error! The server %s is not responding' % config.server) except (ProjectNotFound, TaskNotFound): raise
add_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, tasks_file, tasks_type, priority, redundancy):\n try:\n project = find_project_by_short_name(config.project['short_name'],\n confi...
def x(config, helping_file, helping_type): try: project = find_project_by_short_name(config.project['short_name'], config.pbclient, config.all) data = _load_data(helping_file, helping_type) if len(data) == 0: return ( 'Unknown format for the tasks file. Use json, csv, po or properties.' ) with click.progressbar(data, label='Adding Helping Materials' ) as pgbar: for d in pgbar: helping_info, file_path = create_helping_material_info(d) if file_path: hm = config.pbclient.create_helpingmaterial(project_id= project.id, info=helping_info, file_path=file_path) check_api_error(hm) z = hm.info.copy() z.update(helping_info) hm.info = z response = config.pbclient.update_helping_material(hm) check_api_error(response) else: response = config.pbclient.create_helpingmaterial( project_id=project.id, info=helping_info) check_api_error(response) sleep, msg = enable_auto_throttling(config, data, endpoint= '/api/helpinmaterial') if sleep: click.secho(msg, fg='yellow') if sleep: time.sleep(sleep) return '%s helping materials added to project: %s' % (len(data), config.project['short_name']) except exceptions.ConnectionError: return ('Connection Error! The server %s is not responding' % config.server) except (ProjectNotFound, TaskNotFound): raise
add_helpingmaterials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, helping_file, helping_type):\n try:\n project = find_project_by_short_name(config.project['short_name'],\n config.pbclient, config...
def x(config, task_id, limit=100, offset=0): try: project = find_project_by_short_name(config.project['short_name'], config.pbclient, config.all) if task_id: response = config.pbclient.delete_task(task_id) check_api_error(response) return ( 'Task.id = %s and its associated task_runs have been deleted' % task_id) else: limit = limit offset = offset tasks = config.pbclient.get_tasks(project.id, limit, offset) while len(tasks) > 0: for t in tasks: response = config.pbclient.delete_task(t.id) check_api_error(response) offset += limit tasks = config.pbclient.get_tasks(project.id, limit, offset) return 'All tasks and task_runs have been deleted' except exceptions.ConnectionError: return ('Connection Error! The server %s is not responding' % config.server) except (ProjectNotFound, TaskNotFound): raise
delete_tasks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_id, limit=100, offset=0):\n try:\n project = find_project_by_short_name(config.project['short_name'],\n config.pbclient, conf...
def x(config, task_id, redundancy, limit=300, offset=0): try: project = find_project_by_short_name(config.project['short_name'], config.pbclient, config.all) if task_id: response = config.pbclient.find_tasks(project.id, id=task_id) check_api_error(response) task = response[0] task.n_answers = redundancy response = config.pbclient.update_task(task) check_api_error(response) msg = 'Task.id = %s redundancy has been updated to %s' % (task_id, redundancy) return msg else: limit = limit offset = offset tasks = config.pbclient.get_tasks(project.id, limit, offset) with click.progressbar(tasks, label='Updating Tasks') as pgbar: while len(tasks) > 0: for t in pgbar: t.n_answers = redundancy response = config.pbclient.update_task(t) check_api_error(response) sleep, msg = enable_auto_throttling(config, tasks) if sleep: time.sleep(sleep) offset += limit tasks = config.pbclient.get_tasks(project.id, limit, offset ) return 'All tasks redundancy have been updated' except exceptions.ConnectionError: return ('Connection Error! The server %s is not responding' % config.server) except (ProjectNotFound, TaskNotFound): raise
update_tasks_redundancy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, task_id, redundancy, limit=300, offset=0):\n try:\n project = find_project_by_short_name(config.project['short_name'],\n config.pb...
def x(short_name, pbclient, all=None): try: response = pbclient.find_project(short_name=short_name, all=all) check_api_error(response) if len(response) == 0: msg = ( '%s not found! You can use the all=1 argument to search in all the server.' ) error = 'Project Not Found' raise ProjectNotFound(msg, error) return response[0] except exceptions.ConnectionError: raise except ProjectNotFound: raise
find_project_by_short_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(short_name, pbclient, all=None):\n try:\n response = pbclient.find_project(short_name=short_name, all=all)\n check_api_error(response)\n ...
def x(task): task_info = None if task.get('info'): task_info = task['info'] else: task_info = task return task_info
create_task_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(task):\n task_info = None\n if task.get('info'):\n task_info = task['info']\n else:\n task_info = task\n return task_info\n", "ro...
def x(helping): helping_info = None file_path = None if helping.get('info'): helping_info = helping['info'] else: helping_info = helping if helping_info.get('file_path'): file_path = helping_info.get('file_path') del helping_info['file_path'] return helping_info, file_path
create_helping_material_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(helping):\n helping_info = None\n file_path = None\n if helping.get('info'):\n helping_info = helping['info']\n else:\n helping_info ...
def x(self, code): code_data = self.read(code) if code_data is None: raise AuthCodeNotFound return AuthorizationCode(**code_data)
fetch_by_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code):\n code_data = self.read(code)\n if code_data is None:\n raise AuthCodeNotFound\n return AuthorizationCode(**code_data)\n", "ro...
def x(self, authorization_code): self.write(authorization_code.code, {'client_id': authorization_code. client_id, 'code': authorization_code.code, 'expires_at': authorization_code.expires_at, 'redirect_uri': authorization_code. redirect_uri, 'scopes': authorization_code.scopes, 'data': authorization_code.data, 'user_id': authorization_code.user_id})
save_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, authorization_code):\n self.write(authorization_code.code, {'client_id': authorization_code.\n client_id, 'code': authorization_code.code, 'exp...
def x(self, access_token): self.write(access_token.token, access_token.__dict__) unique_token_key = self._unique_token_key(access_token.client_id, access_token.grant_type, access_token.user_id) self.write(unique_token_key, access_token.__dict__) if access_token.refresh_token is not None: self.write(access_token.refresh_token, access_token.__dict__)
save_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_token):\n self.write(access_token.token, access_token.__dict__)\n unique_token_key = self._unique_token_key(access_token.client_id,\n ...
def x(self, refresh_token): access_token = self.fetch_by_refresh_token(refresh_token) self.delete(access_token.token)
delete_refresh_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh_token):\n access_token = self.fetch_by_refresh_token(refresh_token)\n self.delete(access_token.token)\n", "role": "user" }, { "...
def x(self, client_id, client_secret, redirect_uris, authorized_grants=None, authorized_response_types=None): self.write(client_id, {'identifier': client_id, 'secret': client_secret, 'redirect_uris': redirect_uris, 'authorized_grants': authorized_grants, 'authorized_response_types': authorized_response_types}) return True
add_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id, client_secret, redirect_uris, authorized_grants=None,\n authorized_response_types=None):\n self.write(client_id, {'identifier': client_i...
def x(self, grant_type): result = {'access_token': self.generate(), 'token_type': 'Bearer'} if self.expires_in.get(grant_type, 0) > 0: result['refresh_token'] = self.generate() result['expires_in'] = self.expires_in[grant_type] return result
create_access_token_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, grant_type):\n result = {'access_token': self.generate(), 'token_type': 'Bearer'}\n if self.expires_in.get(grant_type, 0) > 0:\n result['ref...
def x(self): random_data = os.urandom(100) hash_gen = hashlib.new('sha512') hash_gen.update(random_data) return hash_gen.hexdigest()[:self.token_length]
generate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n random_data = os.urandom(100)\n hash_gen = hashlib.new('sha512')\n hash_gen.update(random_data)\n return hash_gen.hexdigest()[:self.token_...
def x(self): if self.token is None: return '301 Moved', '', {'Location': '/login'} return '200 OK', self.TOKEN_TEMPLATE.format(access_token=self.token[ 'access_token']), {'Content-Type': 'text/html'}
display_token
[ { "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.token is None:\n return '301 Moved', '', {'Location': '/login'}\n return '200 OK', self.TOKEN_TEMPLATE.format(access_token=self.t...
def x(self, failed=False): if failed: content = self.LOGIN_TEMPLATE.format(failed_message='Login failed') else: content = self.LOGIN_TEMPLATE.format(failed_message='') return '200 OK', content, {'Content-Type': 'text/html'}
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, failed=False):\n if failed:\n content = self.LOGIN_TEMPLATE.format(failed_message='Login failed')\n else:\n content = self.LOGIN_TEMP...
def x(self, client_id, client_secret, redirect_uris, authorized_grants=None, authorized_response_types=None): self.clients[client_id] = Client(identifier=client_id, secret= client_secret, redirect_uris=redirect_uris, authorized_grants= authorized_grants, authorized_response_types=authorized_response_types) return True
add_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id, client_secret, redirect_uris, authorized_grants=None,\n authorized_response_types=None):\n self.clients[client_id] = Client(identifier=c...
def x(self, client_id): if client_id not in self.clients: raise ClientNotFoundError return self.clients[client_id]
fetch_by_client_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id):\n if client_id not in self.clients:\n raise ClientNotFoundError\n return self.clients[client_id]\n", "role": "user" }, {...
def x(self, code): if code not in self.auth_codes: raise AuthCodeNotFound return self.auth_codes[code]
fetch_by_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code):\n if code not in self.auth_codes:\n raise AuthCodeNotFound\n return self.auth_codes[code]\n", "role": "user" }, { "conten...
def x(self, access_token): self.access_tokens[access_token.token] = access_token unique_token_key = self._unique_token_key(access_token.client_id, access_token.grant_type, access_token.user_id) self.unique_token_identifier[unique_token_key] = access_token.token if access_token.refresh_token is not None: self.refresh_tokens[access_token.refresh_token] = access_token return True
save_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_token):\n self.access_tokens[access_token.token] = access_token\n unique_token_key = self._unique_token_key(access_token.client_id,\n ...
def x(self, refresh_token): if refresh_token not in self.refresh_tokens: raise AccessTokenNotFound return self.refresh_tokens[refresh_token]
fetch_by_refresh_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh_token):\n if refresh_token not in self.refresh_tokens:\n raise AccessTokenNotFound\n return self.refresh_tokens[refresh_token]\n", ...
def x(self, grant): if hasattr(grant, 'expires_in'): self.token_generator.expires_in[grant.grant_type] = grant.expires_in if hasattr(grant, 'refresh_expires_in'): self.token_generator.refresh_expires_in = grant.refresh_expires_in self.grant_types.append(grant)
add_grant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, grant):\n if hasattr(grant, 'expires_in'):\n self.token_generator.expires_in[grant.grant_type] = grant.expires_in\n if hasattr(grant, 'refre...
def x(self, request, environ): try: grant_type = self._determine_grant_type(request) response = self.response_class() grant_type.read_validate_params(request) return grant_type.process(request, response, environ) except OAuthInvalidNoRedirectError: response = self.response_class() response.add_header('Content-Type', 'application/json') response.status_code = 400 response.body = json.dumps({'error': 'invalid_redirect_uri', 'error_description': 'Invalid redirect URI'}) return response except OAuthInvalidError as err: response = self.response_class() return grant_type.handle_error(error=err, response=response) except UnsupportedGrantError: response = self.response_class() response.add_header('Content-Type', 'application/json') response.status_code = 400 response.body = json.dumps({'error': 'unsupported_response_type', 'error_description': 'Grant not supported'}) return response except: app_log.error('Uncaught Exception', exc_info=True) response = self.response_class() return grant_type.handle_error(error=OAuthInvalidError(error= 'server_error', explanation='Internal server error'), response= response)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, environ):\n try:\n grant_type = self._determine_grant_type(request)\n response = self.response_class()\n grant_type.read...
def x(self): for grant_type in self.grant_types: if hasattr(grant_type, 'unique_token'): grant_type.unique_token = True
enable_unique_tokens
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for grant_type in self.grant_types:\n if hasattr(grant_type, 'unique_token'):\n grant_type.unique_token = True\n", "role": "u...
def x(self, name, default=None): wsgi_header = 'HTTP_{0}'.format(name.upper()) try: return self.env_raw[wsgi_header] except KeyError: return default
header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, default=None):\n wsgi_header = 'HTTP_{0}'.format(name.upper())\n try:\n return self.env_raw[wsgi_header]\n except KeyError:\n ...
def x(request): client_id = request.post_param('client_id') if client_id is None: raise OAuthInvalidError(error='invalid_request', explanation= 'Missing client identifier') client_secret = request.post_param('client_secret') if client_secret is None: raise OAuthInvalidError(error='invalid_request', explanation= 'Missing client credentials') return client_id, client_secret
request_body
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n client_id = request.post_param('client_id')\n if client_id is None:\n raise OAuthInvalidError(error='invalid_request', explanation=\n ...
def x(request): auth_header = request.header('authorization') if auth_header is None: raise OAuthInvalidError(error='invalid_request', explanation= 'Authorization header is missing') auth_parts = auth_header.strip().encode('latin1').split(None) if auth_parts[0].strip().lower() != b'basic': raise OAuthInvalidError(error='invalid_request', explanation= 'Provider supports basic authentication only') client_id, client_secret = b64decode(auth_parts[1]).split(b':', 1) return client_id.decode('latin1'), client_secret.decode('latin1')
http_basic_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n auth_header = request.header('authorization')\n if auth_header is None:\n raise OAuthInvalidError(error='invalid_request', explanation...
def x(self, request): client_id = request.get_param('client_id') if client_id is None: raise OAuthInvalidNoRedirectError(error='missing_client_id') try: client = self.client_store.fetch_by_client_id(client_id) except ClientNotFoundError: raise OAuthInvalidNoRedirectError(error='unknown_client') redirect_uri = request.get_param('redirect_uri') if redirect_uri is not None: try: client.redirect_uri = redirect_uri except RedirectUriUnknown: raise OAuthInvalidNoRedirectError(error='invalid_redirect_uri') return client
by_identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n client_id = request.get_param('client_id')\n if client_id is None:\n raise OAuthInvalidNoRedirectError(error='missing_client_id'...
def x(self, request): client_id, client_secret = self.source(request=request) try: client = self.client_store.fetch_by_client_id(client_id) except ClientNotFoundError: raise OAuthInvalidError(error='invalid_client', explanation= 'No client could be found') grant_type = request.post_param('grant_type') if client.grant_type_supported(grant_type) is False: raise OAuthInvalidError(error='unauthorized_client', explanation= 'The client is not allowed to use this grant type') if client.secret != client_secret: raise OAuthInvalidError(error='invalid_client', explanation= 'Invalid client credentials') return client
by_identifier_secret
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n client_id, client_secret = self.source(request=request)\n try:\n client = self.client_store.fetch_by_client_id(client_id)\n e...
def x(self): time_left = self.expires_at - int(time.time()) if time_left > 0: return time_left return 0
expires_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n time_left = self.expires_at - int(time.time())\n if time_left > 0:\n return time_left\n return 0\n", "role": "user" }, { "...
def x(self, query, *params): cursor = self.connection.cursor() try: cursor.execute(query, params) self.connection.commit() return cursor.lastrowid finally: cursor.close()
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, *params):\n cursor = self.connection.cursor()\n try:\n cursor.execute(query, params)\n self.connection.commit()\n retur...
def x(self, query, *args): cursor = self.connection.cursor() try: cursor.execute(query, args) return cursor.fetchone() finally: cursor.close()
fetchone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, *args):\n cursor = self.connection.cursor()\n try:\n cursor.execute(query, args)\n return cursor.fetchone()\n finally:\n ...
def x(self, query, *args): cursor = self.connection.cursor() try: cursor.execute(query, args) return cursor.fetchall() finally: cursor.close()
fetchall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query, *args):\n cursor = self.connection.cursor()\n try:\n cursor.execute(query, args)\n return cursor.fetchall()\n finally:\n ...
def x(self, refresh_token): row = self.fetchone(self.fetch_by_refresh_token_query, refresh_token) if row is None: raise AccessTokenNotFound scopes = self._fetch_scopes(access_token_id=row[0]) data = self._fetch_data(access_token_id=row[0]) return self._row_to_token(data=data, scopes=scopes, row=row)
fetch_by_refresh_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh_token):\n row = self.fetchone(self.fetch_by_refresh_token_query, refresh_token)\n if row is None:\n raise AccessTokenNotFound\n s...
def x(self, client_id, grant_type, user_id): token_data = self.fetchone(self.fetch_existing_token_of_user_query, client_id, grant_type, user_id) if token_data is None: raise AccessTokenNotFound scopes = self._fetch_scopes(access_token_id=token_data[0]) data = self._fetch_data(access_token_id=token_data[0]) return self._row_to_token(data=data, scopes=scopes, row=token_data)
fetch_existing_token_of_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id, grant_type, user_id):\n token_data = self.fetchone(self.fetch_existing_token_of_user_query,\n client_id, grant_type, user_id)\n i...
def x(self, access_token): access_token_id = self.execute(self.create_access_token_query, access_token.client_id, access_token.grant_type, access_token.token, access_token.expires_at, access_token.refresh_token, access_token. refresh_expires_at, access_token.user_id) for key, value in list(access_token.data.items()): self.execute(self.create_data_query, key, value, access_token_id) for scope in access_token.scopes: self.execute(self.create_scope_query, scope, access_token_id) return True
save_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_token):\n access_token_id = self.execute(self.create_access_token_query,\n access_token.client_id, access_token.grant_type, access_token...
def x(self, code): auth_code_data = self.fetchone(self.fetch_code_query, code) if auth_code_data is None: raise AuthCodeNotFound data = dict() data_result = self.fetchall(self.fetch_data_query, auth_code_data[0]) if data_result is not None: for dataset in data_result: data[dataset[0]] = dataset[1] scopes = [] scope_result = self.fetchall(self.fetch_scopes_query, auth_code_data[0]) if scope_result is not None: for scope_set in scope_result: scopes.append(scope_set[0]) return AuthorizationCode(client_id=auth_code_data[1], code= auth_code_data[2], expires_at=auth_code_data[3], redirect_uri= auth_code_data[4], scopes=scopes, data=data, user_id=auth_code_data[5])
fetch_by_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code):\n auth_code_data = self.fetchone(self.fetch_code_query, code)\n if auth_code_data is None:\n raise AuthCodeNotFound\n data = dict(...
def x(self, authorization_code): auth_code_id = self.execute(self.create_auth_code_query, authorization_code.client_id, authorization_code.code, authorization_code.expires_at, authorization_code.redirect_uri, authorization_code.user_id) for key, value in list(authorization_code.data.items()): self.execute(self.create_data_query, key, value, auth_code_id) for scope in authorization_code.scopes: self.execute(self.create_scope_query, scope, auth_code_id) return True
save_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, authorization_code):\n auth_code_id = self.execute(self.create_auth_code_query,\n authorization_code.client_id, authorization_code.code,\n ...
def x(self, client_id): grants = None redirect_uris = None response_types = None client_data = self.fetchone(self.fetch_client_query, client_id) if client_data is None: raise ClientNotFoundError grant_data = self.fetchall(self.fetch_grants_query, client_data[0]) if grant_data: grants = [] for grant in grant_data: grants.append(grant[0]) redirect_uris_data = self.fetchall(self.fetch_redirect_uris_query, client_data[0]) if redirect_uris_data: redirect_uris = [] for redirect_uri in redirect_uris_data: redirect_uris.append(redirect_uri[0]) response_types_data = self.fetchall(self.fetch_response_types_query, client_data[0]) if response_types_data: response_types = [] for response_type in response_types_data: response_types.append(response_type[0]) return Client(identifier=client_data[1], secret=client_data[2], authorized_grants=grants, authorized_response_types=response_types, redirect_uris=redirect_uris)
fetch_by_client_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id):\n grants = None\n redirect_uris = None\n response_types = None\n client_data = self.fetchone(self.fetch_client_query, client_id)\...
def x(self, code): code_data = self.mc.get(self._generate_cache_key(code)) if code_data is None: raise AuthCodeNotFound return AuthorizationCode(**code_data)
fetch_by_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code):\n code_data = self.mc.get(self._generate_cache_key(code))\n if code_data is None:\n raise AuthCodeNotFound\n return AuthorizationC...
def x(self, authorization_code): key = self._generate_cache_key(authorization_code.code) self.mc.set(key, {'client_id': authorization_code.client_id, 'code': authorization_code.code, 'expires_at': authorization_code. expires_at, 'redirect_uri': authorization_code.redirect_uri, 'scopes': authorization_code.scopes, 'data': authorization_code. data, 'user_id': authorization_code.user_id})
save_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, authorization_code):\n key = self._generate_cache_key(authorization_code.code)\n self.mc.set(key, {'client_id': authorization_code.client_id, 'code...
def x(self, access_token): key = self._generate_cache_key(access_token.token) self.mc.set(key, access_token.__dict__) unique_token_key = self._unique_token_key(access_token.client_id, access_token.grant_type, access_token.user_id) self.mc.set(self._generate_cache_key(unique_token_key), access_token. __dict__) if access_token.refresh_token is not None: rft_key = self._generate_cache_key(access_token.refresh_token) self.mc.set(rft_key, access_token.__dict__)
save_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, access_token):\n key = self._generate_cache_key(access_token.token)\n self.mc.set(key, access_token.__dict__)\n unique_token_key = self._unique_...
def x(self, refresh_token): access_token = self.fetch_by_refresh_token(refresh_token) self.mc.delete(self._generate_cache_key(access_token.token)) self.mc.delete(self._generate_cache_key(refresh_token))
delete_refresh_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, refresh_token):\n access_token = self.fetch_by_refresh_token(refresh_token)\n self.mc.delete(self._generate_cache_key(access_token.token))\n sel...
def x(scopes, use_quote=False): scopes_as_string = Scope.separator.join(scopes) if use_quote: return quote(scopes_as_string) return scopes_as_string
encode_scopes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scopes, use_quote=False):\n scopes_as_string = Scope.separator.join(scopes)\n if use_quote:\n return quote(scopes_as_string)\n return scopes_as...
def x(error, response, status_code=400): msg = {'error': error.error, 'error_description': error.explanation} response.status_code = status_code response.add_header('Content-Type', 'application/json') response.body = json.dumps(msg) return response
json_error_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(error, response, status_code=400):\n msg = {'error': error.error, 'error_description': error.explanation}\n response.status_code = status_code\n respo...
def x(data, response): response.body = json.dumps(data) response.status_code = 200 response.add_header('Content-Type', 'application/json') response.add_header('Cache-Control', 'no-store') response.add_header('Pragma', 'no-cache')
json_success_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, response):\n response.body = json.dumps(data)\n response.status_code = 200\n response.add_header('Content-Type', 'application/json')\n respon...
def x(self, previous_scopes): for scope in self.scopes: if scope not in previous_scopes: raise OAuthInvalidError(error='invalid_scope', explanation= 'Invalid scope parameter in request') return True
compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, previous_scopes):\n for scope in self.scopes:\n if scope not in previous_scopes:\n raise OAuthInvalidError(error='invalid_scope', ex...
def x(self, request, source): if source == 'body': req_scope = request.post_param('scope') elif source == 'query': req_scope = request.get_param('scope') else: raise ValueError("Unknown scope source '" + source + "'") if req_scope is None: if self.default is not None: self.scopes = [self.default] self.send_back = True return elif len(self.available_scopes) != 0: raise OAuthInvalidError(error='invalid_scope', explanation= 'Missing scope parameter in request') else: return req_scopes = req_scope.split(self.separator) self.scopes = [scope for scope in req_scopes if scope in self. available_scopes] if len(self.scopes) == 0 and self.default is not None: self.scopes = [self.default] self.send_back = True
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, source):\n if source == 'body':\n req_scope = request.post_param('scope')\n elif source == 'query':\n req_scope = request.ge...
def x(self, request): self.client = self.client_authenticator.by_identifier(request) response_type = request.get_param('response_type') if self.client.response_type_supported(response_type) is False: raise OAuthInvalidError(error='unauthorized_client') self.state = request.get_param('state') self.scope_handler.parse(request, 'query') return True
read_validate_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n self.client = self.client_authenticator.by_identifier(request)\n response_type = request.get_param('response_type')\n if self.client...
def x(self, request, response, environ, scopes): if self.site_adapter.user_has_denied_access(request) is True: raise OAuthInvalidError(error='access_denied', explanation= 'Authorization denied by user') try: result = self.site_adapter.authenticate(request, environ, scopes, self.client) return self.sanitize_return_value(result) except UserNotAuthenticated: return self.site_adapter.render_auth_page(request, response, environ, scopes, self.client)
authorize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response, environ, scopes):\n if self.site_adapter.user_has_denied_access(request) is True:\n raise OAuthInvalidError(error='access_de...
def x(self, request, response, environ): data = self.authorize(request, response, environ, self.scope_handler.scopes ) if isinstance(data, Response): return data code = self.token_generator.generate() expires = int(time.time()) + self.token_expiration auth_code = AuthorizationCode(client_id=self.client.identifier, code= code, expires_at=expires, redirect_uri=self.client.redirect_uri, scopes=self.scope_handler.scopes, data=data[0], user_id=data[1]) self.auth_code_store.save_code(auth_code) response.add_header('Location', self._generate_location(code)) response.body = '' response.status_code = 302 return response
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response, environ):\n data = self.authorize(request, response, environ, self.scope_handler.scopes\n )\n if isinstance(data, Respons...
def x(self, error, response): query_params = {'error': error.error} query = urlencode(query_params) location = '%s?%s' % (self.client.redirect_uri, query) response.status_code = 302 response.body = '' response.add_header('Location', location) return response
handle_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, error, response):\n query_params = {'error': error.error}\n query = urlencode(query_params)\n location = '%s?%s' % (self.client.redirect_uri, qu...
def x(self, request, response, environ): token_data = self.create_token(client_id=self.client.identifier, data= self.data, grant_type=AuthorizationCodeGrant.grant_type, scopes= self.scopes, user_id=self.user_id) self.auth_code_store.delete_code(self.code) if self.scopes: token_data['scope'] = encode_scopes(self.scopes) json_success_response(data=token_data, response=response) return response
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response, environ):\n token_data = self.create_token(client_id=self.client.identifier, data=\n self.data, grant_type=AuthorizationCode...
def x(self, request, response, environ): try: data = self.site_adapter.authenticate(request, environ, self. scope_handler.scopes, self.client) data = AuthorizeMixin.sanitize_return_value(data) except UserNotAuthenticated: raise OAuthInvalidError(error='invalid_client', explanation=self. OWNER_NOT_AUTHENTICATED) if isinstance(data, Response): return data token_data = self.create_token(client_id=self.client.identifier, data= data[0], grant_type=ResourceOwnerGrant.grant_type, scopes=self. scope_handler.scopes, user_id=data[1]) if self.scope_handler.send_back: token_data['scope'] = encode_scopes(self.scope_handler.scopes) json_success_response(data=token_data, response=response) return response
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response, environ):\n try:\n data = self.site_adapter.authenticate(request, environ, self.\n scope_handler.scopes, self.cli...
def x(self, request): self.client = self.client_authenticator.by_identifier_secret(request) self.password = request.post_param('password') self.username = request.post_param('username') self.scope_handler.parse(request=request, source='body') return True
read_validate_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n self.client = self.client_authenticator.by_identifier_secret(request)\n self.password = request.post_param('password')\n self.userna...
def x(self, request, response, environ): token_data = self.token_generator.create_access_token_data(self. refresh_grant_type) expires_at = int(time.time()) + token_data['expires_in'] access_token = AccessToken(client_id=self.client.identifier, token= token_data['access_token'], grant_type=self.refresh_grant_type, data=self.data, expires_at=expires_at, scopes=self.scope_handler. scopes, user_id=self.user_id) if self.reissue_refresh_tokens: self.access_token_store.delete_refresh_token(self.refresh_token) access_token.refresh_token = token_data['refresh_token'] refresh_expires_in = self.token_generator.refresh_expires_in refresh_expires_at = int(time.time()) + refresh_expires_in access_token.refresh_expires_at = refresh_expires_at else: del token_data['refresh_token'] self.access_token_store.save_token(access_token) json_success_response(data=token_data, response=response) return response
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, response, environ):\n token_data = self.token_generator.create_access_token_data(self.\n refresh_grant_type)\n expires_at = int(tim...
def x(self, request): self.refresh_token = request.post_param('refresh_token') if self.refresh_token is None: raise OAuthInvalidError(error='invalid_request', explanation= 'Missing refresh_token in request body') self.client = self.client_authenticator.by_identifier_secret(request) try: access_token = self.access_token_store.fetch_by_refresh_token(self. refresh_token) except AccessTokenNotFound: raise OAuthInvalidError(error='invalid_request', explanation= 'Invalid refresh token') refresh_token_expires_at = access_token.refresh_expires_at self.refresh_grant_type = access_token.grant_type if refresh_token_expires_at != 0 and refresh_token_expires_at < int(time .time()): raise OAuthInvalidError(error='invalid_request', explanation= 'Invalid refresh token') self.data = access_token.data self.user_id = access_token.user_id self.scope_handler.parse(request, 'body') self.scope_handler.compare(access_token.scopes) return True
read_validate_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n self.refresh_token = request.post_param('refresh_token')\n if self.refresh_token is None:\n raise OAuthInvalidError(error='inval...
def x(obj, path): val = obj for part in path.split('.'): match = re.match(list_index_re, part) if match is not None: val = _extract(val, match.group(1)) if not isinstance(val, list) and not isinstance(val, tuple): raise TypeError('expected list/tuple') index = int(match.group(2)) val = val[index] else: val = _extract(val, part) if val is None: return None return val
value_for_keypath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, path):\n val = obj\n for part in path.split('.'):\n match = re.match(list_index_re, part)\n if match is not None:\n val = _...
def x(obj, path, new_value, preserve_child=False): parts = path.split('.') last_part = len(parts) - 1 dst = obj for i, part in enumerate(parts): match = re.match(list_index_re, part) if match is not None: dst = _extract(dst, match.group(1)) if not isinstance(dst, list) and not isinstance(dst, tuple): raise TypeError('expected list/tuple') index = int(match.group(2)) if i == last_part: dst[index] = new_value else: dst = dst[index] elif i != last_part: dst = _extract(dst, part) elif isinstance(dst, dict): dst[part] = new_value elif not preserve_child: setattr(dst, part, new_value) else: try: v = getattr(dst, part) except AttributeError: setattr(dst, part, new_value)
set_value_for_keypath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, path, new_value, preserve_child=False):\n parts = path.split('.')\n last_part = len(parts) - 1\n dst = obj\n for i, part in enumerate(parts):\...
def x(image_name): image = resource.get_image(image_name) if not image: return None return ImageView(pygame.Rect(0, 0, 0, 0), image)
view_for_image_named
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(image_name):\n image = resource.get_image(image_name)\n if not image:\n return None\n return ImageView(pygame.Rect(0, 0, 0, 0), image)\n", ...
def x(argv, version=DEFAULT_VERSION): tarball = download_setuptools() _install(tarball, _build_install_args(argv))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argv, version=DEFAULT_VERSION):\n tarball = download_setuptools()\n _install(tarball, _build_install_args(argv))\n", "role": "user" }, { "con...
def x(surface, color, gradient, rect=None, vertical=True, forward=True): if rect is None: rect = surface.get_rect() x1, x2 = rect.left, rect.right y1, y2 = rect.top, rect.bottom if vertical: h = y2 - y1 else: h = x2 - x1 assert h > 0 if forward: a, b = color, gradient else: b, a = color, gradient rate = float(b[0] - a[0]) / h, float(b[1] - a[1]) / h, float(b[2] - a[2] ) / h fn_line = pygame.draw.line if vertical: for line in range(y1, y2): color = min(max(a[0] + rate[0] * (line - y1), 0), 255), min(max (a[1] + rate[1] * (line - y1), 0), 255), min(max(a[2] + rate[2] * (line - y1), 0), 255) fn_line(surface, color, (x1, line), (x2, line)) else: for col in range(x1, x2): color = min(max(a[0] + rate[0] * (col - x1), 0), 255), min(max( a[1] + rate[1] * (col - x1), 0), 255), min(max(a[2] + rate[ 2] * (col - x1), 0), 255) fn_line(surface, color, (col, y1), (col, y2))
fill_gradient
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(surface, color, gradient, rect=None, vertical=True, forward=True):\n if rect is None:\n rect = surface.get_rect()\n x1, x2 = rect.left, rect.right...
def x(self): self.frame.size = self.text_size[0] + self.padding[0] * 2, self.text_size[1 ] + self.padding[1] * 2
shrink_wrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.frame.size = self.text_size[0] + self.padding[0] * 2, self.text_size[1\n ] + self.padding[1] * 2\n", "role": "user" }, { "c...
def x(self): if self.shadowed: shadow_size = theme.current.shadow_size shadowed_frame_size = (self.frame.w + shadow_size, self.frame.h + shadow_size) self.surface = pygame.Surface(shadowed_frame_size, pygame.SRCALPHA, 32) shadow_image = resource.get_image('shadow') self.shadow_image = resource.scale_image(shadow_image, shadowed_frame_size) else: self.surface = pygame.Surface(self.frame.size, pygame.SRCALPHA, 32) self.shadow_image = None
layout
[ { "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.shadowed:\n shadow_size = theme.current.shadow_size\n shadowed_frame_size = (self.frame.w + shadow_size, self.frame.h +\n ...
def x(self): for child in self.children: child.stylize() style = theme.current.get_dict(self) preserve_child = False try: preserve_child = getattr(theme.current, 'preserve_child') except: preserve_child = False for key, val in style.iteritems(): kvc.set_value_for_keypath(self, key, val, preserve_child) self.layout()
stylize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for child in self.children:\n child.stylize()\n style = theme.current.get_dict(self)\n preserve_child = False\n try:\n prese...
def x(self): if self.hidden: return False if self.background_color is not None: render.fillrect(self.surface, self.background_color, rect=pygame. Rect((0, 0), self.frame.size)) for child in self.children: if not child.hidden: child.draw() topleft = child.frame.topleft if child.shadowed: shadow_size = theme.current.shadow_size shadow_topleft = topleft[0] - shadow_size // 2, topleft[1 ] - shadow_size // 2 self.surface.blit(child.shadow_image, shadow_topleft) self.surface.blit(child.surface, topleft) if child.border_color and child.border_widths is not None: if type(child.border_widths ) is int and child.border_widths > 0: pygame.draw.rect(self.surface, child.border_color, child.frame, child.border_widths) else: tw, lw, bw, rw = child.get_border_widths() tl = child.frame.left, child.frame.top tr = child.frame.right - 1, child.frame.top bl = child.frame.left, child.frame.bottom - 1 br = child.frame.right - 1, child.frame.bottom - 1 if tw > 0: pygame.draw.line(self.surface, child.border_color, tl, tr, tw) if lw > 0: pygame.draw.line(self.surface, child.border_color, tl, bl, lw) if bw > 0: pygame.draw.line(self.surface, child.border_color, bl, br, bw) if rw > 0: pygame.draw.line(self.surface, child.border_color, tr, br, rw) return True
draw
[ { "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.hidden:\n return False\n if self.background_color is not None:\n render.fillrect(self.surface, self.background_color, rect...
def x(self): if type(self.border_widths) is int: return [self.border_widths] * 4 return self.border_widths
get_border_widths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if type(self.border_widths) is int:\n return [self.border_widths] * 4\n return self.border_widths\n", "role": "user" }, { "co...
def x(self, pt): if self.hidden or not self._enabled: return None if not self.frame.collidepoint(pt): return None local_pt = pt[0] - self.frame.topleft[0], pt[1] - self.frame.topleft[1] for child in reversed(self.children): hit_view = child.hit(local_pt) if hit_view is not None: return hit_view return self
hit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pt):\n if self.hidden or not self._enabled:\n return None\n if not self.frame.collidepoint(pt):\n return None\n local_pt = pt[0] -...