source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, obj): if not isinstance(obj, dict): raise TypeError('Add object should be a dict object') obj = self.validation(obj) obj['id'] = self.maxId + 1 obj = self._cast_model(obj) self.model.db.append(obj) if not self._batch.enable.is_set(): self.model.save_db() return obj
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if not isinstance(obj, dict):\n raise TypeError('Add object should be a dict object')\n obj = self.validation(obj)\n obj['id'] = ...
def x(self, id): for obj in self.model.db: if obj['id'] == id: return self._cast_model(obj) return None
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n for obj in self.model.db:\n if obj['id'] == id:\n return self._cast_model(obj)\n return None\n", "role": "user" }, ...
def x(self, id): before_len = len(self.model.db) self.model.db = [t for t in self.model.db if t['id'] != id] if not self._batch.enable.is_set(): self.model.save_db() return before_len - len(self.model.db)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n before_len = len(self.model.db)\n self.model.db = [t for t in self.model.db if t['id'] != id]\n if not self._batch.enable.is_set():\n ...
def x(self): before_len = len(self.model.db) self.model.db = [] if not self._batch.enable.is_set(): self.model.save_db() return before_len - len(self.model.db)
removeAll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n before_len = len(self.model.db)\n self.model.db = []\n if not self._batch.enable.is_set():\n self.model.save_db()\n return before_l...
def x(self, id, newObj): newObj = self.validation(newObj) for obj in self.model.db: if obj['id'] != id: continue newObj.pop('id', None) obj.update(newObj) obj = self._cast_model(obj) if not self._batch.enable.is_set(): self.model.save_db() return obj return None
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, newObj):\n newObj = self.validation(newObj)\n for obj in self.model.db:\n if obj['id'] != id:\n continue\n newObj.pop(...
def x(self, id, newObj): newObj = self.validation(newObj) for index in xrange(0, len(self.model.db)): if self.model.db[index]['id'] != id: continue newObj['id'] = id self.model.db[index] = self._cast_model(newObj) if not self._batch.enable.is_set(): self.model.save_db() return self.model.db[index] return None
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, newObj):\n newObj = self.validation(newObj)\n for index in xrange(0, len(self.model.db)):\n if self.model.db[index]['id'] != id:\n ...
def x(self): objs = [] for obj in self.model.db: objs.append(self._cast_model(obj)) return objs
getAll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n objs = []\n for obj in self.model.db:\n objs.append(self._cast_model(obj))\n return objs\n", "role": "user" }, { "content"...
def x(self): new_len = max(len(self._buf[0]) * 2, len(self._buf[0]) + len(self._buf[1])) self._merge_prefix(new_len)
double_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n new_len = max(len(self._buf[0]) * 2, len(self._buf[0]) + len(self._buf[1]))\n self._merge_prefix(new_len)\n", "role": "user" }, { "c...
def x(self, size): if len(self._buf) == 1 and len(self._buf[0]) <= size: return prefix = [] remaining = size while self._buf and remaining > 0: chunk = self._buf.popleft() if len(chunk) > remaining: self._buf.appendleft(chunk[remaining:]) chunk = chunk[:remaining] prefix.append(chunk) remaining -= len(chunk) if prefix: self._buf.appendleft(b''.join(prefix)) if not self._buf: self._buf.appendleft(b'')
merge_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size):\n if len(self._buf) == 1 and len(self._buf[0]) <= size:\n return\n prefix = []\n remaining = size\n while self._buf and remaini...
def x(): now = timezone.now() qs = SpecialCoverage.objects.filter(tunic_campaign_id__isnull=False) return qs.filter(start_date__lte=now, end_date__gt=now) | qs.filter( start_date__lte=now, end_date__isnull=True)
get_sponsored_special_coverages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n now = timezone.now()\n qs = SpecialCoverage.objects.filter(tunic_campaign_id__isnull=False)\n return qs.filter(start_date__lte=now, end_date__gt=...
def x(only_recent=False): special_coverages = get_sponsored_special_coverages() es_query = SearchParty(special_coverages).search() if only_recent: offset = getattr(settings, 'RECENT_SPONSORED_OFFSET_HOURS', 0) es_query = es_query.filter(Published(after=timezone.now() - timezone.timedelta(hours=offset))) return es_query
get_sponsored_special_coverage_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(only_recent=False):\n special_coverages = get_sponsored_special_coverages()\n es_query = SearchParty(special_coverages).search()\n if only_recent:\n ...
def x(self, environ, start_response): app_iter = None try: app_iter = self.app(environ, start_response) for item in app_iter: yield item if hasattr(app_iter, 'close'): app_iter.close() except Exception: if hasattr(app_iter, 'close'): app_iter.close() context = RequestContext({'environ': dict(environ)}) for injector in self.context_injectors: context.update(injector(environ)) traceback = get_current_traceback(skip=1, show_hidden_frames=self. show_hidden_frames, context=context) for frame in traceback.frames: self.frames[frame.id] = frame self.tracebacks[traceback.id] = traceback try: start_response('500 INTERNAL SERVER ERROR', [('Content-Type', 'text/html; charset=utf-8'), ('X-XSS-Protection', '0')]) except Exception: environ['wsgi.errors'].write( """Debugging middleware caught exception in streamed response at a point where response headers were already sent. """ ) else: yield traceback.render_full(evalex=self.evalex, secret=self.secret ).encode('utf-8', 'replace') log.debug(traceback.plaintext) traceback.log(environ['wsgi.errors'])
debug_application
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, environ, start_response):\n app_iter = None\n try:\n app_iter = self.app(environ, start_response)\n for item in app_iter:\n ...
def x(self, request): if 0 not in self.frames: self.frames[0] = _ConsoleFrame(self.console_init_func()) return Response(render_console_html(secret=self.secret), content_type= 'text/html')
display_console
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n if 0 not in self.frames:\n self.frames[0] = _ConsoleFrame(self.console_init_func())\n return Response(render_console_html(secret...
def x(self, request, traceback): rv = traceback.paste() return Response(json.dumps(rv), content_type='application/json')
paste_traceback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, traceback):\n rv = traceback.paste()\n return Response(json.dumps(rv), content_type='application/json')\n", "role": "user" }, { ...
def x(self, request, queryset, view): start_value = self.get_start(request) if start_value: queryset = self.apply_published_filter(queryset, 'after', start_value) end_value = self.get_end(request) if end_value: queryset = self.apply_published_filter(queryset, 'before', end_value) return queryset
filter_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, queryset, view):\n start_value = self.get_start(request)\n if start_value:\n queryset = self.apply_published_filter(queryset, 'afte...
def x(self, queryset, operation, value): if operation not in ['after', 'before']: raise ValueError( 'Publish filters only use before or after for range filters.') return queryset.filter(Published(**{operation: value}))
apply_published_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queryset, operation, value):\n if operation not in ['after', 'before']:\n raise ValueError(\n 'Publish filters only use before or af...
def x(self, request, param): if param in request.GET: param_value = request.GET.get(param, None) date_match = dateparse.date_re.match(param_value) if date_match: return timezone.datetime.combine(dateparse.parse_date( date_match.group(0)), timezone.datetime.min.time()) datetime_match = dateparse.datetime_re.match(param_value) if datetime_match: return timezone.datetime.combine(dateparse.parse_datetime( datetime_match.group(0)).date(), timezone.datetime.min.time()) return None
get_date_datetime_param
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, param):\n if param in request.GET:\n param_value = request.GET.get(param, None)\n date_match = dateparse.date_re.match(param_va...
def x(self, message, mid=None, age=60, force=True): with self.session_lock: if not hasattr(message, 'id'): message.__setattr__('id', 'event-%s' % (uuid.uuid4().hex,)) if self.session_list.get(message.id, None) is not None: if force is False: raise SessionError('Message id: %s duplicate!' % message.id) else: message = Message(message.to_dict(), generate_id=True) session = {'status': Status.CREATED, 'message': message, 'age': age, 'mid': mid, 'created_at': time(), 'is_published': Event(), 'is_resolved': Event()} self.session_list.update({message.id: session}) return session
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, mid=None, age=60, force=True):\n with self.session_lock:\n if not hasattr(message, 'id'):\n message.__setattr__('id', 'even...
def x(self, quiz_id, course_id, include=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """Associations to include with the quiz submission.""" if include is not None: self._validate_enum(include, ['submission', 'quiz', 'user']) params['include'] = include self.logger.debug( 'GET /api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions'.format( **path), data=data, params=params, no_data=True)
get_all_quiz_submissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiz_id, course_id, include=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\...
def x(self, quiz_id, course_id, access_code=None, preview=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """Access code for the Quiz, if any.""" if access_code is not None: data['access_code'] = access_code """Whether this should be a preview QuizSubmission and not count towards the user's course record. Teachers only.""" if preview is not None: data['preview'] = preview self.logger.debug( 'POST /api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions'.format( **path), data=data, params=params, no_data=True)
create_quiz_submission_start_quiz_taking_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiz_id, course_id, access_code=None, preview=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_i...
def x(self, id, quiz_id, attempt, course_id, fudge_points=None, questions=None ): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """ID""" path['id'] = id """The attempt number of the quiz submission that should be updated. This attempt MUST be already completed.""" data['attempt'] = attempt """Amount of positive or negative points to fudge the total score by.""" if fudge_points is not None: data['fudge_points'] = fudge_points """A set of scores and comments for each question answered by the student. The keys are the question IDs, and the values are hashes of `score` and `comment` entries. See {Appendix: Manual Scoring} for more on this parameter.""" if questions is not None: data['questions'] = questions self.logger.debug( 'PUT /api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions/{id}'. format(**path), data=data, params=params, no_data=True)
update_student_question_scores_and_comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, quiz_id, attempt, course_id, fudge_points=None, questions=None\n ):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['...
def x(self, id, quiz_id, attempt, course_id, validation_token, access_code=None ): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """ID""" path['id'] = id """The attempt number of the quiz submission that should be completed. Note that this must be the latest attempt index, as earlier attempts can not be modified.""" data['attempt'] = attempt """The unique validation token you received when this Quiz Submission was created.""" data['validation_token'] = validation_token """Access code for the Quiz, if any.""" if access_code is not None: data['access_code'] = access_code self.logger.debug( 'POST /api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions/{id}/complete with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/submissions/{id}/complete' .format(**path), data=data, params=params, no_data=True)
complete_quiz_submission_turn_it_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, quiz_id, attempt, course_id, validation_token, access_code=None\n ):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path[...
def x(args=None): parser = argparse.ArgumentParser(description= 'Main script to run LIVVkit.', formatter_class=argparse. ArgumentDefaultsHelpFormatter, fromfile_prefix_chars='@') parser.add_argument('-o', '--out-dir', default=os.path.join(os.getcwd(), 'vv_' + time.strftime('%Y-%m-%d')), help= 'Location to output the LIVVkit webpages.') parser.add_argument('-v', '--verify', nargs=2, default=None, help=' '. join(['Specify the locations of the test and bench bundle to', 'compare (respectively).'])) parser.add_argument('-V', '--validate', action='store', nargs='+', default=None, help=' '.join([ 'Specify the location of the configuration files for', 'validation tests.'])) parser.add_argument('-e', '--extension', action='store', nargs='+', default=None, dest='validate', metavar='EXTENSION', help=' '.join([ 'Specify the location of the configuration files for', 'LIVVkit extensions.'])) parser.add_argument('-p', '--publish', action='store_true', help=' '. join(['Also produce a publication quality copy of the figure in', 'the output directory (eps, 600d pi).'])) parser.add_argument('-s', '--serve', nargs='?', type=int, const=8000, help=' '.join([ 'Start a simple HTTP server for the output website specified', 'by OUT_DIR on port SERVE.'])) parser.add_argument('--version', action='version', version='LIVVkit {}' .format(livvkit.__version__), help= "Show LIVVkit's version number and exit") return init(parser.parse_args(args))
parse_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None):\n parser = argparse.ArgumentParser(description=\n 'Main script to run LIVVkit.', formatter_class=argparse.\n ArgumentDefaultsHelpF...
def x(options): import matplotlib matplotlib.use('agg') livvkit.output_dir = os.path.abspath(options.out_dir) livvkit.index_dir = livvkit.output_dir livvkit.verify = True if options.verify is not None else False livvkit.validate = True if options.validate is not None else False livvkit.publish = options.publish available_bundles = [mod for imp, mod, ispkg in pkgutil.iter_modules( bundles.__path__)] if options.verify is not None: livvkit.model_dir = os.path.normpath(options.verify[0]) livvkit.bench_dir = os.path.normpath(options.verify[1]) if not os.path.isdir(livvkit.model_dir): print('') print('!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!') print(' UH OH!') print('!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!') print(' Your comparison directory does not exist; please check') print(' the path:') print('\n' + livvkit.model_dir + '\n\n') sys.exit(1) if not os.path.isdir(livvkit.bench_dir): print('') print('!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!') print(' UH OH!') print('!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!') print(' Your benchmark directory does not exist; please check') print(' the path:') print('\n' + livvkit.bench_dir + '\n\n') sys.exit(1) livvkit.model_bundle = os.path.basename(livvkit.model_dir) livvkit.bench_bundle = os.path.basename(livvkit.bench_dir) if livvkit.model_bundle in available_bundles: livvkit.numerics_model_config = os.path.join(livvkit.bundle_dir, livvkit.model_bundle, 'numerics.json') livvkit.numerics_model_module = importlib.import_module('.'. join(['livvkit.bundles', livvkit.model_bundle, 'numerics'])) livvkit.verification_model_config = os.path.join(livvkit. bundle_dir, livvkit.model_bundle, 'verification.json') livvkit.verification_model_module = importlib.import_module('.' .join(['livvkit.bundles', livvkit.model_bundle, 'verification'])) livvkit.performance_model_config = os.path.join(livvkit. bundle_dir, livvkit.model_bundle, 'performance.json') else: livvkit.verify = False if options.validate is not None: livvkit.validation_model_configs = options.validate if not (livvkit.verify or livvkit.validate) and not options.serve: print('') print('!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!') print(' UH OH!') print('----------------------------------------------------------') print(' No verification or validation tests found/submitted!') print('') print(' Use either one or both of the --verify and') print(' --validate options to run tests. For more ') print(' information use the --help option, view the README') print(' or check https://livvkit.github.io/Docs/') print('!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!') print('') sys.exit(1) return options
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n import matplotlib\n matplotlib.use('agg')\n livvkit.output_dir = os.path.abspath(options.out_dir)\n livvkit.index_dir = livvkit.output_...
def x(self, account_id): path = {} data = {} params = {} """ID""" path['account_id'] = account_id self.logger.debug( 'GET /api/v1/accounts/{account_id}/group_categories with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/group_categories'.format(**path), data=data, params=params, all_pages=True)
list_group_categories_for_context_accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n self.logger.debug(\n 'GE...
def x(self, course_id): path = {} data = {} params = {} """ID""" path['course_id'] = course_id self.logger.debug( 'GET /api/v1/courses/{course_id}/group_categories with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/group_categories'.format(**path), data =data, params=params, all_pages=True)
list_group_categories_for_context_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n self.logger.debug(\n 'GET /...
def x(self, group_category_id): path = {} data = {} params = {} """ID""" path['group_category_id'] = group_category_id self.logger.debug( 'GET /api/v1/group_categories/{group_category_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/group_categories/{group_category_id}'.format(**path), data =data, params=params, single_item=True)
get_single_group_category
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_category_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_category_id'] = group_category_id\n self.logge...
def x(self, name, account_id, auto_leader=None, create_group_count=None, group_limit=None, self_signup=None, split_group_count=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """Name of the group category""" data['name'] = name """Allow students to sign up for a group themselves (Course Only). valid values are: "enabled":: allows students to self sign up for any group in course "restricted":: allows students to self sign up only for groups in the same section null disallows self sign up""" if self_signup is not None: self._validate_enum(self_signup, ['enabled', 'restricted']) data['self_signup'] = self_signup """Assigns group leaders automatically when generating and allocating students to groups Valid values are: "first":: the first student to be allocated to a group is the leader "random":: a random student from all members is chosen as the leader""" if auto_leader is not None: self._validate_enum(auto_leader, ['first', 'random']) data['auto_leader'] = auto_leader """Limit the maximum number of users in each group (Course Only). Requires self signup.""" if group_limit is not None: data['group_limit'] = group_limit """Create this number of groups (Course Only).""" if create_group_count is not None: data['create_group_count'] = create_group_count """(Deprecated) Create this number of groups, and evenly distribute students among them. not allowed with "enable_self_signup". because the group assignment happens synchronously, it's recommended that you instead use the assign_unassigned_members endpoint. (Course Only)""" if split_group_count is not None: data['split_group_count'] = split_group_count self.logger.debug( 'POST /api/v1/accounts/{account_id}/group_categories with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/accounts/{account_id}/group_categories'.format(**path), data=data, params=params, single_item=True)
create_group_category_accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, account_id, auto_leader=None, create_group_count=None,\n group_limit=None, self_signup=None, split_group_count=None):\n path = {}\n data =...
def x(self, group_category_id): path = {} data = {} params = {} """ID""" path['group_category_id'] = group_category_id self.logger.debug( 'DELETE /api/v1/group_categories/{group_category_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/group_categories/{group_category_id}'.format(**path), data =data, params=params, no_data=True)
delete_group_category
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_category_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_category_id'] = group_category_id\n self.logge...
def x(self, group_category_id): path = {} data = {} params = {} """ID""" path['group_category_id'] = group_category_id self.logger.debug( 'GET /api/v1/group_categories/{group_category_id}/groups with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/group_categories/{group_category_id}/groups'.format(**path ), data=data, params=params, all_pages=True)
list_groups_in_group_category
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_category_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_category_id'] = group_category_id\n self.logge...
def x(self, group_category_id, search_term=None, unassigned=None): path = {} data = {} params = {} """ID""" path['group_category_id'] = group_category_id """The partial name or full ID of the users to match and return in the results list. Must be at least 3 characters.""" if search_term is not None: params['search_term'] = search_term """Set this value to true if you wish only to search unassigned users in the group category.""" if unassigned is not None: params['unassigned'] = unassigned self.logger.debug( 'GET /api/v1/group_categories/{group_category_id}/users with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/group_categories/{group_category_id}/users'.format(**path), data=data, params=params, all_pages=True)
list_users_in_group_category
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_category_id, search_term=None, unassigned=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_category_id'] ...
def x(self, group_category_id, sync=None): path = {} data = {} params = {} """ID""" path['group_category_id'] = group_category_id """The assigning is done asynchronously by default. If you would like to override this and have the assigning done synchronously, set this value to true.""" if sync is not None: data['sync'] = sync self.logger.debug( 'POST /api/v1/group_categories/{group_category_id}/assign_unassigned_members with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/group_categories/{group_category_id}/assign_unassigned_members' .format(**path), data=data, params=params, single_item=True)
assign_unassigned_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_category_id, sync=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_category_id'] = group_category_id\n ...
def x(self, *args, **kwargs): self.client = {} for arg, value in kwargs.iteritems(): if value: self.client[arg] = value client_schema(self.client)
set_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n self.client = {}\n for arg, value in kwargs.iteritems():\n if value:\n self.client[arg] = value\n client_s...
def x(self, *args, **kwargs): self.shipping = {} for arg, value in kwargs.iteritems(): self.shipping[arg] = value shipping_schema(self.shipping)
set_shipping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n self.shipping = {}\n for arg, value in kwargs.iteritems():\n self.shipping[arg] = value\n shipping_schema(self.shippi...
def x(self): payment_v2_schema(self) params = self._build_params() req = requests.post(self.PAGSEGURO_API_URL, params=params, headers={ 'Content-Type': 'application/x-www-form-urlencoded; charset=ISO-8859-1'}) if req.status_code == 200: self.params = params self.response = self._process_response_xml(req.text) else: raise PagSeguroApiException(u'Erro ao fazer request para a API:' + ' HTTP Status=%s - Response: %s' % (req.status_code, req.text)) return
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n payment_v2_schema(self)\n params = self._build_params()\n req = requests.post(self.PAGSEGURO_API_URL, params=params, headers={\n 'Cont...
def x(self): params = {} params['email'] = self.email params['token'] = self.token params['currency'] = self.currency if self.receiver_email: params['receiver_email'] = self.receiver_email if self.reference: params['reference'] = self.reference if self.extra_amount: params['extra_amount'] = self.extra_amount if self.redirect_url: params['redirect_url'] = self.redirect_url if self.notification_url: params['notification_url'] = self.notification_url if self.max_uses: params['max_uses'] = self.max_uses if self.max_age: params['max_age'] = self.max_age for index, item in enumerate(self.items, start=1): params['itemId%d' % index] = item['item_id'] params['itemDescription%d' % index] = item['description'] params['itemAmount%d' % index] = '%.2f' % item['amount'] params['itemQuantity%s' % index] = item['quantity'] if item.get('shipping_cost'): params['itemShippingCost%d' % index] = item['shipping_cost'] if item.get('weight'): params['itemWeight%d' % index] = item['weight'] if self.client.get('email'): params['senderEmail'] = self.client.get('email') if self.client.get('name'): params['senderName'] = ' '.join(self.client.get('name').split()) if self.client.get('phone_area_code'): params['senderAreaCode'] = self.client.get('phone_area_code') if self.client.get('phone_number'): params['senderPhone'] = self.client.get('phone_number') if self.client.get('cpf'): params['senderCPF'] = self.client.get('cpf') if self.client.get('sender_born_date'): params['senderBornDate'] = self.client.get('sender_born_date') if self.shipping.get('type'): params['shippingType'] = self.shipping.get('type') if self.shipping.get('cost'): params['shippingCost'] = '%.2f' % self.shipping.get('cost') if self.shipping.get('country'): params['shippingAddressCountry'] = self.shipping.get('country') if self.shipping.get('state'): params['shippingAddressState'] = self.shipping.get('state') if self.shipping.get('city'): params['shippingAddressCity'] = self.shipping.get('city') if self.shipping.get('postal_code'): params['shippingAddressPostalCode'] = self.shipping.get('postal_code') if self.shipping.get('district'): params['shippingAddressDistrict'] = self.shipping.get('district') if self.shipping.get('street'): params['shippingAddressStreet'] = self.shipping.get('street') if self.shipping.get('number'): params['shippingAddressNumber'] = self.shipping.get('number') if self.shipping.get('complement'): params['shippingAddressComplement'] = self.shipping.get('complement') return params
build_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n params['email'] = self.email\n params['token'] = self.token\n params['currency'] = self.currency\n if self.receiver_email...
def x(self, response_xml): result = {} xml = ElementTree.fromstring(response_xml) if xml.tag == 'errors': logger.error(u'Erro no pedido de pagamento ao PagSeguro.' + ' O xml de resposta foi: %s' % response_xml) errors_message = u'Ocorreu algum problema com os dados do pagamento: ' for error in xml.findall('error'): error_code = error.find('code').text error_message = error.find('message').text errors_message += u'\n (code=%s) %s' % (error_code, error_message) raise PagSeguroPaymentException(errors_message) if xml.tag == 'checkout': result['code'] = xml.find('code').text try: xml_date = xml.find('date').text result['date'] = dateutil.parser.parse(xml_date) except: logger.exception(u'O campo date não foi encontrado ou é invalido') result['date'] = None else: raise PagSeguroPaymentException( u'Erro ao processar resposta do pagamento: tag "checkout" nao encontrada no xml de resposta' ) return result
process_response_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response_xml):\n result = {}\n xml = ElementTree.fromstring(response_xml)\n if xml.tag == 'errors':\n logger.error(u'Erro no pedido de pa...
def x(request): contact_email = settings.CONTACT_EMAIL short_name = settings.SHORT_NAME description = settings.DESCRIPTION favicon_width = settings.FAVICON_WIDTH favicon_height = settings.FAVICON_HEIGHT favicon_type = settings.FAVICON_TYPE favicon_file = settings.FAVICON_FILE url = '{url}?{querystring}{{searchTerms}}'.format(**{'url': request. build_absolute_uri(reverse(settings.SEARCH_URL)), 'querystring': settings.SEARCH_QUERYSTRING}) input_encoding = settings.INPUT_ENCODING.upper() return render_to_response('opensearch/opensearch.xml', context=locals(), content_type='application/opensearchdescription+xml')
opensearch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n contact_email = settings.CONTACT_EMAIL\n short_name = settings.SHORT_NAME\n description = settings.DESCRIPTION\n favicon_width = settin...
def x(self): rc_create = self.create_db() try: self.load_db() except Exception as e: _logger.debug('*** %s' % str(e)) try: self.recover_db(self.backup_json_db_path) except Exception: pass else: if rc_create is True: self.db_status = 'factory' else: self.db_status = 'existing' return True try: self.load_db() except Exception as b: _logger.debug('*** %s' % str(b)) self.recover_db(self.factory_json_db_path) self.load_db() self.db_status = 'factory' else: self.db_status = 'backup' finally: return True
db_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rc_create = self.create_db()\n try:\n self.load_db()\n except Exception as e:\n _logger.debug('*** %s' % str(e))\n try:\...
def x(self): if self.db_type != 'json': raise RuntimeError('db_type only supports json now') if os.path.exists(self.json_db_path): return False if os.path.exists(self.factory_json_db_path): with self.db_mutex: shutil.copy2(self.factory_json_db_path, self.json_db_path) return True _logger.debug('*** NO such file: %s' % self.factory_json_db_path) raise RuntimeError('No *.json.factory file')
create_db
[ { "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.db_type != 'json':\n raise RuntimeError('db_type only supports json now')\n if os.path.exists(self.json_db_path):\n return...
def x(self, src_file): with self.db_mutex: try: shutil.copy2(src_file, self.json_db_path) except IOError as e: _logger.debug('*** NO: %s file.' % src_file) raise e
recover_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src_file):\n with self.db_mutex:\n try:\n shutil.copy2(src_file, self.json_db_path)\n except IOError as e:\n _logg...
def x(self): with self.db_mutex: if os.path.exists(self.json_db_path): try: shutil.copy2(self.json_db_path, self.backup_json_db_path) except (IOError, OSError): _logger.debug('*** No file to copy.')
backup_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self.db_mutex:\n if os.path.exists(self.json_db_path):\n try:\n shutil.copy2(self.json_db_path, self.backup_j...
def x(self): try: with open(self.json_db_path) as fp: self.db = json.load(fp) except Exception as e: _logger.debug('*** Open JSON DB error.') raise e
load_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n with open(self.json_db_path) as fp:\n self.db = json.load(fp)\n except Exception as e:\n _logger.debug('*** Open...
def x(self): with self.db_mutex: if not isinstance(self.db, dict) and not isinstance(self.db, list): return False try: with open(self.json_db_path, 'w') as fp: json.dump(self.db, fp, indent=4) except Exception as e: _logger.debug('*** Write JSON DB to file error.') raise e else: self.sync() return True
save_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self.db_mutex:\n if not isinstance(self.db, dict) and not isinstance(self.db, list):\n return False\n try:\n ...
def x(self, location=None, force=False, wait_for_up=True, timeout=80): if not location or is_local_host(location): return hostname, card, port = location.split('/') chassis = self.root.hw.get_chassis(hostname) if force: chassis.get_card(int(card)).get_port(int(port)).release() try: phy_port = chassis.get_card(int(card)).get_port(int(port)) except KeyError as _: raise TgnError('Physical port {} unreachable'.format(location)) self.set_attributes(commit=True, connectedTo=phy_port.ref) while self.get_attribute('connectedTo') == '::ixNet::OBJ-null': time.sleep(1) if wait_for_up: self.wait_for_up(timeout)
reserve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, location=None, force=False, wait_for_up=True, timeout=80):\n if not location or is_local_host(location):\n return\n hostname, card, port = l...
def x(self, timeout=40): self.wait_for_states(timeout, 'up') connectionStatus = self.get_attribute('connectionStatus').strip() if connectionStatus.split(':')[0] != self.get_attribute('assignedTo' ).split(':')[0]: raise TgnError( 'Failed to reach up state, port connection status is {} after {} seconds' .format(connectionStatus, timeout))
wait_for_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=40):\n self.wait_for_states(timeout, 'up')\n connectionStatus = self.get_attribute('connectionStatus').strip()\n if connectionStatus.spl...
def x(self, timeout=40, *states): state = self.get_attribute('state') for _ in range(timeout): if state in states: return time.sleep(1) state = self.get_attribute('state') raise TgnError( 'Failed to reach states {}, port state is {} after {} seconds'. format(states, state, timeout))
wait_for_states
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=40, *states):\n state = self.get_attribute('state')\n for _ in range(timeout):\n if state in states:\n return\n ti...
def x(lat, lon): lat_1 = lat * pi / 180 lon_1 = lon * pi / 180 a_1, b_1 = 6378137.0, 6356752.3141 e2_1 = 1 - b_1 * b_1 / (a_1 * a_1) nu_1 = a_1 / sqrt(1 - e2_1 * sin(lat_1) ** 2) H = 0 x_1 = (nu_1 + H) * cos(lat_1) * cos(lon_1) y_1 = (nu_1 + H) * cos(lat_1) * sin(lon_1) z_1 = ((1 - e2_1) * nu_1 + H) * sin(lat_1) s = 20.4894 * 10 ** -6 tx, ty, tz = -446.448, 125.157, -542.06 rxs, rys, rzs = -0.1502, -0.247, -0.8421 rx, ry, rz = rxs * pi / (180 * 3600.0), rys * pi / (180 * 3600.0 ), rzs * pi / (180 * 3600.0) x_2 = tx + (1 + s) * x_1 + -rz * y_1 + ry * z_1 y_2 = ty + rz * x_1 + (1 + s) * y_1 + -rx * z_1 z_2 = tz + -ry * x_1 + rx * y_1 + (1 + s) * z_1 a, b = 6377563.396, 6356256.909 e2 = 1 - b * b / (a * a) p = sqrt(x_2 ** 2 + y_2 ** 2) lat = atan2(z_2, p * (1 - e2)) latold = 2 * pi while abs(lat - latold) > 10 ** -16: lat, latold = latold, lat nu = a / sqrt(1 - e2 * sin(latold) ** 2) lat = atan2(z_2 + e2 * nu * sin(latold), p) lon = atan2(y_2, x_2) H = p / cos(lat) - nu F0 = 0.9996012717 lat0 = 49 * pi / 180 lon0 = -2 * pi / 180 N0, E0 = -100000, 400000 n = (a - b) / (a + b) rho = a * F0 * (1 - e2) * (1 - e2 * sin(lat) ** 2) ** -1.5 eta2 = nu * F0 / rho - 1 M1 = (1 + n + 5 / 4 * n ** 2 + 5 / 4 * n ** 3) * (lat - lat0) M2 = (3 * n + 3 * n ** 2 + 21 / 8 * n ** 3) * sin(lat - lat0) * cos(lat + lat0) M3 = (15 / 8 * n ** 2 + 15 / 8 * n ** 3) * sin(2 * (lat - lat0)) * cos( 2 * (lat + lat0)) M4 = 35 / 24 * n ** 3 * sin(3 * (lat - lat0)) * cos(3 * (lat + lat0)) M = b * F0 * (M1 - M2 + M3 - M4) I = M + N0 II = nu * F0 * sin(lat) * cos(lat) / 2 III = nu * F0 * sin(lat) * cos(lat) ** 3 * (5 - tan(lat) ** 2 + 9 * eta2 ) / 24 IIIA = nu * F0 * sin(lat) * cos(lat) ** 5 * (61 - 58 * tan(lat) ** 2 + tan(lat) ** 4) / 720 IV = nu * F0 * cos(lat) V = nu * F0 * cos(lat) ** 3 * (nu / rho - tan(lat) ** 2) / 6 VI = nu * F0 * cos(lat) ** 5 * (5 - 18 * tan(lat) ** 2 + tan(lat) ** 4 + 14 * eta2 - 58 * eta2 * tan(lat) ** 2) / 120 N = I + II * (lon - lon0) ** 2 + III * (lon - lon0) ** 4 + IIIA * (lon - lon0) ** 6 E = E0 + IV * (lon - lon0) + V * (lon - lon0) ** 3 + VI * (lon - lon0) ** 5 return E, N
WGS84toOSGB36
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lat, lon):\n lat_1 = lat * pi / 180\n lon_1 = lon * pi / 180\n a_1, b_1 = 6378137.0, 6356752.3141\n e2_1 = 1 - b_1 * b_1 / (a_1 * a_1)\n nu_1 = ...
def x(self, step=None, data=None, files=None): self.form_obj = super(FormWizardAdminView, self).get_form(step=step, data=data, files=files) return self.form_obj
get_form
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, step=None, data=None, files=None):\n self.form_obj = super(FormWizardAdminView, self).get_form(step=step,\n data=data, files=files)\n return...
def x(self, form=None, **kwargs): context = self.get_context(**kwargs) return self.render_to_response(context)
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, form=None, **kwargs):\n context = self.get_context(**kwargs)\n return self.render_to_response(context)\n", "role": "user" }, { "content...
def x(self, context): self.setup_forms() return TemplateResponse(self.request, self.form_template, context, current_app=self.admin_site.name)
render_to_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n self.setup_forms()\n return TemplateResponse(self.request, self.form_template, context,\n current_app=self.admin_site.name)\n", ...
def x(self, **kwargs): context = self.get_context_data(form=self.form_obj, **kwargs) context.update(super(FormAdminView, self).get_context()) return context
get_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n context = self.get_context_data(form=self.form_obj, **kwargs)\n context.update(super(FormAdminView, self).get_context())\n return c...
def x(self): print('', file=sys.stderr) print('Going to merge/convert RNF-FASTQ files.', file=sys.stderr) print('', file=sys.stderr) print(' mode: ', self.mode, file=sys.stderr) print(' input files: ', ', '.join(self.input_files_fn), file=sys.stderr ) print(' output files: ', ', '.join(self.output_files_fn), file=sys. stderr) print('', file=sys.stderr) while len(self.i_files_weighted) > 0: file_id = self.rng.randint(0, len(self.i_files_weighted) - 1) for i in range(READS_IN_GROUP * self._reads_in_tuple): if self.i_files_weighted[file_id].closed: del self.i_files_weighted[file_id] break ln1 = self.i_files_weighted[file_id].readline() ln2 = self.i_files_weighted[file_id].readline() ln3 = self.i_files_weighted[file_id].readline() ln4 = self.i_files_weighted[file_id].readline() if ln1 == '' or ln2 == '' or ln3 == '' or ln4 == '': self.i_files_weighted[file_id].close() del self.i_files_weighted[file_id] break assert ln1[0] == '@', ln1 assert ln3[0] == '+', ln3 self.output.save_read(ln1, ln2, ln3, ln4) self.output.close()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n print('', file=sys.stderr)\n print('Going to merge/convert RNF-FASTQ files.', file=sys.stderr)\n print('', file=sys.stderr)\n print(' mo...
def x(v): cls = type(v) return issubclass(cls, list) or issubclass(cls, dict) or issubclass(cls, Config)
is_config_container
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v):\n cls = type(v)\n return issubclass(cls, list) or issubclass(cls, dict) or issubclass(cls,\n Config)\n", "role": "user" }, { "cont...
def x(cls, cfg, key_name, path, parent_cfg=None): attr = getattr(cls, key_name, None) if path != '': attr_full_name = '%s.%s' % (path, key_name) else: attr_full_name = key_name if not attr: raise vodka.exceptions.ConfigErrorUnknown(attr_full_name) if attr.deprecated: vodka.log.warn( '[config deprecated] %s is being deprecated in version %s' % ( attr_full_name, attr.deprecated)) for prepare in attr.prepare: cfg[key_name] = prepare(cfg[key_name]) if hasattr(cls, 'prepare_%s' % key_name): prepare = getattr(cls, 'prepare_%s' % key_name) cfg[key_name] = prepare(cfg[key_name], config=cfg) value = cfg.get(key_name) if isinstance(attr.expected_type, types.FunctionType): p, reason = attr.expected_type(value) if not p: raise vodka.exceptions.ConfigErrorValue(attr_full_name, attr, value, reason=reason) elif attr.expected_type != type(value): raise vodka.exceptions.ConfigErrorType(attr_full_name, attr) if attr.choices and value not in attr.choices: raise vodka.exceptions.ConfigErrorValue(attr_full_name, attr, value) if hasattr(cls, 'validate_%s' % key_name): validator = getattr(cls, 'validate_%s' % key_name) valid, reason = validator(value) if not valid: raise vodka.exceptions.ConfigErrorValue(attr_full_name, attr, value, reason=reason) num_crit = 0 num_warn = 0 if is_config_container(value) and attr.handler: if type(value) == dict or issubclass(type(value), Config): keys = list(value.keys()) elif type(value) == list: keys = list(range(0, len(value))) else: return for k in keys: if not is_config_container(value[k]): continue handler = attr.handler(k, value[k]) if issubclass(handler, Handler): h = handler else: h = getattr(handler, 'Configuration', None) if h: if type(k) == int and type(value[k]) == dict and value[k].get( 'name'): _path = '%s.%s' % (attr_full_name, value[k].get('name')) else: _path = '%s.%s' % (attr_full_name, k) _num_crit, _num_warn = h.validate(value[k], path=_path, nested=attr.nested, parent_cfg=cfg) h.finalize(value, k, value[k], attr=attr, attr_name= key_name, parent_cfg=cfg) num_crit += _num_crit num_warn += _num_warn attr.finalize(cfg, key_name, value, num_crit=num_crit) return num_crit, num_warn
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cfg, key_name, path, parent_cfg=None):\n attr = getattr(cls, key_name, None)\n if path != '':\n attr_full_name = '%s.%s' % (path, key_name)\n...
def x(cls, cfg, path='', nested=0, parent_cfg=None): num_crit = 0 num_warn = 0 for name in dir(cls): if nested > 0: break try: attr = getattr(cls, name) if isinstance(attr, Attribute): if attr.default is None and name not in cfg: if path: attr_full_name = '%s.%s' % (path, name) else: attr_full_name = name raise vodka.exceptions.ConfigErrorMissing(attr_full_name, attr) attr.preload(cfg, name) except vodka.exceptions.ConfigErrorMissing as inst: if inst.level == 'warn': vodka.log.warn(inst.explanation) num_warn += 1 elif inst.level == 'critical': vodka.log.error(inst.explanation) num_crit += 1 if type(cfg) in [dict, Config]: keys = list(cfg.keys()) if nested > 0: for _k, _v in cfg.items(): _num_crit, _num_warn = cls.validate(_v, path='%s.%s' % ( path, _k), nested=nested - 1, parent_cfg=cfg) num_crit += _num_crit num_warn += _num_warn return num_crit, num_warn elif type(cfg) == list: keys = list(range(0, len(cfg))) else: raise ValueError('Cannot validate non-iterable config value') for key in keys: try: _num_crit, _num_warn = cls.check(cfg, key, path) num_crit += _num_crit num_warn += _num_warn except (vodka.exceptions.ConfigErrorUnknown, vodka.exceptions. ConfigErrorValue, vodka.exceptions.ConfigErrorType) as inst: if inst.level == 'warn': vodka.log.warn(inst.explanation) num_warn += 1 elif inst.level == 'critical': vodka.log.error(inst.explanation) num_crit += 1 return num_crit, num_warn
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cfg, path='', nested=0, parent_cfg=None):\n num_crit = 0\n num_warn = 0\n for name in dir(cls):\n if nested > 0:\n break\n ...
def x(cls): for k in dir(cls): v = getattr(cls, k) if isinstance(v, Attribute): yield k, v
attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n for k in dir(cls):\n v = getattr(cls, k)\n if isinstance(v, Attribute):\n yield k, v\n", "role": "user" }, { "c...
def x(self, config_dir=None, clear=False, config_file=None): if config_file: data_file = os.path.basename(config_file) data_path = os.path.dirname(config_file) if clear: self.clear() config = munge.load_datafile(data_file, data_path, default=None) if not config: raise IOError('Config file not found: %s' % config_file) munge.util.recursive_update(self.data, config) self._meta_config_dir = data_path return else: return super(Config, self).read(config_dir=config_dir, clear=clear)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config_dir=None, clear=False, config_file=None):\n if config_file:\n data_file = os.path.basename(config_file)\n data_path = os.path.dir...
def x(self, id): path = {} data = {} params = {} """the ID or SIS ID of the group to remove""" path['id'] = id self.logger.debug( 'DELETE /api/v1/users/self/favorites/groups/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/users/self/favorites/groups/{id}'.format(**path), data= data, params=params, single_item=True)
remove_group_from_favorites
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n path = {}\n data = {}\n params = {}\n \"\"\"the ID or SIS ID of the group to remove\"\"\"\n path['id'] = id\n self.logger.debug(...
def x(self): path = {} data = {} params = {} self.logger.debug( 'DELETE /api/v1/users/self/favorites/courses with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/users/self/favorites/courses'.format(**path), data=data, params=params, no_data=True)
reset_course_favorites
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n path = {}\n data = {}\n params = {}\n self.logger.debug(\n 'DELETE /api/v1/users/self/favorites/courses with query params: {params}...
def x(self, context=None, exclude=None, from_conversation_id=None, permissions=None, search=None, type=None, user_id=None): path = {} data = {} params = {} """Search terms used for matching users/courses/groups (e.g. "bob smith"). If multiple terms are given (separated via whitespace), only results matching all terms will be returned.""" if search is not None: params['search'] = search """Limit the search to a particular course/group (e.g. "course_3" or "group_4").""" if context is not None: params['context'] = context """Array of ids to exclude from the search. These may be user ids or course/group ids prefixed with "course_" or "group_" respectively, e.g. exclude[]=1&exclude[]=2&exclude[]=course_3""" if exclude is not None: params['exclude'] = exclude """Limit the search just to users or contexts (groups/courses).""" if type is not None: self._validate_enum(type, ['user', 'context']) params['type'] = type """Search for a specific user id. This ignores the other above parameters, and will never return more than one result.""" if user_id is not None: params['user_id'] = user_id """When searching by user_id, only users that could be normally messaged by this user will be returned. This parameter allows you to specify a conversation that will be referenced for a shared context -- if both the current user and the searched user are in the conversation, the user will be returned. This is used to start new side conversations.""" if from_conversation_id is not None: params['from_conversation_id'] = from_conversation_id """Array of permission strings to be checked for each matched context (e.g. "send_messages"). This argument determines which permissions may be returned in the response; it won't prevent contexts from being returned if they don't grant the permission(s).""" if permissions is not None: params['permissions'] = permissions self.logger.debug( 'GET /api/v1/conversations/find_recipients with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/conversations/find_recipients'.format(**path), data=data, params=params, no_data=True)
find_recipients_conversations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context=None, exclude=None, from_conversation_id=None,\n permissions=None, search=None, type=None, user_id=None):\n path = {}\n data = {}\n p...
def x(self, open_enrollment_only=None, public_only=None, search=None): path = {} data = {} params = {} """Search terms used for matching users/courses/groups (e.g. "bob smith"). If multiple terms are given (separated via whitespace), only results matching all terms will be returned.""" if search is not None: params['search'] = search """Only return courses with public content. Defaults to false.""" if public_only is not None: params['public_only'] = public_only """Only return courses that allow self enrollment. Defaults to false.""" if open_enrollment_only is not None: params['open_enrollment_only'] = open_enrollment_only self.logger.debug( 'GET /api/v1/search/all_courses with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/search/all_courses'.format( **path), data=data, params=params, no_data=True)
list_all_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, open_enrollment_only=None, public_only=None, search=None):\n path = {}\n data = {}\n params = {}\n \"\"\"Search terms used for matching users...
def x(self, user_id, communication_channel_type, communication_channel_address, communication_channel_token=None, skip_confirmation=None): path = {} data = {} params = {} """ID""" path['user_id'] = user_id """An email address or SMS number. Not required for "push" type channels.""" data['communication_channel[address]'] = communication_channel_address """The type of communication channel. In order to enable push notification support, the server must be properly configured (via sns.yml) to communicate with Amazon Simple Notification Services, and the developer key used to create the access token from this request must have an SNS ARN configured on it.""" self._validate_enum(communication_channel_type, ['email', 'sms', 'push']) data['communication_channel[type]'] = communication_channel_type """A registration id, device token, or equivalent token given to an app when registering with a push notification provider. Only valid for "push" type channels.""" if communication_channel_token is not None: data['communication_channel[token]'] = communication_channel_token """Only valid for site admins and account admins making requests; If true, the channel is automatically validated and no confirmation email or SMS is sent. Otherwise, the user must respond to a confirmation message to confirm the channel.""" if skip_confirmation is not None: data['skip_confirmation'] = skip_confirmation self.logger.debug( 'POST /api/v1/users/{user_id}/communication_channels with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/users/{user_id}/communication_channels'.format(**path), data=data, params=params, single_item=True)
create_communication_channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, communication_channel_type,\n communication_channel_address, communication_channel_token=None,\n skip_confirmation=None):\n path = {}\n...
def x(self, id, user_id): path = {} data = {} params = {} """ID""" path['user_id'] = user_id """ID""" path['id'] = id self.logger.debug( 'DELETE /api/v1/users/{user_id}/communication_channels/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/users/{user_id}/communication_channels/{id}'.format(**path ), data=data, params=params, single_item=True)
delete_communication_channel_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, user_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"ID\"\"\"\n path['id'] = id\...
def x(cls, string): if string[0] == '!': signature = -1 variable = string[1:] else: signature = 1 variable = string return cls(variable, signature)
from_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, string):\n if string[0] == '!':\n signature = -1\n variable = string[1:]\n else:\n signature = 1\n variable = string\n ...
def x(func): @wraps(func) def x(*args, **kwargs): if kwargs: args = args, kwargs if len(args) is 1: args = args[0] return func(args) return wrapper
normalize_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n if kwargs:\n args = args, kwargs\n if len(args) is 1:\n args = ar...
def x(commands, invalid_query_starts=('DROP', 'UNLOCK', 'LOCK')): commands_with_drops = len(commands) filtered_commands = [c for c in commands if not c.startswith( invalid_query_starts)] if commands_with_drops - len(filtered_commands) > 0: print('\t' + str(invalid_query_starts) + ' commands removed', commands_with_drops - len(filtered_commands)) return filtered_commands
filter_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commands, invalid_query_starts=('DROP', 'UNLOCK', 'LOCK')):\n commands_with_drops = len(commands)\n filtered_commands = [c for c in commands if not c.sta...
def x(sql, add_semicolon=True, invalid_starts=('--', '/*', '*/', ';')): return PrepareSQL(sql, add_semicolon, invalid_starts).prepared
prepare_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sql, add_semicolon=True, invalid_starts=('--', '/*', '*/', ';')):\n return PrepareSQL(sql, add_semicolon, invalid_starts).prepared\n", "role": "user" ...
def x(self, sql): bookends = '\n', ';', '--', '/*', '*/' last_bookend_found = None start = 0 while start <= len(sql): results = self._get_next_occurrence(sql, start, bookends) if results is None: yield last_bookend_found, None, sql[start:] start = len(sql) + 1 else: end, bookend = results yield last_bookend_found, bookend, sql[start:end] start = end + len(bookend) last_bookend_found = bookend
split_sql
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sql):\n bookends = '\\n', ';', '--', '/*', '*/'\n last_bookend_found = None\n start = 0\n while start <= len(sql):\n results = self._g...
def x(haystack, offset, needles): firstcharmap = dict([(n[0], n) for n in needles]) firstchars = firstcharmap.keys() while offset < len(haystack): if haystack[offset] in firstchars: possible_needle = firstcharmap[haystack[offset]] if haystack[offset:offset + len(possible_needle) ] == possible_needle: return offset, possible_needle offset += 1 return None
get_next_occurrence
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(haystack, offset, needles):\n firstcharmap = dict([(n[0], n) for n in needles])\n firstchars = firstcharmap.keys()\n while offset < len(haystack):\n ...
def x(self, course_id, export_type, skip_notifications=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """"common_cartridge":: Export the contents of the course in the Common Cartridge (.imscc) format "qti":: Export quizzes from a course in the QTI format "zip":: Export files from a course, group, or user in a zip file""" self._validate_enum(export_type, ['common_cartridge', 'qti', 'zip']) data['export_type'] = export_type """Don't send the notifications about the export to the user. Default: false""" if skip_notifications is not None: data['skip_notifications'] = skip_notifications self.logger.debug( 'POST /api/v1/courses/{course_id}/content_exports with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/content_exports'.format(**path), data= data, params=params, single_item=True)
export_content_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, export_type, skip_notifications=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n...
def x(self, group_id, export_type, skip_notifications=None): path = {} data = {} params = {} """ID""" path['group_id'] = group_id """"common_cartridge":: Export the contents of the course in the Common Cartridge (.imscc) format "qti":: Export quizzes from a course in the QTI format "zip":: Export files from a course, group, or user in a zip file""" self._validate_enum(export_type, ['common_cartridge', 'qti', 'zip']) data['export_type'] = export_type """Don't send the notifications about the export to the user. Default: false""" if skip_notifications is not None: data['skip_notifications'] = skip_notifications self.logger.debug( 'POST /api/v1/groups/{group_id}/content_exports with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/groups/{group_id}/content_exports'.format(**path), data= data, params=params, single_item=True)
export_content_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_id, export_type, skip_notifications=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = group_id\n ...
def x(self, user_id, export_type, skip_notifications=None): path = {} data = {} params = {} """ID""" path['user_id'] = user_id """"common_cartridge":: Export the contents of the course in the Common Cartridge (.imscc) format "qti":: Export quizzes from a course in the QTI format "zip":: Export files from a course, group, or user in a zip file""" self._validate_enum(export_type, ['common_cartridge', 'qti', 'zip']) data['export_type'] = export_type """Don't send the notifications about the export to the user. Default: false""" if skip_notifications is not None: data['skip_notifications'] = skip_notifications self.logger.debug( 'POST /api/v1/users/{user_id}/content_exports with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/users/{user_id}/content_exports'.format(**path), data=data, params=params, single_item=True)
export_content_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, export_type, skip_notifications=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"...
def x(question, no_input=False): if no_input: return True else: input_ = input('%s [Y/n] ' % question) input_ = input_.strip().lower() if input_ in ('y', 'yes', ''): return True if input_ in ('n', 'no'): return False print('Invalid selection')
ask
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(question, no_input=False):\n if no_input:\n return True\n else:\n input_ = input('%s [Y/n] ' % question)\n input_ = input_.strip().l...
def x(template_name, context): return Environment(loader=PackageLoader('remarkable')).get_template( template_name).render(context)
render_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(template_name, context):\n return Environment(loader=PackageLoader('remarkable')).get_template(\n template_name).render(context)\n", "role": "use...
def x(deck, arguments): output_directory = dir_name_from_title(deck.title) if os.path.exists(output_directory): if sys.stdout.isatty(): if ask('%s already exists, shall I delete it?' % output_directory, arguments.get('--noinput')): shutil.rmtree(output_directory) else: shutil.rmtree(output_directory) template_directory_path = '%s/templates/%s' % (remarkable.__path__[0], deck.presentation_type) shutil.copytree(template_directory_path, output_directory) if os.path.exists('resources'): log.info('Copying resources') shutil.copytree('resources', '%s/resources' % output_directory) else: log.info('No resources to copy') template_filename = '%s/index.html' % deck.presentation_type html = render_template(template_filename, deck.json) index_filename = '%s/index.html' % output_directory write_file(index_filename, html) return output_directory
render_template_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(deck, arguments):\n output_directory = dir_name_from_title(deck.title)\n if os.path.exists(output_directory):\n if sys.stdout.isatty():\n ...
def x(): configs = setup(argparse.ArgumentParser()) harvester = GreyHarvester(test_domain=configs['test_domain'], test_sleeptime=TEST_SLEEPTIME, https_only=configs['https_only'], allowed_countries=configs['allowed_countries'], denied_countries= configs['denied_countries'], ports=configs['ports'], max_timeout= configs['max_timeout']) """ harvest free and working proxies from teh interwebz """ count = 0 for proxy in harvester.run(): if count >= configs['num_proxies']: break print(proxy) count += 1
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n configs = setup(argparse.ArgumentParser())\n harvester = GreyHarvester(test_domain=configs['test_domain'],\n test_sleeptime=TEST_SLEEPTIME, h...
def x(self, ajax_endpoint): proxy_xml = requests.get(ajax_endpoint) print(proxy_xml.content) root = etree.XML(proxy_xml.content) quote = root.xpath('quote')[0] """ extract the raw text from the body of the quote tag """ raw_text = quote.text """ eliminate the stuff we don't need """ proxy_data = raw_text.split( 'You will definitely love it! Give it a try!</td></tr>')[1] """ get rid of the </table> at the end of proxy_data """ proxy_data = proxy_data[:-len('</table>')] """ split proxy_data into rows """ table_rows = proxy_data.split('<tr>') """ convert each row into a Proxy object """ for row in table_rows: """ get rid of the </tr> at the end of each row """ row = row[:-len('</tr>')] """ split each row into a list of items """ items = row.split('<td>') """ sometimes we get weird lists containing only an empty string """ if len(items) != 7: continue """ we'll use this to remove the </td> from the end of each item """ tdlen = len('</td>') """ create proxy dict """ proxy = Proxy(ip=items[1][:-tdlen], port=int(items[2][:-tdlen]), https=bool(items[3][:-tdlen]), latency=int(items[4][:-tdlen]), last_checked=items[5][:-tdlen], country=items[6][:-tdlen]) yield proxy
extract_proxies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ajax_endpoint):\n proxy_xml = requests.get(ajax_endpoint)\n print(proxy_xml.content)\n root = etree.XML(proxy_xml.content)\n quote = root.xpa...
def x(self, proxy): """ validate proxy based on provided filters """ if self.allowed_countries is not None and proxy['country' ] not in self.allowed_countries: return False if self.denied_countries is not None and proxy['country' ] in self.denied_countries: return False if self.https_only and proxy['https'] == False: return False if not self.all_ports and str(proxy.port) not in self.ports: return False return True
passes_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proxy):\n \"\"\" validate proxy based on provided filters \"\"\"\n if self.allowed_countries is not None and proxy['country'\n ] not in self...
def x(self): url = '/'.join([DOC_ROOT, ELITE_PAGE]) response = requests.get(url) """ extract the raw HTML doc from the response """ raw_html = response.text """ convert raw html into BeautifulSoup object """ soup = BeautifulSoup(raw_html, 'lxml') for url in soup.select('table tr td table tr td a'): if 'elite #' in url.text: yield '%s/load_elite_d%s' % (DOC_ROOT, url['href'].lstrip('elite/') )
extract_ajax_endpoints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = '/'.join([DOC_ROOT, ELITE_PAGE])\n response = requests.get(url)\n \"\"\" extract the raw HTML doc from the response \"\"\"\n raw_htm...
def x(self): for m in self.mappings: yield self.indexes[m.clause][m.target], m
iteritems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for m in self.mappings:\n yield self.indexes[m.clause][m.target], m\n", "role": "user" }, { "content": "iteritems", "role": ...
def x(cls, string): if '<-' not in string: raise ValueError('Cannot parse the given string to a mapping') target, clause_str = string.split('<-') return cls(Clause.from_str(clause_str), target)
from_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, string):\n if '<-' not in string:\n raise ValueError('Cannot parse the given string to a mapping')\n target, clause_str = string.split('<-')\...
def x(self, user_id): path = {} data = {} params = {} """ID""" path['user_id'] = user_id self.logger.debug( 'GET /api/v1/users/{user_id}/logins with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/users/{user_id}/logins'. format(**path), data=data, params=params, all_pages=True)
list_user_logins_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n self.logger.debug(\n 'GET /api/v1...
def x(self, user_id, account_id, login_unique_id, login_authentication_provider_id=None, login_integration_id=None, login_password=None, login_sis_user_id=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """The ID of the user to create the login for.""" data['user[id]'] = user_id """The unique ID for the new login.""" data['login[unique_id]'] = login_unique_id """The new login's password.""" if login_password is not None: data['login[password]'] = login_password """SIS ID for the login. To set this parameter, the caller must be able to manage SIS permissions on the account.""" if login_sis_user_id is not None: data['login[sis_user_id]'] = login_sis_user_id """Integration ID for the login. To set this parameter, the caller must be able to manage SIS permissions on the account. The Integration ID is a secondary identifier useful for more complex SIS integrations.""" if login_integration_id is not None: data['login[integration_id]'] = login_integration_id """The authentication provider this login is associated with. Logins associated with a specific provider can only be used with that provider. Legacy providers (LDAP, CAS, SAML) will search for logins associated with them, or unassociated logins. New providers will only search for logins explicitly associated with them. This can be the integer ID of the provider, or the type of the provider (in which case, it will find the first matching provider).""" if login_authentication_provider_id is not None: data['login[authentication_provider_id]' ] = login_authentication_provider_id self.logger.debug( 'POST /api/v1/accounts/{account_id}/logins with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/accounts/{account_id}/logins'.format(**path), data=data, params=params, no_data=True)
create_user_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, account_id, login_unique_id,\n login_authentication_provider_id=None, login_integration_id=None,\n login_password=None, login_sis_user_id=...
def x(self, id, account_id, login_integration_id=None, login_password=None, login_sis_user_id=None, login_unique_id=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """ID""" path['id'] = id """The new unique ID for the login.""" if login_unique_id is not None: data['login[unique_id]'] = login_unique_id """The new password for the login. Can only be set by an admin user if admins are allowed to change passwords for the account.""" if login_password is not None: data['login[password]'] = login_password """SIS ID for the login. To set this parameter, the caller must be able to manage SIS permissions on the account.""" if login_sis_user_id is not None: data['login[sis_user_id]'] = login_sis_user_id """Integration ID for the login. To set this parameter, the caller must be able to manage SIS permissions on the account. The Integration ID is a secondary identifier useful for more complex SIS integrations.""" if login_integration_id is not None: data['login[integration_id]'] = login_integration_id self.logger.debug( 'PUT /api/v1/accounts/{account_id}/logins/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/accounts/{account_id}/logins/{id}'.format(**path), data= data, params=params, no_data=True)
edit_user_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, account_id, login_integration_id=None, login_password=None,\n login_sis_user_id=None, login_unique_id=None):\n path = {}\n data = {}\n pa...
def x(self, id, user_id): path = {} data = {} params = {} """ID""" path['user_id'] = user_id """ID""" path['id'] = id self.logger.debug( 'DELETE /api/v1/users/{user_id}/logins/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/users/{user_id}/logins/{id}'.format(**path), data=data, params=params, no_data=True)
delete_user_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, user_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"ID\"\"\"\n path['id'] = id\...
def x(self, quiz_id, course_id, quiz_submission_attempt=None, quiz_submission_id=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """If specified, the endpoint will return the questions that were presented for that submission. This is useful if the quiz has been modified after the submission was created and the latest quiz version's set of questions does not match the submission's. NOTE: you must specify quiz_submission_attempt as well if you specify this parameter.""" if quiz_submission_id is not None: params['quiz_submission_id'] = quiz_submission_id """The attempt of the submission you want the questions for.""" if quiz_submission_attempt is not None: params['quiz_submission_attempt'] = quiz_submission_attempt self.logger.debug( 'GET /api/v1/courses/{course_id}/quizzes/{quiz_id}/questions with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/questions'.format(** path), data=data, params=params, all_pages=True)
list_questions_in_quiz_or_submission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiz_id, course_id, quiz_submission_attempt=None,\n quiz_submission_id=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n ...
def x(self, quiz_id, course_id, question_answers=None, question_correct_comments=None, question_incorrect_comments=None, question_neutral_comments=None, question_points_possible=None, question_position=None, question_question_name=None, question_question_text=None, question_question_type=None, question_quiz_group_id=None, question_text_after_answers=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['quiz_id'] = quiz_id """The name of the question.""" if question_question_name is not None: data['question[question_name]'] = question_question_name """The text of the question.""" if question_question_text is not None: data['question[question_text]'] = question_question_text """The id of the quiz group to assign the question to.""" if question_quiz_group_id is not None: data['question[quiz_group_id]'] = question_quiz_group_id """The type of question. Multiple optional fields depend upon the type of question to be used.""" if question_question_type is not None: self._validate_enum(question_question_type, ['calculated_question', 'essay_question', 'file_upload_question', 'fill_in_multiple_blanks_question', 'matching_question', 'multiple_answers_question', 'multiple_choice_question', 'multiple_dropdowns_question', 'numerical_question', 'short_answer_question', 'text_only_question', 'true_false_question']) data['question[question_type]'] = question_question_type """The order in which the question will be displayed in the quiz in relation to other questions.""" if question_position is not None: data['question[position]'] = question_position """The maximum amount of points received for answering this question correctly.""" if question_points_possible is not None: data['question[points_possible]'] = question_points_possible """The comment to display if the student answers the question correctly.""" if question_correct_comments is not None: data['question[correct_comments]'] = question_correct_comments """The comment to display if the student answers incorrectly.""" if question_incorrect_comments is not None: data['question[incorrect_comments]'] = question_incorrect_comments """The comment to display regardless of how the student answered.""" if question_neutral_comments is not None: data['question[neutral_comments]'] = question_neutral_comments """no description""" if question_text_after_answers is not None: data['question[text_after_answers]'] = question_text_after_answers """no description""" if question_answers is not None: data['question[answers]'] = question_answers self.logger.debug( 'POST /api/v1/courses/{course_id}/quizzes/{quiz_id}/questions with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/quizzes/{quiz_id}/questions'.format(** path), data=data, params=params, single_item=True)
create_single_quiz_question
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quiz_id, course_id, question_answers=None,\n question_correct_comments=None, question_incorrect_comments=None,\n question_neutral_comments=None, qu...
def x(s, quote=False): if s is None: return '' if hasattr(s, '__html__'): return s.__html__() if not isinstance(s, (text_type, binary_type)): s = text_type(s) if isinstance(s, binary_type): try: s.decode('ascii') except: s = s.decode('utf-8', 'replace') s = s.replace('&', '&amp;').replace('<', '&lt;').replace('>', '&gt;') if quote: s = s.replace('"', '&quot;') return s
escape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, quote=False):\n if s is None:\n return ''\n if hasattr(s, '__html__'):\n return s.__html__()\n if not isinstance(s, (text_type, binar...
def x(self, action, data={}, headers={}, method='GET'): data = self.merge(data, {'user': self.username, 'password': self. password, 'api_id': self.apiId}) return Transport.request(self, action, data, headers, method)
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, data={}, headers={}, method='GET'):\n data = self.merge(data, {'user': self.username, 'password': self.\n password, 'api_id': self.apiI...
def x(self, to, message, extra={}): to = to if isinstance(to, list) else [to] to = [str(i) for i in to] data = {'to': ','.join(to), 'text': message} data = self.merge(data, {'callback': 7, 'mo': 1}, extra) try: content = self.parseLegacy(self.request('http/sendmsg', data)) except ClickatellError as e: content = {'error': e.message, 'errorCode': e.code, 'To': to[0]} content = content if isinstance(content, list) else [content] result = [] for index, entry in enumerate(content): entry = self.merge({'ID': False, 'To': to[index], 'error': False, 'errorCode': False}, entry) result.append({'id': entry['ID'], 'destination': entry['To'], 'error': entry['error'], 'errorCode': entry['errorCode']}) return result
sendMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to, message, extra={}):\n to = to if isinstance(to, list) else [to]\n to = [str(i) for i in to]\n data = {'to': ','.join(to), 'text': message}\n...
def x(self, apiMsgId): content = self.parseLegacy(self.request('http/delmsg', {'apimsgid': apiMsgId})) return {'id': content['ID'], 'status': content['Status'], 'description': self.getStatus(content['Status'])}
stopMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apiMsgId):\n content = self.parseLegacy(self.request('http/delmsg', {'apimsgid':\n apiMsgId}))\n return {'id': content['ID'], 'status': cont...
def x(self, apiMsgId): content = self.parseLegacy(self.request('http/getmsgcharge', { 'apimsgid': apiMsgId})) return {'id': apiMsgId, 'status': content['status'], 'description': self.getStatus(content['status']), 'charge': float(content['charge'])}
getMessageCharge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apiMsgId):\n content = self.parseLegacy(self.request('http/getmsgcharge', {\n 'apimsgid': apiMsgId}))\n return {'id': apiMsgId, 'status': co...
def x(self, msisdn): try: content = self.parseLegacy(self.request('utils/routeCoverage', { 'msisdn': msisdn})) return {'routable': True, 'destination': msisdn, 'charge': float( content['Charge'])} except Exception: return {'routable': False, 'destination': msisdn, 'charge': 0}
routeCoverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msisdn):\n try:\n content = self.parseLegacy(self.request('utils/routeCoverage', {\n 'msisdn': msisdn}))\n return {'routable'...
def x(self): if self.end_date: if not self.start_date: raise ValidationError('The End Date requires a Start Date value.') elif self.end_date <= self.start_date: raise ValidationError( 'The End Date must not precede the Start Date.')
clean_publish_dates
[ { "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.end_date:\n if not self.start_date:\n raise ValidationError('The End Date requires a Start Date value.')\n elif se...
def x(self): if self.videos: self.videos = [int(v) for v in self.videos if v is not None and is_valid_digit(v)]
clean_videos
[ { "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.videos:\n self.videos = [int(v) for v in self.videos if v is not None and\n is_valid_digit(v)]\n", "role": "user" }...
def x(self): if self.super_features: self.super_features = [int(sf) for sf in self.super_features if sf is not None and is_valid_digit(sf)]
clean_super_features
[ { "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.super_features:\n self.super_features = [int(sf) for sf in self.super_features if sf\n is not None and is_valid_digit(sf...
def x(self, *args, **kwargs): self.clean() if not self.slug: self.slug = slugify(self.name) super(SpecialCoverage, self).save(*args, **kwargs) if self.query and self.query != {}: self._save_percolator()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n self.clean()\n if not self.slug:\n self.slug = slugify(self.name)\n super(SpecialCoverage, self).save(*args, **kwargs...
def x(self): index = Content.search_objects.mapping.index query_filter = self.get_content(published=False).to_dict() q = {} if 'query' in query_filter: q = {'query': query_filter.get('query', {})} else: return q['sponsored'] = bool(self.tunic_campaign_id) q['start_date'] = self.start_date q['end_date'] = self.end_date if self.end_date else datetime.max.replace( tzinfo=pytz.UTC) if q['start_date']: q['start_date_epoch'] = datetime_to_epoch_seconds(q['start_date']) if q['end_date']: q['end_date_epoch'] = datetime_to_epoch_seconds(q['end_date']) if self.query: q['included_ids'] = self.query.get('included_ids', []) es.index(index=index, doc_type='.percolator', body=q, id=self.es_id)
save_percolator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n index = Content.search_objects.mapping.index\n query_filter = self.get_content(published=False).to_dict()\n q = {}\n if 'query' in query_f...
def x(self): if not hasattr(self, '_content'): self._content = self.get_content() return self._content
contents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, '_content'):\n self._content = self.get_content()\n return self._content\n", "role": "user" }, { "conten...