source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, vhost, exchange, queue, rt_key=None, args=None): vhost = quote(vhost, '') exchange = quote(exchange, '') queue = quote(queue, '') body = json.dumps({'routing_key': rt_key, 'arguments': args or []}) path = Client.urls['bindings_between_exch_queue'] % (vhost, exchange, queue ) binding = self._call(path, 'POST', body=body, headers=Client.json_headers) return binding
create_binding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vhost, exchange, queue, rt_key=None, args=None):\n vhost = quote(vhost, '')\n exchange = quote(exchange, '')\n queue = quote(queue, '')\n body = json.dumps({'routing_key': rt_key, 'arguments': args or []})\n path = Client.urls['bindings_between_exch_queue'] % (vhost, exchange, queue\n )\n binding = self._call(path, 'POST', body=body, headers=Client.json_headers)\n return binding\n", "role": "user" }, { "content": "create_binding", "role": "assistant" } ]
def x(self, vhost, exchange, queue, rt_key): vhost = quote(vhost, '') exchange = quote(exchange, '') queue = quote(queue, '') body = '' path = Client.urls['rt_bindings_between_exch_queue'] % (vhost, exchange, queue, rt_key) return self._call(path, 'DELETE', headers=Client.json_headers)
delete_binding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vhost, exchange, queue, rt_key):\n vhost = quote(vhost, '')\n exchange = quote(exchange, '')\n queue = quote(queue, '')\n body = ''\n path = Client.urls['rt_bindings_between_exch_queue'] % (vhost, exchange,\n queue, rt_key)\n return self._call(path, 'DELETE', headers=Client.json_headers)\n", "role": "user" }, { "content": "delete_binding", "role": "assistant" } ]
def x(self, username, password, tags=''): path = Client.urls['users_by_name'] % username body = json.dumps({'password': password, 'tags': tags}) return self._call(path, 'PUT', body=body, headers=Client.json_headers)
create_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password, tags=''):\n path = Client.urls['users_by_name'] % username\n body = json.dumps({'password': password, 'tags': tags})\n return self._call(path, 'PUT', body=body, headers=Client.json_headers)\n", "role": "user" }, { "content": "create_user", "role": "assistant" } ]
def x(self, username): path = Client.urls['users_by_name'] % username return self._call(path, 'DELETE')
delete_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username):\n path = Client.urls['users_by_name'] % username\n return self._call(path, 'DELETE')\n", "role": "user" }, { "content": "delete_user", "role": "assistant" } ]
def x(request): kwargs = {'slug': getattr(settings, 'WAKAWAKA_DEFAULT_INDEX', 'WikiIndex')} redirect_to = reverse('wakawaka_page', kwargs=kwargs) return HttpResponseRedirect(redirect_to)
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n kwargs = {'slug': getattr(settings, 'WAKAWAKA_DEFAULT_INDEX', 'WikiIndex')}\n redirect_to = reverse('wakawaka_page', kwargs=kwargs)\n return HttpResponseRedirect(redirect_to)\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(request, slug, rev_id=None, template_name='wakawaka/page.html', extra_context=None): try: queryset = WikiPage.objects.all() page = queryset.get(slug=slug) rev = page.current if rev_id: revision_queryset = Revision.objects.all() rev_specific = revision_queryset.get(pk=rev_id) if rev.pk != rev_specific.pk: rev_specific.is_not_current = True rev = rev_specific except WikiPage.DoesNotExist: if request.user.is_authenticated: kwargs = {'slug': slug} redirect_to = reverse('wakawaka_edit', kwargs=kwargs) return HttpResponseRedirect(redirect_to) raise Http404 template_context = {'page': page, 'rev': rev} template_context.update(extra_context or {}) return render(request, template_name, template_context)
page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, slug, rev_id=None, template_name='wakawaka/page.html',\n extra_context=None):\n try:\n queryset = WikiPage.objects.all()\n page = queryset.get(slug=slug)\n rev = page.current\n if rev_id:\n revision_queryset = Revision.objects.all()\n rev_specific = revision_queryset.get(pk=rev_id)\n if rev.pk != rev_specific.pk:\n rev_specific.is_not_current = True\n rev = rev_specific\n except WikiPage.DoesNotExist:\n if request.user.is_authenticated:\n kwargs = {'slug': slug}\n redirect_to = reverse('wakawaka_edit', kwargs=kwargs)\n return HttpResponseRedirect(redirect_to)\n raise Http404\n template_context = {'page': page, 'rev': rev}\n template_context.update(extra_context or {})\n return render(request, template_name, template_context)\n", "role": "user" }, { "content": "page", "role": "assistant" } ]
def x(request, slug, rev_id=None, template_name='wakawaka/edit.html', extra_context=None, wiki_page_form=WikiPageForm, wiki_delete_form= DeleteWikiPageForm): try: queryset = WikiPage.objects.all() page = queryset.get(slug=slug) rev = page.current initial = {'content': page.current.content} if not request.user.has_perms(('wakawaka.change_wikipage', 'wakawaka.change_revision')): return HttpResponseForbidden(ugettext( "You don't have permission to edit pages.")) if rev_id: rev_specific = Revision.objects.get(pk=rev_id) if rev.pk != rev_specific.pk: rev = rev_specific rev.is_not_current = True initial = {'content': rev.content, 'message': _( 'Reverted to "%s"' % rev.message)} except WikiPage.DoesNotExist: if not request.user.has_perms(('wakawaka.add_wikipage', 'wakawaka.add_revision')): return HttpResponseForbidden(ugettext( "You don't have permission to add wiki pages.")) page = WikiPage(slug=slug) page.is_initial = True rev = None initial = {'content': _('Describe your new page %s here...' % slug), 'message': _('Initial revision')} delete_form = None if request.user.has_perm('wakawaka.delete_wikipage' ) or request.user.has_perm('wakawaka.delete_revision'): delete_form = wiki_delete_form(request) if request.method == 'POST' and request.POST.get('delete'): delete_form = wiki_delete_form(request, request.POST) if delete_form.is_valid(): return delete_form.delete_wiki(request, page, rev) form = wiki_page_form(initial=initial) if request.method == 'POST': form = wiki_page_form(data=request.POST) if form.is_valid(): if not rev_id and initial['content'] == form.cleaned_data['content' ]: form.errors['content'] = _('You have made no changes!'), else: try: queryset = WikiPage.objects.all() page = queryset.get(slug=slug) except WikiPage.DoesNotExist: page = WikiPage(slug=slug) page.save() form.save(request, page) kwargs = {'slug': page.slug} redirect_to = reverse('wakawaka_page', kwargs=kwargs) messages.success(request, ugettext( 'Your changes to %s were saved' % page.slug)) return HttpResponseRedirect(redirect_to) template_context = {'form': form, 'delete_form': delete_form, 'page': page, 'rev': rev} template_context.update(extra_context or {}) return render(request, template_name, template_context)
edit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, slug, rev_id=None, template_name='wakawaka/edit.html',\n extra_context=None, wiki_page_form=WikiPageForm, wiki_delete_form=\n DeleteWikiPageForm):\n try:\n queryset = WikiPage.objects.all()\n page = queryset.get(slug=slug)\n rev = page.current\n initial = {'content': page.current.content}\n if not request.user.has_perms(('wakawaka.change_wikipage',\n 'wakawaka.change_revision')):\n return HttpResponseForbidden(ugettext(\n \"You don't have permission to edit pages.\"))\n if rev_id:\n rev_specific = Revision.objects.get(pk=rev_id)\n if rev.pk != rev_specific.pk:\n rev = rev_specific\n rev.is_not_current = True\n initial = {'content': rev.content, 'message': _(\n 'Reverted to \"%s\"' % rev.message)}\n except WikiPage.DoesNotExist:\n if not request.user.has_perms(('wakawaka.add_wikipage',\n 'wakawaka.add_revision')):\n return HttpResponseForbidden(ugettext(\n \"You don't have permission to add wiki pages.\"))\n page = WikiPage(slug=slug)\n page.is_initial = True\n rev = None\n initial = {'content': _('Describe your new page %s here...' % slug),\n 'message': _('Initial revision')}\n delete_form = None\n if request.user.has_perm('wakawaka.delete_wikipage'\n ) or request.user.has_perm('wakawaka.delete_revision'):\n delete_form = wiki_delete_form(request)\n if request.method == 'POST' and request.POST.get('delete'):\n delete_form = wiki_delete_form(request, request.POST)\n if delete_form.is_valid():\n return delete_form.delete_wiki(request, page, rev)\n form = wiki_page_form(initial=initial)\n if request.method == 'POST':\n form = wiki_page_form(data=request.POST)\n if form.is_valid():\n if not rev_id and initial['content'] == form.cleaned_data['content'\n ]:\n form.errors['content'] = _('You have made no changes!'),\n else:\n try:\n queryset = WikiPage.objects.all()\n page = queryset.get(slug=slug)\n except WikiPage.DoesNotExist:\n page = WikiPage(slug=slug)\n page.save()\n form.save(request, page)\n kwargs = {'slug': page.slug}\n redirect_to = reverse('wakawaka_page', kwargs=kwargs)\n messages.success(request, ugettext(\n 'Your changes to %s were saved' % page.slug))\n return HttpResponseRedirect(redirect_to)\n template_context = {'form': form, 'delete_form': delete_form, 'page':\n page, 'rev': rev}\n template_context.update(extra_context or {})\n return render(request, template_name, template_context)\n", "role": "user" }, { "content": "edit", "role": "assistant" } ]
def x(request, slug, template_name='wakawaka/revisions.html', extra_context =None): queryset = WikiPage.objects.all() page = get_object_or_404(queryset, slug=slug) template_context = {'page': page} template_context.update(extra_context or {}) return render(request, template_name, template_context)
revisions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, slug, template_name='wakawaka/revisions.html', extra_context\n =None):\n queryset = WikiPage.objects.all()\n page = get_object_or_404(queryset, slug=slug)\n template_context = {'page': page}\n template_context.update(extra_context or {})\n return render(request, template_name, template_context)\n", "role": "user" }, { "content": "revisions", "role": "assistant" } ]
def x(request, slug, template_name='wakawaka/changes.html', extra_context=None ): rev_a_id = request.GET.get('a', None) rev_b_id = request.GET.get('b', None) if not rev_a_id or not rev_b_id: return HttpResponseBadRequest('Bad Request') try: revision_queryset = Revision.objects.all() wikipage_queryset = WikiPage.objects.all() rev_a = revision_queryset.get(pk=rev_a_id) rev_b = revision_queryset.get(pk=rev_b_id) page = wikipage_queryset.get(slug=slug) except ObjectDoesNotExist: raise Http404 if rev_a.content != rev_b.content: d = difflib.unified_diff(rev_b.content.splitlines(), rev_a.content. splitlines(), 'Original', 'Current', lineterm='') difftext = '\n'.join(d) else: difftext = _(u'No changes were made between this two files.') template_context = {'page': page, 'diff': difftext, 'rev_a': rev_a, 'rev_b': rev_b} template_context.update(extra_context or {}) return render(request, template_name, template_context)
changes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, slug, template_name='wakawaka/changes.html', extra_context=None\n ):\n rev_a_id = request.GET.get('a', None)\n rev_b_id = request.GET.get('b', None)\n if not rev_a_id or not rev_b_id:\n return HttpResponseBadRequest('Bad Request')\n try:\n revision_queryset = Revision.objects.all()\n wikipage_queryset = WikiPage.objects.all()\n rev_a = revision_queryset.get(pk=rev_a_id)\n rev_b = revision_queryset.get(pk=rev_b_id)\n page = wikipage_queryset.get(slug=slug)\n except ObjectDoesNotExist:\n raise Http404\n if rev_a.content != rev_b.content:\n d = difflib.unified_diff(rev_b.content.splitlines(), rev_a.content.\n splitlines(), 'Original', 'Current', lineterm='')\n difftext = '\\n'.join(d)\n else:\n difftext = _(u'No changes were made between this two files.')\n template_context = {'page': page, 'diff': difftext, 'rev_a': rev_a,\n 'rev_b': rev_b}\n template_context.update(extra_context or {})\n return render(request, template_name, template_context)\n", "role": "user" }, { "content": "changes", "role": "assistant" } ]
def x(request, template_name='wakawaka/revision_list.html', extra_context=None ): revision_list = Revision.objects.all() template_context = {'revision_list': revision_list} template_context.update(extra_context or {}) return render(request, template_name, template_context)
revision_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, template_name='wakawaka/revision_list.html', extra_context=None\n ):\n revision_list = Revision.objects.all()\n template_context = {'revision_list': revision_list}\n template_context.update(extra_context or {})\n return render(request, template_name, template_context)\n", "role": "user" }, { "content": "revision_list", "role": "assistant" } ]
def x(request, template_name='wakawaka/page_list.html', extra_context=None): page_list = WikiPage.objects.all() page_list = page_list.order_by('slug') template_context = {'page_list': page_list, 'index_slug': getattr( settings, 'WAKAWAKA_DEFAULT_INDEX', 'WikiIndex')} template_context.update(extra_context or {}) return render(request, template_name, template_context)
page_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, template_name='wakawaka/page_list.html', extra_context=None):\n page_list = WikiPage.objects.all()\n page_list = page_list.order_by('slug')\n template_context = {'page_list': page_list, 'index_slug': getattr(\n settings, 'WAKAWAKA_DEFAULT_INDEX', 'WikiIndex')}\n template_context.update(extra_context or {})\n return render(request, template_name, template_context)\n", "role": "user" }, { "content": "page_list", "role": "assistant" } ]
def x(self, request, page, rev): if self.cleaned_data.get('delete') == 'page' and request.user.has_perm( 'wakawaka.delete_revision') and request.user.has_perm( 'wakawaka.delete_wikipage'): self._delete_page(page) messages.success(request, ugettext('The page %s was deleted' % page .slug)) return HttpResponseRedirect(reverse('wakawaka_index')) if self.cleaned_data.get('delete') == 'rev': revision_length = len(page.revisions.all()) if revision_length > 1 and request.user.has_perm( 'wakawaka.delete_revision'): self._delete_revision(rev) messages.success(request, ugettext( 'The revision for %s was deleted' % page.slug)) return HttpResponseRedirect(reverse('wakawaka_page', kwargs={ 'slug': page.slug})) if revision_length <= 1 and not request.user.has_perm( 'wakawaka.delete_wikipage'): messages.error(request, ugettext( "You can not delete this revison for %s because it's the only one and you have no permission to delete the whole page." % page.slug)) return HttpResponseRedirect(reverse('wakawaka_page', kwargs={ 'slug': page.slug})) if revision_length <= 1 and request.user.has_perm( 'wakawaka.delete_revision') and request.user.has_perm( 'wakawaka.delete_wikipage'): self._delete_page(page) messages.success(request, ugettext( 'The page for %s was deleted because you deleted the only revision' % page.slug)) return HttpResponseRedirect(reverse('wakawaka_index'))
delete_wiki
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, page, rev):\n if self.cleaned_data.get('delete') == 'page' and request.user.has_perm(\n 'wakawaka.delete_revision') and request.user.has_perm(\n 'wakawaka.delete_wikipage'):\n self._delete_page(page)\n messages.success(request, ugettext('The page %s was deleted' % page\n .slug))\n return HttpResponseRedirect(reverse('wakawaka_index'))\n if self.cleaned_data.get('delete') == 'rev':\n revision_length = len(page.revisions.all())\n if revision_length > 1 and request.user.has_perm(\n 'wakawaka.delete_revision'):\n self._delete_revision(rev)\n messages.success(request, ugettext(\n 'The revision for %s was deleted' % page.slug))\n return HttpResponseRedirect(reverse('wakawaka_page', kwargs={\n 'slug': page.slug}))\n if revision_length <= 1 and not request.user.has_perm(\n 'wakawaka.delete_wikipage'):\n messages.error(request, ugettext(\n \"You can not delete this revison for %s because it's the only one and you have no permission to delete the whole page.\"\n % page.slug))\n return HttpResponseRedirect(reverse('wakawaka_page', kwargs={\n 'slug': page.slug}))\n if revision_length <= 1 and request.user.has_perm(\n 'wakawaka.delete_revision') and request.user.has_perm(\n 'wakawaka.delete_wikipage'):\n self._delete_page(page)\n messages.success(request, ugettext(\n 'The page for %s was deleted because you deleted the only revision'\n % page.slug))\n return HttpResponseRedirect(reverse('wakawaka_index'))\n", "role": "user" }, { "content": "delete_wiki", "role": "assistant" } ]
def x(model, field_name): parts = field_name.split('__') field = model._meta.get_field(parts[0]) if len(parts) == 1: return model._meta.get_field(field_name) elif isinstance(field, models.ForeignKey): return get_real_field(field.rel.to, '__'.join(parts[1:])) else: raise Exception('Unhandled field: %s' % field_name)
get_real_field
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, field_name):\n parts = field_name.split('__')\n field = model._meta.get_field(parts[0])\n if len(parts) == 1:\n return model._meta.get_field(field_name)\n elif isinstance(field, models.ForeignKey):\n return get_real_field(field.rel.to, '__'.join(parts[1:]))\n else:\n raise Exception('Unhandled field: %s' % field_name)\n", "role": "user" }, { "content": "get_real_field", "role": "assistant" } ]
def x(self, field): from django.conf import settings if settings.DATABASES['default']['ENGINE'].endswith('sqlite3'): return not isinstance(get_real_field(self.model, field), UNSUPPORTED_REGEX_FIELDS) else: return True
can_regex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field):\n from django.conf import settings\n if settings.DATABASES['default']['ENGINE'].endswith('sqlite3'):\n return not isinstance(get_real_field(self.model, field),\n UNSUPPORTED_REGEX_FIELDS)\n else:\n return True\n", "role": "user" }, { "content": "can_regex", "role": "assistant" } ]
def x(self): orders = [] iSortingCols = self.dt_data['iSortingCols'] dt_orders = [(self.dt_data['iSortCol_%s' % i], self.dt_data[ 'sSortDir_%s' % i]) for i in xrange(iSortingCols)] for field_idx, field_dir in dt_orders: direction = '-' if field_dir == DESC else '' if hasattr(self, 'sort_col_%s' % field_idx): method = getattr(self, 'sort_col_%s' % field_idx) result = method(direction) if isinstance(result, (bytes, text_type)): orders.append(result) else: orders.extend(result) else: field = self.get_field(field_idx) if RE_FORMATTED.match(field): tokens = RE_FORMATTED.findall(field) orders.extend([('%s%s' % (direction, token)) for token in tokens]) else: orders.append('%s%s' % (direction, field)) return orders
get_orders
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n orders = []\n iSortingCols = self.dt_data['iSortingCols']\n dt_orders = [(self.dt_data['iSortCol_%s' % i], self.dt_data[\n 'sSortDir_%s' % i]) for i in xrange(iSortingCols)]\n for field_idx, field_dir in dt_orders:\n direction = '-' if field_dir == DESC else ''\n if hasattr(self, 'sort_col_%s' % field_idx):\n method = getattr(self, 'sort_col_%s' % field_idx)\n result = method(direction)\n if isinstance(result, (bytes, text_type)):\n orders.append(result)\n else:\n orders.extend(result)\n else:\n field = self.get_field(field_idx)\n if RE_FORMATTED.match(field):\n tokens = RE_FORMATTED.findall(field)\n orders.extend([('%s%s' % (direction, token)) for token in\n tokens])\n else:\n orders.append('%s%s' % (direction, field))\n return orders\n", "role": "user" }, { "content": "get_orders", "role": "assistant" } ]
def x(self, queryset): search = self.dt_data['sSearch'] if search: if self.dt_data['bRegex']: criterions = [Q(**{('%s__iregex' % field): search}) for field in self.get_db_fields() if self.can_regex(field)] if len(criterions) > 0: search = reduce(or_, criterions) queryset = queryset.filter(search) else: for term in search.split(): criterions = (Q(**{('%s__icontains' % field): term}) for field in self.get_db_fields()) search = reduce(or_, criterions) queryset = queryset.filter(search) return queryset
global_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queryset):\n search = self.dt_data['sSearch']\n if search:\n if self.dt_data['bRegex']:\n criterions = [Q(**{('%s__iregex' % field): search}) for field in\n self.get_db_fields() if self.can_regex(field)]\n if len(criterions) > 0:\n search = reduce(or_, criterions)\n queryset = queryset.filter(search)\n else:\n for term in search.split():\n criterions = (Q(**{('%s__icontains' % field): term}) for\n field in self.get_db_fields())\n search = reduce(or_, criterions)\n queryset = queryset.filter(search)\n return queryset\n", "role": "user" }, { "content": "global_search", "role": "assistant" } ]
def x(self, queryset): for idx in xrange(self.dt_data['iColumns']): search = self.dt_data['sSearch_%s' % idx] if search: if hasattr(self, 'search_col_%s' % idx): custom_search = getattr(self, 'search_col_%s' % idx) queryset = custom_search(search, queryset) else: field = self.get_field(idx) fields = RE_FORMATTED.findall(field) if RE_FORMATTED.match( field) else [field] if self.dt_data['bRegex_%s' % idx]: criterions = [Q(**{('%s__iregex' % field): search}) for field in fields if self.can_regex(field)] if len(criterions) > 0: search = reduce(or_, criterions) queryset = queryset.filter(search) else: for term in search.split(): criterions = (Q(**{('%s__icontains' % field): term} ) for field in fields) search = reduce(or_, criterions) queryset = queryset.filter(search) return queryset
column_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queryset):\n for idx in xrange(self.dt_data['iColumns']):\n search = self.dt_data['sSearch_%s' % idx]\n if search:\n if hasattr(self, 'search_col_%s' % idx):\n custom_search = getattr(self, 'search_col_%s' % idx)\n queryset = custom_search(search, queryset)\n else:\n field = self.get_field(idx)\n fields = RE_FORMATTED.findall(field) if RE_FORMATTED.match(\n field) else [field]\n if self.dt_data['bRegex_%s' % idx]:\n criterions = [Q(**{('%s__iregex' % field): search}) for\n field in fields if self.can_regex(field)]\n if len(criterions) > 0:\n search = reduce(or_, criterions)\n queryset = queryset.filter(search)\n else:\n for term in search.split():\n criterions = (Q(**{('%s__icontains' % field): term}\n ) for field in fields)\n search = reduce(or_, criterions)\n queryset = queryset.filter(search)\n return queryset\n", "role": "user" }, { "content": "column_search", "role": "assistant" } ]
def x(self): qs = super(DatatablesView, self).get_queryset() qs = self.global_search(qs) qs = self.column_search(qs) return qs.order_by(*self.get_orders())
get_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n qs = super(DatatablesView, self).get_queryset()\n qs = self.global_search(qs)\n qs = self.column_search(qs)\n return qs.order_by(*self.get_orders())\n", "role": "user" }, { "content": "get_queryset", "role": "assistant" } ]
def x(self, form): page_size = form.cleaned_data['iDisplayLength'] start_index = form.cleaned_data['iDisplayStart'] paginator = Paginator(self.object_list, page_size) num_page = start_index / page_size + 1 return paginator.page(num_page)
get_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, form):\n page_size = form.cleaned_data['iDisplayLength']\n start_index = form.cleaned_data['iDisplayStart']\n paginator = Paginator(self.object_list, page_size)\n num_page = start_index / page_size + 1\n return paginator.page(num_page)\n", "role": "user" }, { "content": "get_page", "role": "assistant" } ]
def x(self, row): if isinstance(self.fields, dict): return dict([(key, text_type(value).format(**row) if RE_FORMATTED. match(value) else row[value]) for key, value in self.fields. items()]) else: return [(text_type(field).format(**row) if RE_FORMATTED.match(field ) else row[field]) for field in self.fields]
get_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row):\n if isinstance(self.fields, dict):\n return dict([(key, text_type(value).format(**row) if RE_FORMATTED.\n match(value) else row[value]) for key, value in self.fields.\n items()])\n else:\n return [(text_type(field).format(**row) if RE_FORMATTED.match(field\n ) else row[field]) for field in self.fields]\n", "role": "user" }, { "content": "get_row", "role": "assistant" } ]
def x(self, form, **kwargs): page = self.get_page(form) data = {'iTotalRecords': page.paginator.count, 'iTotalDisplayRecords': page.paginator.count, 'sEcho': form.cleaned_data['sEcho'], 'aaData': self.get_rows(page.object_list)} return self.json_response(data)
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, form, **kwargs):\n page = self.get_page(form)\n data = {'iTotalRecords': page.paginator.count, 'iTotalDisplayRecords':\n page.paginator.count, 'sEcho': form.cleaned_data['sEcho'], 'aaData':\n self.get_rows(page.object_list)}\n return self.json_response(data)\n", "role": "user" }, { "content": "render_to_response", "role": "assistant" } ]
def x(self, grant_type='client_credentials', api_key=None, api_secret=None, scope=None, info=None): self.access_token = None if api_key and api_secret: self._grant_info['key'] = api_key self._grant_info['secret'] = api_secret else: raise DailymotionClientError('Missing API key/secret') if isinstance(info, dict): self._grant_info.update(info) else: info = {} if self._session_store_enabled and isinstance(info, dict) and info.get( 'username') is not None: self._session_store.set_user(info.get('username')) if grant_type in ('authorization', 'token'): grant_type = 'authorization' if 'redirect_uri' not in info: raise DailymotionClientError( 'Missing redirect_uri in grant info for token grant type.') elif grant_type in ('client_credentials', 'none'): grant_type = 'client_credentials' elif grant_type == 'password': if 'username' not in info or 'password' not in info: raise DailymotionClientError( 'Missing username or password in grant info for password grant type.' ) self._grant_type = grant_type if scope: if not isinstance(scope, (list, tuple)): raise DailymotionClientError( 'Invalid scope type: must be a list of valid scopes') self._grant_info['scope'] = scope
set_grant_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, grant_type='client_credentials', api_key=None, api_secret=None,\n scope=None, info=None):\n self.access_token = None\n if api_key and api_secret:\n self._grant_info['key'] = api_key\n self._grant_info['secret'] = api_secret\n else:\n raise DailymotionClientError('Missing API key/secret')\n if isinstance(info, dict):\n self._grant_info.update(info)\n else:\n info = {}\n if self._session_store_enabled and isinstance(info, dict) and info.get(\n 'username') is not None:\n self._session_store.set_user(info.get('username'))\n if grant_type in ('authorization', 'token'):\n grant_type = 'authorization'\n if 'redirect_uri' not in info:\n raise DailymotionClientError(\n 'Missing redirect_uri in grant info for token grant type.')\n elif grant_type in ('client_credentials', 'none'):\n grant_type = 'client_credentials'\n elif grant_type == 'password':\n if 'username' not in info or 'password' not in info:\n raise DailymotionClientError(\n 'Missing username or password in grant info for password grant type.'\n )\n self._grant_type = grant_type\n if scope:\n if not isinstance(scope, (list, tuple)):\n raise DailymotionClientError(\n 'Invalid scope type: must be a list of valid scopes')\n self._grant_info['scope'] = scope\n", "role": "user" }, { "content": "set_grant_type", "role": "assistant" } ]
def x(func): @wraps(func) def x(*args, **kwargs): self = args[0] if (self.refresh_token is not None and self.token_expiration_time <= dt.datetime.utcnow()): self.re_authenticate() return func(*args, **kwargs) return wrapper
authenticated
[ { "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 self = args[0]\n if (self.refresh_token is not None and self.token_expiration_time <=\n dt.datetime.utcnow()):\n self.re_authenticate()\n return func(*args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "authenticated", "role": "assistant" } ]
def x(*parts): part_list = [] for part in parts: p = str(part) if p.endswith('//'): p = p[0:-1] else: p = p.strip('/') part_list.append(p) url = '/'.join(part_list) return url
urljoin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*parts):\n part_list = []\n for part in parts:\n p = str(part)\n if p.endswith('//'):\n p = p[0:-1]\n else:\n p = p.strip('/')\n part_list.append(p)\n url = '/'.join(part_list)\n return url\n", "role": "user" }, { "content": "urljoin", "role": "assistant" } ]
def x(self, username, password): url = URLS['token'] data = {'grant_type': 'password', 'client_id': self.client_id, 'client_secret': self.client_secret, 'username': username, 'password': password} r = requests.post(url, data=data) r.raise_for_status() j = r.json() self.access_token = j['access_token'] self.refresh_token = j['refresh_token'] self._set_token_expiration_time(expires_in=j['expires_in']) return r
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n url = URLS['token']\n data = {'grant_type': 'password', 'client_id': self.client_id,\n 'client_secret': self.client_secret, 'username': username,\n 'password': password}\n r = requests.post(url, data=data)\n r.raise_for_status()\n j = r.json()\n self.access_token = j['access_token']\n self.refresh_token = j['refresh_token']\n self._set_token_expiration_time(expires_in=j['expires_in'])\n return r\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self, expires_in): self.token_expiration_time = dt.datetime.utcnow() + dt.timedelta(0, expires_in)
set_token_expiration_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expires_in):\n self.token_expiration_time = dt.datetime.utcnow() + dt.timedelta(0,\n expires_in)\n", "role": "user" }, { "content": "set_token_expiration_time", "role": "assistant" } ]
def x(self): url = URLS['servicelocation'] headers = {'Authorization': 'Bearer {}'.format(self.access_token)} r = requests.get(url, headers=headers) r.raise_for_status() return r.json()
get_service_locations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = URLS['servicelocation']\n headers = {'Authorization': 'Bearer {}'.format(self.access_token)}\n r = requests.get(url, headers=headers)\n r.raise_for_status()\n return r.json()\n", "role": "user" }, { "content": "get_service_locations", "role": "assistant" } ]
def x(self, service_location_id): url = urljoin(URLS['servicelocation'], service_location_id, 'info') headers = {'Authorization': 'Bearer {}'.format(self.access_token)} r = requests.get(url, headers=headers) r.raise_for_status() return r.json()
get_service_location_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id):\n url = urljoin(URLS['servicelocation'], service_location_id, 'info')\n headers = {'Authorization': 'Bearer {}'.format(self.access_token)}\n r = requests.get(url, headers=headers)\n r.raise_for_status()\n return r.json()\n", "role": "user" }, { "content": "get_service_location_info", "role": "assistant" } ]
def x(self, service_location_id, start, end, aggregation, raw=False): url = urljoin(URLS['servicelocation'], service_location_id, 'consumption') d = self._get_consumption(url=url, start=start, end=end, aggregation= aggregation) if not raw: for block in d['consumptions']: if 'alwaysOn' not in block.keys(): break block.update({'alwaysOn': block['alwaysOn'] / 12}) return d
get_consumption
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id, start, end, aggregation, raw=False):\n url = urljoin(URLS['servicelocation'], service_location_id, 'consumption')\n d = self._get_consumption(url=url, start=start, end=end, aggregation=\n aggregation)\n if not raw:\n for block in d['consumptions']:\n if 'alwaysOn' not in block.keys():\n break\n block.update({'alwaysOn': block['alwaysOn'] / 12})\n return d\n", "role": "user" }, { "content": "get_consumption", "role": "assistant" } ]
def x(self, service_location_id, sensor_id, start, end, aggregation): url = urljoin(URLS['servicelocation'], service_location_id, 'sensor', sensor_id, 'consumption') return self._get_consumption(url=url, start=start, end=end, aggregation =aggregation)
get_sensor_consumption
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id, sensor_id, start, end, aggregation):\n url = urljoin(URLS['servicelocation'], service_location_id, 'sensor',\n sensor_id, 'consumption')\n return self._get_consumption(url=url, start=start, end=end, aggregation\n =aggregation)\n", "role": "user" }, { "content": "get_sensor_consumption", "role": "assistant" } ]
def x(self, url, start, end, aggregation): start = self._to_milliseconds(start) end = self._to_milliseconds(end) headers = {'Authorization': 'Bearer {}'.format(self.access_token)} params = {'aggregation': aggregation, 'from': start, 'to': end} r = requests.get(url, headers=headers, params=params) r.raise_for_status() return r.json()
get_consumption
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, start, end, aggregation):\n start = self._to_milliseconds(start)\n end = self._to_milliseconds(end)\n headers = {'Authorization': 'Bearer {}'.format(self.access_token)}\n params = {'aggregation': aggregation, 'from': start, 'to': end}\n r = requests.get(url, headers=headers, params=params)\n r.raise_for_status()\n return r.json()\n", "role": "user" }, { "content": "get_consumption", "role": "assistant" } ]
def x(self, service_location_id, appliance_id, start, end, max_number=None): start = self._to_milliseconds(start) end = self._to_milliseconds(end) url = urljoin(URLS['servicelocation'], service_location_id, 'events') headers = {'Authorization': 'Bearer {}'.format(self.access_token)} params = {'from': start, 'to': end, 'applianceId': appliance_id, 'maxNumber': max_number} r = requests.get(url, headers=headers, params=params) r.raise_for_status() return r.json()
get_events
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id, appliance_id, start, end, max_number=None):\n start = self._to_milliseconds(start)\n end = self._to_milliseconds(end)\n url = urljoin(URLS['servicelocation'], service_location_id, 'events')\n headers = {'Authorization': 'Bearer {}'.format(self.access_token)}\n params = {'from': start, 'to': end, 'applianceId': appliance_id,\n 'maxNumber': max_number}\n r = requests.get(url, headers=headers, params=params)\n r.raise_for_status()\n return r.json()\n", "role": "user" }, { "content": "get_events", "role": "assistant" } ]
def x(self, service_location_id, actuator_id, duration=None): return self._actuator_on_off(on_off='on', service_location_id= service_location_id, actuator_id=actuator_id, duration=duration)
actuator_on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id, actuator_id, duration=None):\n return self._actuator_on_off(on_off='on', service_location_id=\n service_location_id, actuator_id=actuator_id, duration=duration)\n", "role": "user" }, { "content": "actuator_on", "role": "assistant" } ]
def x(self, service_location_id, actuator_id, duration=None): return self._actuator_on_off(on_off='off', service_location_id= service_location_id, actuator_id=actuator_id, duration=duration)
actuator_off
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id, actuator_id, duration=None):\n return self._actuator_on_off(on_off='off', service_location_id=\n service_location_id, actuator_id=actuator_id, duration=duration)\n", "role": "user" }, { "content": "actuator_off", "role": "assistant" } ]
def x(self, on_off, service_location_id, actuator_id, duration=None): url = urljoin(URLS['servicelocation'], service_location_id, 'actuator', actuator_id, on_off) headers = {'Authorization': 'Bearer {}'.format(self.access_token)} if duration is not None: data = {'duration': duration} else: data = {} r = requests.post(url, headers=headers, json=data) r.raise_for_status() return r
actuator_on_off
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, on_off, service_location_id, actuator_id, duration=None):\n url = urljoin(URLS['servicelocation'], service_location_id, 'actuator',\n actuator_id, on_off)\n headers = {'Authorization': 'Bearer {}'.format(self.access_token)}\n if duration is not None:\n data = {'duration': duration}\n else:\n data = {}\n r = requests.post(url, headers=headers, json=data)\n r.raise_for_status()\n return r\n", "role": "user" }, { "content": "actuator_on_off", "role": "assistant" } ]
def x(self, service_location_id, start, end, aggregation, sensor_id=None, localize=False, raw=False): import pandas as pd if sensor_id is None: data = self.get_consumption(service_location_id=service_location_id, start=start, end=end, aggregation=aggregation, raw=raw) consumptions = data['consumptions'] else: data = self.get_sensor_consumption(service_location_id= service_location_id, sensor_id=sensor_id, start=start, end=end, aggregation=aggregation) consumptions = data['records'] df = pd.DataFrame.from_dict(consumptions) if not df.empty: df.set_index('timestamp', inplace=True) df.index = pd.to_datetime(df.index, unit='ms', utc=True) if localize: info = self.get_service_location_info(service_location_id= service_location_id) timezone = info['timezone'] df = df.tz_convert(timezone) return df
get_consumption_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service_location_id, start, end, aggregation, sensor_id=None,\n localize=False, raw=False):\n import pandas as pd\n if sensor_id is None:\n data = self.get_consumption(service_location_id=service_location_id,\n start=start, end=end, aggregation=aggregation, raw=raw)\n consumptions = data['consumptions']\n else:\n data = self.get_sensor_consumption(service_location_id=\n service_location_id, sensor_id=sensor_id, start=start, end=end,\n aggregation=aggregation)\n consumptions = data['records']\n df = pd.DataFrame.from_dict(consumptions)\n if not df.empty:\n df.set_index('timestamp', inplace=True)\n df.index = pd.to_datetime(df.index, unit='ms', utc=True)\n if localize:\n info = self.get_service_location_info(service_location_id=\n service_location_id)\n timezone = info['timezone']\n df = df.tz_convert(timezone)\n return df\n", "role": "user" }, { "content": "get_consumption_dataframe", "role": "assistant" } ]
def x(self, time): if isinstance(time, dt.datetime): if time.tzinfo is None: time = time.replace(tzinfo=pytz.UTC) return int(time.timestamp() * 1000.0) elif isinstance(time, numbers.Number): return time else: raise NotImplementedError( 'Time format not supported. Use milliseconds since epoch, Datetime or Pandas Datetime' )
to_milliseconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time):\n if isinstance(time, dt.datetime):\n if time.tzinfo is None:\n time = time.replace(tzinfo=pytz.UTC)\n return int(time.timestamp() * 1000.0)\n elif isinstance(time, numbers.Number):\n return time\n else:\n raise NotImplementedError(\n 'Time format not supported. Use milliseconds since epoch, Datetime or Pandas Datetime'\n )\n", "role": "user" }, { "content": "to_milliseconds", "role": "assistant" } ]
def x(self, url, data=None): _url = urljoin(self.base_url, url) r = self.session.post(_url, data=data, headers=self.headers, timeout=5) r.raise_for_status() return r
basic_post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, data=None):\n _url = urljoin(self.base_url, url)\n r = self.session.post(_url, data=data, headers=self.headers, timeout=5)\n r.raise_for_status()\n return r\n", "role": "user" }, { "content": "basic_post", "role": "assistant" } ]
def x(self, password='admin'): r = self._basic_post(url='logon', data=password) return r.json()
logon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, password='admin'):\n r = self._basic_post(url='logon', data=password)\n return r.json()\n", "role": "user" }, { "content": "logon", "role": "assistant" } ]
def x(self): inst = self.load_instantaneous() values = [float(i['value']) for i in inst if i['key'].endswith( 'ActivePower')] return sum(values) / 1000
active_power
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n inst = self.load_instantaneous()\n values = [float(i['value']) for i in inst if i['key'].endswith(\n 'ActivePower')]\n return sum(values) / 1000\n", "role": "user" }, { "content": "active_power", "role": "assistant" } ]
def x(self): inst = self.load_instantaneous() values = [float(i['value']) for i in inst if i['key'].endswith('Cosfi')] return sum(values) / len(values)
active_cosfi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n inst = self.load_instantaneous()\n values = [float(i['value']) for i in inst if i['key'].endswith('Cosfi')]\n return sum(values) / len(values)\n", "role": "user" }, { "content": "active_cosfi", "role": "assistant" } ]
def x(self, val_id): data = 'control,controlId=1|' + val_id return self._basic_post(url='commandControlPublic', data=data)
on_command_control
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val_id):\n data = 'control,controlId=1|' + val_id\n return self._basic_post(url='commandControlPublic', data=data)\n", "role": "user" }, { "content": "on_command_control", "role": "assistant" } ]
def x(self, val_id): data = 'control,controlId=0|' + val_id return self._basic_post(url='commandControlPublic', data=data)
off_command_control
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val_id):\n data = 'control,controlId=0|' + val_id\n return self._basic_post(url='commandControlPublic', data=data)\n", "role": "user" }, { "content": "off_command_control", "role": "assistant" } ]
def x(self, val_id): data = 'delete,controlId=' + val_id return self._basic_post(url='commandControlPublic', data=data)
delete_command_control
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val_id):\n data = 'delete,controlId=' + val_id\n return self._basic_post(url='commandControlPublic', data=data)\n", "role": "user" }, { "content": "delete_command_control", "role": "assistant" } ]
def x(self, val_id): data = 'deleteTimers,controlId=' + val_id return self._basic_post(url='commandControlPublic', data=data)
delete_command_control_timers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, val_id):\n data = 'deleteTimers,controlId=' + val_id\n return self._basic_post(url='commandControlPublic', data=data)\n", "role": "user" }, { "content": "delete_command_control_timers", "role": "assistant" } ]
def x(self, logfile): data = 'logFileSelect,' + logfile r = self._basic_post(url='logBrowser', data=data) return r.json()
select_logfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, logfile):\n data = 'logFileSelect,' + logfile\n r = self._basic_post(url='logBrowser', data=data)\n return r.json()\n", "role": "user" }, { "content": "select_logfile", "role": "assistant" } ]
def x(interface, endpoint_list, class_descriptor_list=()): interface = getDescriptor(USBInterfaceDescriptor, bNumEndpoints=len( endpoint_list), **interface) class_descriptor_list = list(class_descriptor_list) fs_list = [interface] + class_descriptor_list hs_list = [interface] + class_descriptor_list ss_list = [interface] + class_descriptor_list need_address = endpoint_list[0]['endpoint'].get('bEndpointAddress', 0 ) & ~ch9.USB_DIR_IN == 0 for index, endpoint in enumerate(endpoint_list, 1): endpoint_kw = endpoint['endpoint'].copy() transfer_type = endpoint_kw['bmAttributes' ] & ch9.USB_ENDPOINT_XFERTYPE_MASK fs_max, hs_max, ss_max = _MAX_PACKET_SIZE_DICT[transfer_type] if need_address: endpoint_kw['bEndpointAddress'] = index | endpoint_kw.get( 'bEndpointAddress', 0) & ch9.USB_DIR_IN klass = (USBEndpointDescriptor if 'bRefresh' in endpoint_kw or 'bSynchAddress' in endpoint_kw else USBEndpointDescriptorNoAudio) interval = endpoint_kw.pop('bInterval', _MARKER) if interval is _MARKER: fs_interval = hs_interval = 0 elif transfer_type == ch9.USB_ENDPOINT_XFER_BULK: fs_interval = 0 hs_interval = interval else: fs_interval = max(1, min(255, round(interval))) hs_interval = max(1, min(16, int(round(1 + math.log(interval * 8, 2))))) packet_size = endpoint_kw.pop('wMaxPacketSize', _MARKER) if packet_size is _MARKER: fs_packet_size = fs_max hs_packet_size = hs_max ss_packet_size = ss_max else: fs_packet_size = min(fs_max, packet_size) hs_packet_size = min(hs_max, packet_size) ss_packet_size = min(ss_max, packet_size) fs_list.append(getDescriptor(klass, wMaxPacketSize=fs_max, bInterval=fs_interval, **endpoint_kw)) hs_list.append(getDescriptor(klass, wMaxPacketSize=hs_max, bInterval=hs_interval, **endpoint_kw)) ss_list.append(getDescriptor(klass, wMaxPacketSize=ss_max, bInterval=hs_interval, **endpoint_kw)) ss_companion_kw = endpoint.get('superspeed', _EMPTY_DICT) ss_list.append(getDescriptor(USBSSEPCompDescriptor, **ss_companion_kw)) ssp_iso_kw = endpoint.get('superspeed_iso', _EMPTY_DICT) if bool(ssp_iso_kw) != (endpoint_kw.get('bmAttributes', 0) & ch9. USB_ENDPOINT_XFERTYPE_MASK == ch9.USB_ENDPOINT_XFER_ISOC and bool(ch9.USB_SS_SSP_ISOC_COMP(ss_companion_kw.get( 'bmAttributes', 0)))): raise ValueError('Inconsistent isochronous companion') if ssp_iso_kw: ss_list.append(getDescriptor(USBSSPIsocEndpointDescriptor, ** ssp_iso_kw)) return fs_list, hs_list, ss_list
getInterfaceInAllSpeeds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(interface, endpoint_list, class_descriptor_list=()):\n interface = getDescriptor(USBInterfaceDescriptor, bNumEndpoints=len(\n endpoint_list), **interface)\n class_descriptor_list = list(class_descriptor_list)\n fs_list = [interface] + class_descriptor_list\n hs_list = [interface] + class_descriptor_list\n ss_list = [interface] + class_descriptor_list\n need_address = endpoint_list[0]['endpoint'].get('bEndpointAddress', 0\n ) & ~ch9.USB_DIR_IN == 0\n for index, endpoint in enumerate(endpoint_list, 1):\n endpoint_kw = endpoint['endpoint'].copy()\n transfer_type = endpoint_kw['bmAttributes'\n ] & ch9.USB_ENDPOINT_XFERTYPE_MASK\n fs_max, hs_max, ss_max = _MAX_PACKET_SIZE_DICT[transfer_type]\n if need_address:\n endpoint_kw['bEndpointAddress'] = index | endpoint_kw.get(\n 'bEndpointAddress', 0) & ch9.USB_DIR_IN\n klass = (USBEndpointDescriptor if 'bRefresh' in endpoint_kw or \n 'bSynchAddress' in endpoint_kw else USBEndpointDescriptorNoAudio)\n interval = endpoint_kw.pop('bInterval', _MARKER)\n if interval is _MARKER:\n fs_interval = hs_interval = 0\n elif transfer_type == ch9.USB_ENDPOINT_XFER_BULK:\n fs_interval = 0\n hs_interval = interval\n else:\n fs_interval = max(1, min(255, round(interval)))\n hs_interval = max(1, min(16, int(round(1 + math.log(interval * \n 8, 2)))))\n packet_size = endpoint_kw.pop('wMaxPacketSize', _MARKER)\n if packet_size is _MARKER:\n fs_packet_size = fs_max\n hs_packet_size = hs_max\n ss_packet_size = ss_max\n else:\n fs_packet_size = min(fs_max, packet_size)\n hs_packet_size = min(hs_max, packet_size)\n ss_packet_size = min(ss_max, packet_size)\n fs_list.append(getDescriptor(klass, wMaxPacketSize=fs_max,\n bInterval=fs_interval, **endpoint_kw))\n hs_list.append(getDescriptor(klass, wMaxPacketSize=hs_max,\n bInterval=hs_interval, **endpoint_kw))\n ss_list.append(getDescriptor(klass, wMaxPacketSize=ss_max,\n bInterval=hs_interval, **endpoint_kw))\n ss_companion_kw = endpoint.get('superspeed', _EMPTY_DICT)\n ss_list.append(getDescriptor(USBSSEPCompDescriptor, **ss_companion_kw))\n ssp_iso_kw = endpoint.get('superspeed_iso', _EMPTY_DICT)\n if bool(ssp_iso_kw) != (endpoint_kw.get('bmAttributes', 0) & ch9.\n USB_ENDPOINT_XFERTYPE_MASK == ch9.USB_ENDPOINT_XFER_ISOC and\n bool(ch9.USB_SS_SSP_ISOC_COMP(ss_companion_kw.get(\n 'bmAttributes', 0)))):\n raise ValueError('Inconsistent isochronous companion')\n if ssp_iso_kw:\n ss_list.append(getDescriptor(USBSSPIsocEndpointDescriptor, **\n ssp_iso_kw))\n return fs_list, hs_list, ss_list\n", "role": "user" }, { "content": "getInterfaceInAllSpeeds", "role": "assistant" } ]
def x(klass, **kw): empty = klass() assert hasattr(empty, 'bLength') assert hasattr(empty, 'bDescriptorType') unknown = [x for x in kw if not hasattr(empty, x)] if unknown: raise TypeError('Unknown fields %r' % (unknown,)) return klass(bLength=ctypes.sizeof(klass), bDescriptorType=klass. _bDescriptorType, **kw)
getDescriptor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass, **kw):\n empty = klass()\n assert hasattr(empty, 'bLength')\n assert hasattr(empty, 'bDescriptorType')\n unknown = [x for x in kw if not hasattr(empty, x)]\n if unknown:\n raise TypeError('Unknown fields %r' % (unknown,))\n return klass(bLength=ctypes.sizeof(klass), bDescriptorType=klass.\n _bDescriptorType, **kw)\n", "role": "user" }, { "content": "getDescriptor", "role": "assistant" } ]
def x(interface, ext_list): try: ext_type, = {type(x) for x in ext_list} except ValueError: raise TypeError('Extensions of a single type are required.') if issubclass(ext_type, OSExtCompatDesc): wIndex = 4 kw = {'b': OSDescHeaderBCount(bCount=len(ext_list), Reserved=0)} elif issubclass(ext_type, OSExtPropDescHead): wIndex = 5 kw = {'wCount': len(ext_list)} else: raise TypeError('Extensions of unexpected type') ext_list_type = ext_type * len(ext_list) klass = type('OSDesc', (OSDescHeader,), {'_fields_': [('ext_list', ext_list_type)]}) return klass(interface=interface, dwLength=ctypes.sizeof(klass), bcdVersion=1, wIndex=wIndex, ext_list=ext_list_type(*ext_list), **kw)
getOSDesc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(interface, ext_list):\n try:\n ext_type, = {type(x) for x in ext_list}\n except ValueError:\n raise TypeError('Extensions of a single type are required.')\n if issubclass(ext_type, OSExtCompatDesc):\n wIndex = 4\n kw = {'b': OSDescHeaderBCount(bCount=len(ext_list), Reserved=0)}\n elif issubclass(ext_type, OSExtPropDescHead):\n wIndex = 5\n kw = {'wCount': len(ext_list)}\n else:\n raise TypeError('Extensions of unexpected type')\n ext_list_type = ext_type * len(ext_list)\n klass = type('OSDesc', (OSDescHeader,), {'_fields_': [('ext_list',\n ext_list_type)]})\n return klass(interface=interface, dwLength=ctypes.sizeof(klass),\n bcdVersion=1, wIndex=wIndex, ext_list=ext_list_type(*ext_list), **kw)\n", "role": "user" }, { "content": "getOSDesc", "role": "assistant" } ]
def x(data_type, name, value): klass = type('OSExtPropDesc', (OSExtPropDescHead,), {'_fields_': [( 'bPropertyName', ctypes.c_char * len(name)), ( 'dwPropertyDataLength', le32), ('bProperty', ctypes.c_char * len( value))]}) return klass(dwSize=ctypes.sizeof(klass), dwPropertyDataType=data_type, wPropertyNameLength=len(name), bPropertyName=name, dwPropertyDataLength=len(value), bProperty=value)
getOSExtPropDesc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_type, name, value):\n klass = type('OSExtPropDesc', (OSExtPropDescHead,), {'_fields_': [(\n 'bPropertyName', ctypes.c_char * len(name)), (\n 'dwPropertyDataLength', le32), ('bProperty', ctypes.c_char * len(\n value))]})\n return klass(dwSize=ctypes.sizeof(klass), dwPropertyDataType=data_type,\n wPropertyNameLength=len(name), bPropertyName=name,\n dwPropertyDataLength=len(value), bProperty=value)\n", "role": "user" }, { "content": "getOSExtPropDesc", "role": "assistant" } ]
def x(flags, fs_list=(), hs_list=(), ss_list=(), os_list=()): count_field_list = [] descr_field_list = [] kw = {} for descriptor_list, flag, prefix, allowed_descriptor_klass in (( fs_list, HAS_FS_DESC, 'fs', USBDescriptorHeader), (hs_list, HAS_HS_DESC, 'hs', USBDescriptorHeader), (ss_list, HAS_SS_DESC, 'ss', USBDescriptorHeader), (os_list, HAS_MS_OS_DESC, 'os', OSDescHeader)): if descriptor_list: for index, descriptor in enumerate(descriptor_list): if not isinstance(descriptor, allowed_descriptor_klass): raise TypeError('Descriptor %r of unexpected type: %r' % (index, type(descriptor))) descriptor_map = [('desc_%i' % x, y) for x, y in enumerate( descriptor_list)] flags |= flag count_name = prefix + 'count' descr_name = prefix + 'descr' count_field_list.append((count_name, le32)) descr_type = type('t_' + descr_name, (ctypes. LittleEndianStructure,), {'_pack_': 1, '_fields_': [(x, type(y)) for x, y in descriptor_map]}) descr_field_list.append((descr_name, descr_type)) kw[count_name] = len(descriptor_map) kw[descr_name] = descr_type(**dict(descriptor_map)) elif flags & flag: raise ValueError( 'Flag %r set but descriptor list empty, cannot generate type.' % (FLAGS.get(flag),)) klass = type('DescsV2_0x%02x' % (flags & (HAS_FS_DESC | HAS_HS_DESC | HAS_SS_DESC | HAS_MS_OS_DESC),), (DescsHeadV2,), {'_fields_': count_field_list + descr_field_list}) return klass(magic=DESCRIPTORS_MAGIC_V2, length=ctypes.sizeof(klass), flags=flags, **kw)
getDescsV2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(flags, fs_list=(), hs_list=(), ss_list=(), os_list=()):\n count_field_list = []\n descr_field_list = []\n kw = {}\n for descriptor_list, flag, prefix, allowed_descriptor_klass in ((\n fs_list, HAS_FS_DESC, 'fs', USBDescriptorHeader), (hs_list,\n HAS_HS_DESC, 'hs', USBDescriptorHeader), (ss_list, HAS_SS_DESC,\n 'ss', USBDescriptorHeader), (os_list, HAS_MS_OS_DESC, 'os',\n OSDescHeader)):\n if descriptor_list:\n for index, descriptor in enumerate(descriptor_list):\n if not isinstance(descriptor, allowed_descriptor_klass):\n raise TypeError('Descriptor %r of unexpected type: %r' %\n (index, type(descriptor)))\n descriptor_map = [('desc_%i' % x, y) for x, y in enumerate(\n descriptor_list)]\n flags |= flag\n count_name = prefix + 'count'\n descr_name = prefix + 'descr'\n count_field_list.append((count_name, le32))\n descr_type = type('t_' + descr_name, (ctypes.\n LittleEndianStructure,), {'_pack_': 1, '_fields_': [(x,\n type(y)) for x, y in descriptor_map]})\n descr_field_list.append((descr_name, descr_type))\n kw[count_name] = len(descriptor_map)\n kw[descr_name] = descr_type(**dict(descriptor_map))\n elif flags & flag:\n raise ValueError(\n 'Flag %r set but descriptor list empty, cannot generate type.'\n % (FLAGS.get(flag),))\n klass = type('DescsV2_0x%02x' % (flags & (HAS_FS_DESC | HAS_HS_DESC |\n HAS_SS_DESC | HAS_MS_OS_DESC),), (DescsHeadV2,), {'_fields_': \n count_field_list + descr_field_list})\n return klass(magic=DESCRIPTORS_MAGIC_V2, length=ctypes.sizeof(klass),\n flags=flags, **kw)\n", "role": "user" }, { "content": "getDescsV2", "role": "assistant" } ]
def x(lang_dict): field_list = [] kw = {} try: str_count = len(next(iter(lang_dict.values()))) except StopIteration: str_count = 0 else: for lang, string_list in lang_dict.items(): if len(string_list) != str_count: raise ValueError('All values must have the same string count.') field_id = 'strings_%04x' % lang strings = b'\x00'.join(x.encode('utf-8') for x in string_list ) + b'\x00' field_type = type('String', (StringBase,), {'_fields_': [( 'strings', ctypes.c_char * len(strings))]}) field_list.append((field_id, field_type)) kw[field_id] = field_type(lang=lang, strings=strings) klass = type('Strings', (StringsHead,), {'_fields_': field_list}) return klass(magic=STRINGS_MAGIC, length=ctypes.sizeof(klass), str_count=str_count, lang_count=len(lang_dict), **kw)
getStrings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang_dict):\n field_list = []\n kw = {}\n try:\n str_count = len(next(iter(lang_dict.values())))\n except StopIteration:\n str_count = 0\n else:\n for lang, string_list in lang_dict.items():\n if len(string_list) != str_count:\n raise ValueError('All values must have the same string count.')\n field_id = 'strings_%04x' % lang\n strings = b'\\x00'.join(x.encode('utf-8') for x in string_list\n ) + b'\\x00'\n field_type = type('String', (StringBase,), {'_fields_': [(\n 'strings', ctypes.c_char * len(strings))]})\n field_list.append((field_id, field_type))\n kw[field_id] = field_type(lang=lang, strings=strings)\n klass = type('Strings', (StringsHead,), {'_fields_': field_list})\n return klass(magic=STRINGS_MAGIC, length=ctypes.sizeof(klass),\n str_count=str_count, lang_count=len(lang_dict), **kw)\n", "role": "user" }, { "content": "getStrings", "role": "assistant" } ]
def x(structure): return ctypes.cast(ctypes.pointer(structure), ctypes.POINTER(ctypes. c_char * ctypes.sizeof(structure))).contents
serialise
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(structure):\n return ctypes.cast(ctypes.pointer(structure), ctypes.POINTER(ctypes.\n c_char * ctypes.sizeof(structure))).contents\n", "role": "user" }, { "content": "serialise", "role": "assistant" } ]
def x(self, request_type): try: if request_type & ch9.USB_DIR_IN: self.read(0) else: self.write(b'') except IOError as exc: if exc.errno != errno.EL2HLT: raise else: raise ValueError('halt did not return EL2HLT ?')
halt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request_type):\n try:\n if request_type & ch9.USB_DIR_IN:\n self.read(0)\n else:\n self.write(b'')\n except IOError as exc:\n if exc.errno != errno.EL2HLT:\n raise\n else:\n raise ValueError('halt did not return EL2HLT ?')\n", "role": "user" }, { "content": "halt", "role": "assistant" } ]
def x(self, interface): try: return self._ioctl(INTERFACE_REVMAP, interface) except IOError as exc: if exc.errno == errno.EDOM: return None raise
getRealInterfaceNumber
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, interface):\n try:\n return self._ioctl(INTERFACE_REVMAP, interface)\n except IOError as exc:\n if exc.errno == errno.EDOM:\n return None\n raise\n", "role": "user" }, { "content": "getRealInterfaceNumber", "role": "assistant" } ]
def x(self): result = USBEndpointDescriptor() self._ioctl(ENDPOINT_DESC, result, True) return result
getDescriptor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = USBEndpointDescriptor()\n self._ioctl(ENDPOINT_DESC, result, True)\n return result\n", "role": "user" }, { "content": "getDescriptor", "role": "assistant" } ]
def x(self): try: self._halt() except IOError as exc: if exc.errno != errno.EBADMSG: raise else: raise ValueError('halt did not return EBADMSG ?') self._halted = True
halt
[ { "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 self._halt()\n except IOError as exc:\n if exc.errno != errno.EBADMSG:\n raise\n else:\n raise ValueError('halt did not return EBADMSG ?')\n self._halted = True\n", "role": "user" }, { "content": "halt", "role": "assistant" } ]
def x(self): ep_list = self._ep_list while ep_list: ep_list.pop().close() self._closed = True
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ep_list = self._ep_list\n while ep_list:\n ep_list.pop().close()\n self._closed = True\n", "role": "user" }, { "content": "close", "role": "assistant" } ]
def x(self, request_type, request, value, index, length): if request_type & ch9.USB_TYPE_MASK == ch9.USB_TYPE_STANDARD: recipient = request_type & ch9.USB_RECIP_MASK is_in = request_type & ch9.USB_DIR_IN == ch9.USB_DIR_IN if request == ch9.USB_REQ_GET_STATUS: if is_in and length == 2: if recipient == ch9.USB_RECIP_INTERFACE: if value == 0: status = 0 if index == 0: if self.function_remote_wakeup_capable: status |= 1 << 0 if self.function_remote_wakeup: status |= 1 << 1 self.ep0.write(struct.pack('<H', status)[:length]) return elif recipient == ch9.USB_RECIP_ENDPOINT: if value == 0: try: endpoint = self.getEndpoint(index) except IndexError: pass else: status = 0 if endpoint.isHalted(): status |= 1 << 0 self.ep0.write(struct.pack('<H', status)[:length]) return elif request == ch9.USB_REQ_CLEAR_FEATURE: if not is_in and length == 0: if recipient == ch9.USB_RECIP_ENDPOINT: if value == ch9.USB_ENDPOINT_HALT: try: endpoint = self.getEndpoint(index) except IndexError: pass else: endpoint.clearHalt() self.ep0.read(0) return elif recipient == ch9.USB_RECIP_INTERFACE: if value == ch9.USB_INTRF_FUNC_SUSPEND: if self.function_remote_wakeup_capable: self.disableRemoteWakeup() self.ep0.read(0) return elif request == ch9.USB_REQ_SET_FEATURE: if not is_in and length == 0: if recipient == ch9.USB_RECIP_ENDPOINT: if value == ch9.USB_ENDPOINT_HALT: try: endpoint = self.getEndpoint(index) except IndexError: pass else: endpoint.halt() self.ep0.read(0) return elif recipient == ch9.USB_RECIP_INTERFACE: if value == ch9.USB_INTRF_FUNC_SUSPEND: if self.function_remote_wakeup_capable: self.enableRemoteWakeup() self.ep0.read(0) return self.ep0.halt(request_type)
onSetup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request_type, request, value, index, length):\n if request_type & ch9.USB_TYPE_MASK == ch9.USB_TYPE_STANDARD:\n recipient = request_type & ch9.USB_RECIP_MASK\n is_in = request_type & ch9.USB_DIR_IN == ch9.USB_DIR_IN\n if request == ch9.USB_REQ_GET_STATUS:\n if is_in and length == 2:\n if recipient == ch9.USB_RECIP_INTERFACE:\n if value == 0:\n status = 0\n if index == 0:\n if self.function_remote_wakeup_capable:\n status |= 1 << 0\n if self.function_remote_wakeup:\n status |= 1 << 1\n self.ep0.write(struct.pack('<H', status)[:length])\n return\n elif recipient == ch9.USB_RECIP_ENDPOINT:\n if value == 0:\n try:\n endpoint = self.getEndpoint(index)\n except IndexError:\n pass\n else:\n status = 0\n if endpoint.isHalted():\n status |= 1 << 0\n self.ep0.write(struct.pack('<H', status)[:length])\n return\n elif request == ch9.USB_REQ_CLEAR_FEATURE:\n if not is_in and length == 0:\n if recipient == ch9.USB_RECIP_ENDPOINT:\n if value == ch9.USB_ENDPOINT_HALT:\n try:\n endpoint = self.getEndpoint(index)\n except IndexError:\n pass\n else:\n endpoint.clearHalt()\n self.ep0.read(0)\n return\n elif recipient == ch9.USB_RECIP_INTERFACE:\n if value == ch9.USB_INTRF_FUNC_SUSPEND:\n if self.function_remote_wakeup_capable:\n self.disableRemoteWakeup()\n self.ep0.read(0)\n return\n elif request == ch9.USB_REQ_SET_FEATURE:\n if not is_in and length == 0:\n if recipient == ch9.USB_RECIP_ENDPOINT:\n if value == ch9.USB_ENDPOINT_HALT:\n try:\n endpoint = self.getEndpoint(index)\n except IndexError:\n pass\n else:\n endpoint.halt()\n self.ep0.read(0)\n return\n elif recipient == ch9.USB_RECIP_INTERFACE:\n if value == ch9.USB_INTRF_FUNC_SUSPEND:\n if self.function_remote_wakeup_capable:\n self.enableRemoteWakeup()\n self.ep0.read(0)\n return\n self.ep0.halt(request_type)\n", "role": "user" }, { "content": "onSetup", "role": "assistant" } ]
def x(): now = datetime.datetime.now try: while True: sys.stdout.write(str(now()) + ' ') time.sleep(1) except KeyboardInterrupt: pass except IOError as exc: if exc.errno != errno.EPIPE: raise
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n now = datetime.datetime.now\n try:\n while True:\n sys.stdout.write(str(now()) + ' ')\n time.sleep(1)\n except KeyboardInterrupt:\n pass\n except IOError as exc:\n if exc.errno != errno.EPIPE:\n raise\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self): trace('onEnable') self._disable() self._aio_context.submit(self._aio_recv_block_list) self._real_onCanSend() self._enabled = True
onEnable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n trace('onEnable')\n self._disable()\n self._aio_context.submit(self._aio_recv_block_list)\n self._real_onCanSend()\n self._enabled = True\n", "role": "user" }, { "content": "onEnable", "role": "assistant" } ]
def x(self): if self._enabled: self._real_onCannotSend() has_cancelled = 0 for block in (self._aio_recv_block_list + self._aio_send_block_list): try: self._aio_context.cancel(block) except OSError as exc: trace('cancelling %r raised: %s' % (block, exc)) else: has_cancelled += 1 if has_cancelled: noIntr(functools.partial(self._aio_context.getEvents, min_nr=None)) self._enabled = False
disable
[ { "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._enabled:\n self._real_onCannotSend()\n has_cancelled = 0\n for block in (self._aio_recv_block_list + self._aio_send_block_list):\n try:\n self._aio_context.cancel(block)\n except OSError as exc:\n trace('cancelling %r raised: %s' % (block, exc))\n else:\n has_cancelled += 1\n if has_cancelled:\n noIntr(functools.partial(self._aio_context.getEvents, min_nr=None))\n self._enabled = False\n", "role": "user" }, { "content": "disable", "role": "assistant" } ]
def x(self): event_count = self.eventfd.read() trace('eventfd reports %i events' % event_count) self._aio_context.getEvents(0)
onAIOCompletion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n event_count = self.eventfd.read()\n trace('eventfd reports %i events' % event_count)\n self._aio_context.getEvents(0)\n", "role": "user" }, { "content": "onAIOCompletion", "role": "assistant" } ]
def x(self, value): aio_block = libaio.AIOBlock(mode=libaio.AIOBLOCK_MODE_WRITE, target_file=self.getEndpoint(1), buffer_list=[bytearray(value)], offset=0, eventfd=self.eventfd, onCompletion=self._onCanSend) self._aio_send_block_list.append(aio_block) self._aio_context.submit([aio_block]) if len(self._aio_send_block_list) == MAX_PENDING_WRITE_COUNT: self._onCannotSend()
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n aio_block = libaio.AIOBlock(mode=libaio.AIOBLOCK_MODE_WRITE,\n target_file=self.getEndpoint(1), buffer_list=[bytearray(value)],\n offset=0, eventfd=self.eventfd, onCompletion=self._onCanSend)\n self._aio_send_block_list.append(aio_block)\n self._aio_context.submit([aio_block])\n if len(self._aio_send_block_list) == MAX_PENDING_WRITE_COUNT:\n self._onCannotSend()\n", "role": "user" }, { "content": "write", "role": "assistant" } ]
def x(instance, checks, options): for v_function in checks: try: result = v_function(instance) except TypeError: result = v_function(instance, options) if isinstance(result, Iterable): for x in result: yield x elif result is not None: yield result for field in instance: if type(instance[field]) is list: for obj in instance[field]: if _is_stix_obj(obj): for err in _iter_errors_custom(obj, checks, options): yield err
iter_errors_custom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance, checks, options):\n for v_function in checks:\n try:\n result = v_function(instance)\n except TypeError:\n result = v_function(instance, options)\n if isinstance(result, Iterable):\n for x in result:\n yield x\n elif result is not None:\n yield result\n for field in instance:\n if type(instance[field]) is list:\n for obj in instance[field]:\n if _is_stix_obj(obj):\n for err in _iter_errors_custom(obj, checks, options):\n yield err\n", "role": "user" }, { "content": "iter_errors_custom", "role": "assistant" } ]
def x(directory, recursive=False): json_files = [] for top, dirs, files in os.walk(directory): dirs.sort() paths = (os.path.join(top, f) for f in sorted(files)) json_files.extend(x for x in paths if is_json(x)) if not recursive: break return json_files
list_json_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory, recursive=False):\n json_files = []\n for top, dirs, files in os.walk(directory):\n dirs.sort()\n paths = (os.path.join(top, f) for f in sorted(files))\n json_files.extend(x for x in paths if is_json(x))\n if not recursive:\n break\n return json_files\n", "role": "user" }, { "content": "list_json_files", "role": "assistant" } ]
def x(files, recursive=False): json_files = [] if not files: return json_files for fn in files: if os.path.isdir(fn): children = list_json_files(fn, recursive) json_files.extend(children) elif is_json(fn): json_files.append(fn) else: continue if not json_files: raise NoJSONFileFoundError('No JSON files found!') return json_files
get_json_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, recursive=False):\n json_files = []\n if not files:\n return json_files\n for fn in files:\n if os.path.isdir(fn):\n children = list_json_files(fn, recursive)\n json_files.extend(children)\n elif is_json(fn):\n json_files.append(fn)\n else:\n continue\n if not json_files:\n raise NoJSONFileFoundError('No JSON files found!')\n return json_files\n", "role": "user" }, { "content": "get_json_files", "role": "assistant" } ]
def x(options): if options.files == sys.stdin: results = validate(options.files, options) return [FileValidationResults(is_valid=results.is_valid, filepath= 'stdin', object_results=results)] files = get_json_files(options.files, options.recursive) results = [validate_file(fn, options) for fn in files] return results
run_validation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n if options.files == sys.stdin:\n results = validate(options.files, options)\n return [FileValidationResults(is_valid=results.is_valid, filepath=\n 'stdin', object_results=results)]\n files = get_json_files(options.files, options.recursive)\n results = [validate_file(fn, options) for fn in files]\n return results\n", "role": "user" }, { "content": "run_validation", "role": "assistant" } ]
def x(obj_json, options=None): validating_list = isinstance(obj_json, list) if not options: options = ValidationOptions() if not options.no_cache: init_requests_cache(options.refresh_cache) results = None if validating_list: results = [] for obj in obj_json: try: results.append(validate_instance(obj, options)) except SchemaInvalidError as ex: error_result = ObjectValidationResults(is_valid=False, object_id=obj.get('id', ''), errors=[str(ex)]) results.append(error_result) else: try: results = validate_instance(obj_json, options) except SchemaInvalidError as ex: error_result = ObjectValidationResults(is_valid=False, object_id=obj_json.get('id', ''), errors=[str(ex)]) results = error_result if not options.no_cache and options.clear_cache: clear_requests_cache() return results
validate_parsed_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj_json, options=None):\n validating_list = isinstance(obj_json, list)\n if not options:\n options = ValidationOptions()\n if not options.no_cache:\n init_requests_cache(options.refresh_cache)\n results = None\n if validating_list:\n results = []\n for obj in obj_json:\n try:\n results.append(validate_instance(obj, options))\n except SchemaInvalidError as ex:\n error_result = ObjectValidationResults(is_valid=False,\n object_id=obj.get('id', ''), errors=[str(ex)])\n results.append(error_result)\n else:\n try:\n results = validate_instance(obj_json, options)\n except SchemaInvalidError as ex:\n error_result = ObjectValidationResults(is_valid=False,\n object_id=obj_json.get('id', ''), errors=[str(ex)])\n results = error_result\n if not options.no_cache and options.clear_cache:\n clear_requests_cache()\n return results\n", "role": "user" }, { "content": "validate_parsed_json", "role": "assistant" } ]
def x(in_, options=None): obj_json = json.load(in_) results = validate_parsed_json(obj_json, options) return results
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(in_, options=None):\n obj_json = json.load(in_)\n results = validate_parsed_json(obj_json, options)\n return results\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(fn, options=None): file_results = FileValidationResults(filepath=fn) output.info('Performing JSON schema validation on %s' % fn) if not options: options = ValidationOptions(files=fn) try: with open(fn) as instance_file: file_results.object_results = validate(instance_file, options) except Exception as ex: if 'Expecting value' in str(ex): line_no = str(ex).split()[3] file_results.fatal = ValidationErrorResults( 'Invalid JSON input on line %s' % line_no) else: file_results.fatal = ValidationErrorResults(ex) msg = ( "Unexpected error occurred with file '{fn}'. No further validation will be performed: {error}" ) output.info(msg.format(fn=fn, error=str(ex))) file_results.is_valid = all(object_result.is_valid for object_result in file_results.object_results) and not file_results.fatal return file_results
validate_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn, options=None):\n file_results = FileValidationResults(filepath=fn)\n output.info('Performing JSON schema validation on %s' % fn)\n if not options:\n options = ValidationOptions(files=fn)\n try:\n with open(fn) as instance_file:\n file_results.object_results = validate(instance_file, options)\n except Exception as ex:\n if 'Expecting value' in str(ex):\n line_no = str(ex).split()[3]\n file_results.fatal = ValidationErrorResults(\n 'Invalid JSON input on line %s' % line_no)\n else:\n file_results.fatal = ValidationErrorResults(ex)\n msg = (\n \"Unexpected error occurred with file '{fn}'. No further validation will be performed: {error}\"\n )\n output.info(msg.format(fn=fn, error=str(ex)))\n file_results.is_valid = all(object_result.is_valid for object_result in\n file_results.object_results) and not file_results.fatal\n return file_results\n", "role": "user" }, { "content": "validate_file", "role": "assistant" } ]
def x(string, options=None): output.info('Performing JSON schema validation on input string: ' + string) stream = io.StringIO(string) return validate(stream, options)
validate_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, options=None):\n output.info('Performing JSON schema validation on input string: ' + string)\n stream = io.StringIO(string)\n return validate(stream, options)\n", "role": "user" }, { "content": "validate_string", "role": "assistant" } ]
def x(schema_path, schema): if os.name == 'nt': file_prefix = 'file:///' else: file_prefix = 'file:' resolver = RefResolver(file_prefix + schema_path.replace('\\', '/'), schema ) validator = Draft4Validator(schema, resolver=resolver) return validator
load_validator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schema_path, schema):\n if os.name == 'nt':\n file_prefix = 'file:///'\n else:\n file_prefix = 'file:'\n resolver = RefResolver(file_prefix + schema_path.replace('\\\\', '/'), schema\n )\n validator = Draft4Validator(schema, resolver=resolver)\n return validator\n", "role": "user" }, { "content": "load_validator", "role": "assistant" } ]
def x(schema_dir, obj_type): schema_filename = obj_type + '.json' for root, dirnames, filenames in os.walk(schema_dir): if schema_filename in filenames: return os.path.join(root, schema_filename)
find_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schema_dir, obj_type):\n schema_filename = obj_type + '.json'\n for root, dirnames, filenames in os.walk(schema_dir):\n if schema_filename in filenames:\n return os.path.join(root, schema_filename)\n", "role": "user" }, { "content": "find_schema", "role": "assistant" } ]
def x(schema_path): try: with open(schema_path) as schema_file: schema = json.load(schema_file) except ValueError as e: raise SchemaInvalidError( 'Invalid JSON in schema or included schema: %s\n%s' % ( schema_file.name, str(e))) return schema
load_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schema_path):\n try:\n with open(schema_path) as schema_file:\n schema = json.load(schema_file)\n except ValueError as e:\n raise SchemaInvalidError(\n 'Invalid JSON in schema or included schema: %s\\n%s' % (\n schema_file.name, str(e)))\n return schema\n", "role": "user" }, { "content": "load_schema", "role": "assistant" } ]
def x(type, obj, schema_dir=None, version=DEFAULT_VER, default='core'): if schema_dir is None: schema_dir = os.path.abspath(os.path.dirname(__file__) + '/schemas-' + version + '/') try: schema_path = find_schema(schema_dir, type) schema = load_schema(schema_path) except (KeyError, TypeError): try: schema_path = find_schema(schema_dir, default) schema = load_schema(schema_path) except (KeyError, TypeError): if schema_dir is not None: return None raise SchemaInvalidError( "Cannot locate a schema for the object's type, nor the base schema ({}.json)." .format(default)) if type == 'observed-data' and schema_dir is None: schema['allOf'][1]['properties']['objects'] = {'objects': {'type': 'object', 'minProperties': 1}} validator = load_validator(schema_path, schema) try: error_gen = validator.iter_errors(obj) except schema_exceptions.RefResolutionError: raise SchemaInvalidError( 'Invalid JSON schema: a JSON reference failed to resolve') return error_gen
get_error_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type, obj, schema_dir=None, version=DEFAULT_VER, default='core'):\n if schema_dir is None:\n schema_dir = os.path.abspath(os.path.dirname(__file__) +\n '/schemas-' + version + '/')\n try:\n schema_path = find_schema(schema_dir, type)\n schema = load_schema(schema_path)\n except (KeyError, TypeError):\n try:\n schema_path = find_schema(schema_dir, default)\n schema = load_schema(schema_path)\n except (KeyError, TypeError):\n if schema_dir is not None:\n return None\n raise SchemaInvalidError(\n \"Cannot locate a schema for the object's type, nor the base schema ({}.json).\"\n .format(default))\n if type == 'observed-data' and schema_dir is None:\n schema['allOf'][1]['properties']['objects'] = {'objects': {'type':\n 'object', 'minProperties': 1}}\n validator = load_validator(schema_path, schema)\n try:\n error_gen = validator.iter_errors(obj)\n except schema_exceptions.RefResolutionError:\n raise SchemaInvalidError(\n 'Invalid JSON schema: a JSON reference failed to resolve')\n return error_gen\n", "role": "user" }, { "content": "get_error_generator", "role": "assistant" } ]
def x(options): if options.version == '2.0': return musts20.list_musts(options) else: return musts21.list_musts(options)
get_musts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n if options.version == '2.0':\n return musts20.list_musts(options)\n else:\n return musts21.list_musts(options)\n", "role": "user" }, { "content": "get_musts", "role": "assistant" } ]
def x(options): if options.version == '2.0': return shoulds20.list_shoulds(options) else: return shoulds21.list_shoulds(options)
get_shoulds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n if options.version == '2.0':\n return shoulds20.list_shoulds(options)\n else:\n return shoulds21.list_shoulds(options)\n", "role": "user" }, { "content": "get_shoulds", "role": "assistant" } ]
def x(sdo, options): error_gens = [] if 'id' in sdo: try: error_prefix = sdo['id'] + ': ' except TypeError: error_prefix = 'unidentifiable object: ' else: error_prefix = '' base_sdo_errors = _get_error_generator(sdo['type'], sdo, version= options.version) if base_sdo_errors: error_gens.append((base_sdo_errors, error_prefix)) if options.schema_dir: custom_sdo_errors = _get_error_generator(sdo['type'], sdo, options. schema_dir) if custom_sdo_errors: error_gens.append((custom_sdo_errors, error_prefix)) if sdo['type'] == 'observed-data' and 'objects' in sdo: if not isinstance(sdo['objects'], dict): error_gens.append(([schema_exceptions.ValidationError( 'Observed Data objects must be in dict format.', error_prefix)], error_prefix)) return error_gens for key, obj in iteritems(sdo['objects']): if 'type' not in obj: error_gens.append(([schema_exceptions.ValidationError( "Observable object must contain a 'type' property.", error_prefix)], error_prefix + "object '" + key + "': ")) continue base_obs_errors = _get_error_generator(obj['type'], obj, None, options.version, 'cyber-observable-core') if base_obs_errors: error_gens.append((base_obs_errors, error_prefix + "object '" + key + "': ")) custom_obs_errors = _get_error_generator(obj['type'], obj, options.schema_dir, options.version, 'cyber-observable-core') if custom_obs_errors: error_gens.append((custom_obs_errors, error_prefix + "object '" + key + "': ")) return error_gens
schema_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdo, options):\n error_gens = []\n if 'id' in sdo:\n try:\n error_prefix = sdo['id'] + ': '\n except TypeError:\n error_prefix = 'unidentifiable object: '\n else:\n error_prefix = ''\n base_sdo_errors = _get_error_generator(sdo['type'], sdo, version=\n options.version)\n if base_sdo_errors:\n error_gens.append((base_sdo_errors, error_prefix))\n if options.schema_dir:\n custom_sdo_errors = _get_error_generator(sdo['type'], sdo, options.\n schema_dir)\n if custom_sdo_errors:\n error_gens.append((custom_sdo_errors, error_prefix))\n if sdo['type'] == 'observed-data' and 'objects' in sdo:\n if not isinstance(sdo['objects'], dict):\n error_gens.append(([schema_exceptions.ValidationError(\n 'Observed Data objects must be in dict format.',\n error_prefix)], error_prefix))\n return error_gens\n for key, obj in iteritems(sdo['objects']):\n if 'type' not in obj:\n error_gens.append(([schema_exceptions.ValidationError(\n \"Observable object must contain a 'type' property.\",\n error_prefix)], error_prefix + \"object '\" + key + \"': \"))\n continue\n base_obs_errors = _get_error_generator(obj['type'], obj, None,\n options.version, 'cyber-observable-core')\n if base_obs_errors:\n error_gens.append((base_obs_errors, error_prefix +\n \"object '\" + key + \"': \"))\n custom_obs_errors = _get_error_generator(obj['type'], obj,\n options.schema_dir, options.version, 'cyber-observable-core')\n if custom_obs_errors:\n error_gens.append((custom_obs_errors, error_prefix +\n \"object '\" + key + \"': \"))\n return error_gens\n", "role": "user" }, { "content": "schema_validate", "role": "assistant" } ]
def x(instance, options=None): if 'type' not in instance: raise ValidationError("Input must be an object with a 'type' property." ) if not options: options = ValidationOptions() error_gens = [] if instance['type'] == 'bundle' and 'objects' in instance: for sdo in instance['objects']: if 'type' not in sdo: raise ValidationError( "Each object in bundle must have a 'type' property.") error_gens += _schema_validate(sdo, options) else: error_gens += _schema_validate(instance, options) must_checks = _get_musts(options) should_checks = _get_shoulds(options) output.info('Running the following additional checks: %s.' % ', '.join( x.__name__ for x in chain(must_checks, should_checks))) try: errors = _iter_errors_custom(instance, must_checks, options) warnings = _iter_errors_custom(instance, should_checks, options) if options.strict: chained_errors = chain(errors, warnings) warnings = [] else: chained_errors = errors warnings = [pretty_error(x, options.verbose) for x in warnings] except schema_exceptions.RefResolutionError: raise SchemaInvalidError( 'Invalid JSON schema: a JSON reference failed to resolve') error_gens += [(chained_errors, '')] error_list = [] for gen, prefix in error_gens: for error in gen: msg = prefix + pretty_error(error, options.verbose) error_list.append(SchemaError(msg)) if error_list: valid = False else: valid = True return ObjectValidationResults(is_valid=valid, object_id=instance.get( 'id', ''), errors=error_list, warnings=warnings)
validate_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance, options=None):\n if 'type' not in instance:\n raise ValidationError(\"Input must be an object with a 'type' property.\"\n )\n if not options:\n options = ValidationOptions()\n error_gens = []\n if instance['type'] == 'bundle' and 'objects' in instance:\n for sdo in instance['objects']:\n if 'type' not in sdo:\n raise ValidationError(\n \"Each object in bundle must have a 'type' property.\")\n error_gens += _schema_validate(sdo, options)\n else:\n error_gens += _schema_validate(instance, options)\n must_checks = _get_musts(options)\n should_checks = _get_shoulds(options)\n output.info('Running the following additional checks: %s.' % ', '.join(\n x.__name__ for x in chain(must_checks, should_checks)))\n try:\n errors = _iter_errors_custom(instance, must_checks, options)\n warnings = _iter_errors_custom(instance, should_checks, options)\n if options.strict:\n chained_errors = chain(errors, warnings)\n warnings = []\n else:\n chained_errors = errors\n warnings = [pretty_error(x, options.verbose) for x in warnings]\n except schema_exceptions.RefResolutionError:\n raise SchemaInvalidError(\n 'Invalid JSON schema: a JSON reference failed to resolve')\n error_gens += [(chained_errors, '')]\n error_list = []\n for gen, prefix in error_gens:\n for error in gen:\n msg = prefix + pretty_error(error, options.verbose)\n error_list.append(SchemaError(msg))\n if error_list:\n valid = False\n else:\n valid = True\n return ObjectValidationResults(is_valid=valid, object_id=instance.get(\n 'id', ''), errors=error_list, warnings=warnings)\n", "role": "user" }, { "content": "validate_instance", "role": "assistant" } ]
def x(self): num_obj_results = len(self._object_results) if num_obj_results < 1: return None elif num_obj_results < 2: return self._object_results[0] else: raise ValueError("There is more than one result; use 'object_results'")
object_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n num_obj_results = len(self._object_results)\n if num_obj_results < 1:\n return None\n elif num_obj_results < 2:\n return self._object_results[0]\n else:\n raise ValueError(\"There is more than one result; use 'object_results'\")\n", "role": "user" }, { "content": "object_result", "role": "assistant" } ]
def x(self, object_results): if _is_iterable_non_string(object_results): self._object_results = list(object_results) elif object_results is None: self._object_results = [] else: self._object_results = [object_results]
object_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, object_results):\n if _is_iterable_non_string(object_results):\n self._object_results = list(object_results)\n elif object_results is None:\n self._object_results = []\n else:\n self._object_results = [object_results]\n", "role": "user" }, { "content": "object_results", "role": "assistant" } ]
def x(self): d = super(ObjectValidationResults, self).as_dict() if self.errors: d['errors'] = [x.as_dict() for x in self.errors] return d
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d = super(ObjectValidationResults, self).as_dict()\n if self.errors:\n d['errors'] = [x.as_dict() for x in self.errors]\n return d\n", "role": "user" }, { "content": "as_dict", "role": "assistant" } ]
def x(instance): for error in chain(custom_object_prefix_strict(instance), custom_property_prefix_strict(instance), custom_observable_object_prefix_strict(instance), custom_object_extension_prefix_strict(instance), custom_observable_properties_prefix_strict(instance)): yield error
custom_prefix_strict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for error in chain(custom_object_prefix_strict(instance),\n custom_property_prefix_strict(instance),\n custom_observable_object_prefix_strict(instance),\n custom_object_extension_prefix_strict(instance),\n custom_observable_properties_prefix_strict(instance)):\n yield error\n", "role": "user" }, { "content": "custom_prefix_strict", "role": "assistant" } ]
def x(instance): for error in chain(custom_object_prefix_lax(instance), custom_property_prefix_lax(instance), custom_observable_object_prefix_lax(instance), custom_object_extension_prefix_lax(instance), custom_observable_properties_prefix_lax(instance)): yield error
custom_prefix_lax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for error in chain(custom_object_prefix_lax(instance),\n custom_property_prefix_lax(instance),\n custom_observable_object_prefix_lax(instance),\n custom_object_extension_prefix_lax(instance),\n custom_observable_properties_prefix_lax(instance)):\n yield error\n", "role": "user" }, { "content": "custom_prefix_lax", "role": "assistant" } ]
def x(instance): if instance['type'] not in enums.TYPES and instance['type' ] not in enums.RESERVED_OBJECTS and not CUSTOM_TYPE_PREFIX_RE.match( instance['type']): yield JSONError( "Custom object type '%s' should start with 'x-' followed by a source unique identifier (like a domain name with dots replaced by hyphens), a hyphen and then the name." % instance['type'], instance['id'], 'custom-prefix')
custom_object_prefix_strict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if instance['type'] not in enums.TYPES and instance['type'\n ] not in enums.RESERVED_OBJECTS and not CUSTOM_TYPE_PREFIX_RE.match(\n instance['type']):\n yield JSONError(\n \"Custom object type '%s' should start with 'x-' followed by a source unique identifier (like a domain name with dots replaced by hyphens), a hyphen and then the name.\"\n % instance['type'], instance['id'], 'custom-prefix')\n", "role": "user" }, { "content": "custom_object_prefix_strict", "role": "assistant" } ]
def x(instance): if instance['type'] not in enums.TYPES and instance['type' ] not in enums.RESERVED_OBJECTS and not CUSTOM_TYPE_LAX_PREFIX_RE.match( instance['type']): yield JSONError( "Custom object type '%s' should start with 'x-' in order to be compatible with future versions of the STIX 2 specification." % instance['type'], instance['id'], 'custom-prefix-lax')
custom_object_prefix_lax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if instance['type'] not in enums.TYPES and instance['type'\n ] not in enums.RESERVED_OBJECTS and not CUSTOM_TYPE_LAX_PREFIX_RE.match(\n instance['type']):\n yield JSONError(\n \"Custom object type '%s' should start with 'x-' in order to be compatible with future versions of the STIX 2 specification.\"\n % instance['type'], instance['id'], 'custom-prefix-lax')\n", "role": "user" }, { "content": "custom_object_prefix_lax", "role": "assistant" } ]
def x(instance): for prop_name in instance.keys(): if (instance['type'] in enums.PROPERTIES and prop_name not in enums .PROPERTIES[instance['type']] and prop_name not in enums. RESERVED_PROPERTIES and not CUSTOM_PROPERTY_PREFIX_RE.match( prop_name)): yield JSONError( "Custom property '%s' should have a type that starts with 'x_' followed by a source unique identifier (like a domain name with dots replaced by hyphen), a hyphen and then the name." % prop_name, instance['id'], 'custom-prefix')
custom_property_prefix_strict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for prop_name in instance.keys():\n if (instance['type'] in enums.PROPERTIES and prop_name not in enums\n .PROPERTIES[instance['type']] and prop_name not in enums.\n RESERVED_PROPERTIES and not CUSTOM_PROPERTY_PREFIX_RE.match(\n prop_name)):\n yield JSONError(\n \"Custom property '%s' should have a type that starts with 'x_' followed by a source unique identifier (like a domain name with dots replaced by hyphen), a hyphen and then the name.\"\n % prop_name, instance['id'], 'custom-prefix')\n", "role": "user" }, { "content": "custom_property_prefix_strict", "role": "assistant" } ]
def x(instance): for prop_name in instance.keys(): if (instance['type'] in enums.PROPERTIES and prop_name not in enums .PROPERTIES[instance['type']] and prop_name not in enums. RESERVED_PROPERTIES and not CUSTOM_PROPERTY_LAX_PREFIX_RE.match (prop_name)): yield JSONError( "Custom property '%s' should have a type that starts with 'x_' in order to be compatible with future versions of the STIX 2 specification." % prop_name, instance['id'], 'custom-prefix-lax')
custom_property_prefix_lax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for prop_name in instance.keys():\n if (instance['type'] in enums.PROPERTIES and prop_name not in enums\n .PROPERTIES[instance['type']] and prop_name not in enums.\n RESERVED_PROPERTIES and not CUSTOM_PROPERTY_LAX_PREFIX_RE.match\n (prop_name)):\n yield JSONError(\n \"Custom property '%s' should have a type that starts with 'x_' in order to be compatible with future versions of the STIX 2 specification.\"\n % prop_name, instance['id'], 'custom-prefix-lax')\n", "role": "user" }, { "content": "custom_property_prefix_lax", "role": "assistant" } ]
def x(instance): if instance['type'] not in enums.VOCAB_PROPERTIES: return properties = enums.VOCAB_PROPERTIES[instance['type']] for prop in properties: if prop in instance: if type(instance[prop]) is list: values = instance[prop] else: values = [instance[prop]] for v in values: if not v.islower() or '_' in v or ' ' in v: yield JSONError( "Open vocabulary value '%s' should be all lowercase and use hyphens instead of spaces or underscores as word separators." % v, instance['id'], 'open-vocab-format')
open_vocab_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if instance['type'] not in enums.VOCAB_PROPERTIES:\n return\n properties = enums.VOCAB_PROPERTIES[instance['type']]\n for prop in properties:\n if prop in instance:\n if type(instance[prop]) is list:\n values = instance[prop]\n else:\n values = [instance[prop]]\n for v in values:\n if not v.islower() or '_' in v or ' ' in v:\n yield JSONError(\n \"Open vocabulary value '%s' should be all lowercase and use hyphens instead of spaces or underscores as word separators.\"\n % v, instance['id'], 'open-vocab-format')\n", "role": "user" }, { "content": "open_vocab_values", "role": "assistant" } ]
def x(instance): if instance['type' ] in enums.KILL_CHAIN_PHASE_USES and 'kill_chain_phases' in instance: for phase in instance['kill_chain_phases']: if 'kill_chain_name' not in phase: return chain_name = phase['kill_chain_name'] if not chain_name.islower( ) or '_' in chain_name or ' ' in chain_name: yield JSONError( "kill_chain_name '%s' should be all lowercase and use hyphens instead of spaces or underscores as word separators." % chain_name, instance['id'], 'kill-chain-names') phase_name = phase['phase_name'] if not phase_name.islower( ) or '_' in phase_name or ' ' in phase_name: yield JSONError( "phase_name '%s' should be all lowercase and use hyphens instead of spaces or underscores as word separators." % phase_name, instance['id'], 'kill-chain-names')
kill_chain_phase_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if instance['type'\n ] in enums.KILL_CHAIN_PHASE_USES and 'kill_chain_phases' in instance:\n for phase in instance['kill_chain_phases']:\n if 'kill_chain_name' not in phase:\n return\n chain_name = phase['kill_chain_name']\n if not chain_name.islower(\n ) or '_' in chain_name or ' ' in chain_name:\n yield JSONError(\n \"kill_chain_name '%s' should be all lowercase and use hyphens instead of spaces or underscores as word separators.\"\n % chain_name, instance['id'], 'kill-chain-names')\n phase_name = phase['phase_name']\n if not phase_name.islower(\n ) or '_' in phase_name or ' ' in phase_name:\n yield JSONError(\n \"phase_name '%s' should be all lowercase and use hyphens instead of spaces or underscores as word separators.\"\n % phase_name, instance['id'], 'kill-chain-names')\n", "role": "user" }, { "content": "kill_chain_phase_names", "role": "assistant" } ]
def x(instance, vocab, code): vocab_uses = getattr(enums, vocab + '_USES') for k in vocab_uses.keys(): if instance['type'] == k: for prop in vocab_uses[k]: if prop not in instance: continue vocab_ov = getattr(enums, vocab + '_OV') if type(instance[prop]) is list: is_in = set(instance[prop]).issubset(set(vocab_ov)) else: is_in = instance[prop] in vocab_ov if not is_in: vocab_name = vocab.replace('_', '-').lower() yield JSONError( '%s contains a value not in the %s-ov vocabulary.' % (prop, vocab_name), instance['id'], code)
check_vocab
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance, vocab, code):\n vocab_uses = getattr(enums, vocab + '_USES')\n for k in vocab_uses.keys():\n if instance['type'] == k:\n for prop in vocab_uses[k]:\n if prop not in instance:\n continue\n vocab_ov = getattr(enums, vocab + '_OV')\n if type(instance[prop]) is list:\n is_in = set(instance[prop]).issubset(set(vocab_ov))\n else:\n is_in = instance[prop] in vocab_ov\n if not is_in:\n vocab_name = vocab.replace('_', '-').lower()\n yield JSONError(\n '%s contains a value not in the %s-ov vocabulary.' %\n (prop, vocab_name), instance['id'], code)\n", "role": "user" }, { "content": "check_vocab", "role": "assistant" } ]
def x(instance): if (instance['type'] == 'marking-definition' and 'definition_type' in instance and not instance['definition_type'] in enums. MARKING_DEFINITION_TYPES): return JSONError( 'Marking definition `definition_type` should be one of: %s.' % ', '.join(enums.MARKING_DEFINITION_TYPES), instance['id'], 'marking-definition-type')
vocab_marking_definition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if (instance['type'] == 'marking-definition' and 'definition_type' in\n instance and not instance['definition_type'] in enums.\n MARKING_DEFINITION_TYPES):\n return JSONError(\n 'Marking definition `definition_type` should be one of: %s.' %\n ', '.join(enums.MARKING_DEFINITION_TYPES), instance['id'],\n 'marking-definition-type')\n", "role": "user" }, { "content": "vocab_marking_definition", "role": "assistant" } ]
def x(instance): if instance['type'] != 'relationship' or instance['type' ] not in enums.TYPES: return if ('relationship_type' not in instance or 'source_ref' not in instance or 'target_ref' not in instance): return r_type = instance['relationship_type'] try: r_source = re.search('(.+)\\-\\-', instance['source_ref']).group(1) r_target = re.search('(.+)\\-\\-', instance['target_ref']).group(1) except (AttributeError, TypeError): return if (r_type in enums.COMMON_RELATIONSHIPS or r_source in enums.NON_SDOS or r_target in enums.NON_SDOS): return if r_source not in enums.RELATIONSHIPS: return JSONError( "'%s' is not a suggested relationship source object for the '%s' relationship." % (r_source, r_type), instance['id'], 'relationship-types') if r_type not in enums.RELATIONSHIPS[r_source]: return JSONError( "'%s' is not a suggested relationship type for '%s' objects." % (r_type, r_source), instance['id'], 'relationship-types') if r_target not in enums.RELATIONSHIPS[r_source][r_type]: return JSONError( "'%s' is not a suggested relationship target object for '%s' objects with the '%s' relationship." % (r_target, r_source, r_type), instance['id'], 'relationship-types')
relationships_strict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n if instance['type'] != 'relationship' or instance['type'\n ] not in enums.TYPES:\n return\n if ('relationship_type' not in instance or 'source_ref' not in instance or\n 'target_ref' not in instance):\n return\n r_type = instance['relationship_type']\n try:\n r_source = re.search('(.+)\\\\-\\\\-', instance['source_ref']).group(1)\n r_target = re.search('(.+)\\\\-\\\\-', instance['target_ref']).group(1)\n except (AttributeError, TypeError):\n return\n if (r_type in enums.COMMON_RELATIONSHIPS or r_source in enums.NON_SDOS or\n r_target in enums.NON_SDOS):\n return\n if r_source not in enums.RELATIONSHIPS:\n return JSONError(\n \"'%s' is not a suggested relationship source object for the '%s' relationship.\"\n % (r_source, r_type), instance['id'], 'relationship-types')\n if r_type not in enums.RELATIONSHIPS[r_source]:\n return JSONError(\n \"'%s' is not a suggested relationship type for '%s' objects.\" %\n (r_type, r_source), instance['id'], 'relationship-types')\n if r_target not in enums.RELATIONSHIPS[r_source][r_type]:\n return JSONError(\n \"'%s' is not a suggested relationship target object for '%s' objects with the '%s' relationship.\"\n % (r_target, r_source, r_type), instance['id'],\n 'relationship-types')\n", "role": "user" }, { "content": "relationships_strict", "role": "assistant" } ]
def x(hashname): custom_hash_prefix_re = re.compile('^x_') if hashname in enums.HASH_ALGO_OV or custom_hash_prefix_re.match(hashname): return True else: return False
valid_hash_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hashname):\n custom_hash_prefix_re = re.compile('^x_')\n if hashname in enums.HASH_ALGO_OV or custom_hash_prefix_re.match(hashname):\n return True\n else:\n return False\n", "role": "user" }, { "content": "valid_hash_value", "role": "assistant" } ]
def x(instance): for key, obj in instance['objects'].items(): if 'type' not in obj: continue if obj['type'] == 'file': try: hashes = obj['hashes'] except KeyError: pass else: for h in hashes: if not valid_hash_value(h): yield JSONError( "Object '%s' has a 'hashes' dictionary with a hash of type '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'." % (key, h), instance['id'], 'hash-algo') try: ads = obj['extensions']['ntfs-ext']['alternate_data_streams'] except KeyError: pass else: for datastream in ads: if 'hashes' not in datastream: continue for h in datastream['hashes']: if not valid_hash_value(h): yield JSONError( "Object '%s' has an NTFS extension with an alternate data stream that has a 'hashes' dictionary with a hash of type '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'." % (key, h), instance['id'], 'hash-algo') try: head_hashes = obj['extensions']['windows-pebinary-ext'][ 'file_header_hashes'] except KeyError: pass else: for h in head_hashes: if not valid_hash_value(h): yield JSONError( "Object '%s' has a Windows PE Binary File extension with a file header hash of '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'." % (key, h), instance['id'], 'hash-algo') try: hashes = obj['extensions']['windows-pebinary-ext'][ 'optional_header']['hashes'] except KeyError: pass else: for h in hashes: if not valid_hash_value(h): yield JSONError( "Object '%s' has a Windows PE Binary File extension with an optional header that has a hash of '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'." % (key, h), instance['id'], 'hash-algo') try: sections = obj['extensions']['windows-pebinary-ext']['sections' ] except KeyError: pass else: for s in sections: if 'hashes' not in s: continue for h in s['hashes']: if not valid_hash_value(h): yield JSONError( "Object '%s' has a Windows PE Binary File extension with a section that has a hash of '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'." % (key, h), instance['id'], 'hash-algo') elif obj['type'] == 'artifact' or obj['type'] == 'x509-certificate': try: hashes = obj['hashes'] except KeyError: pass else: for h in hashes: if not valid_hash_value(h): yield JSONError( "Object '%s' has a 'hashes' dictionary with a hash of type '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'." % (key, h), instance['id'], 'hash-algo')
vocab_hash_algo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for key, obj in instance['objects'].items():\n if 'type' not in obj:\n continue\n if obj['type'] == 'file':\n try:\n hashes = obj['hashes']\n except KeyError:\n pass\n else:\n for h in hashes:\n if not valid_hash_value(h):\n yield JSONError(\n \"Object '%s' has a 'hashes' dictionary with a hash of type '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'.\"\n % (key, h), instance['id'], 'hash-algo')\n try:\n ads = obj['extensions']['ntfs-ext']['alternate_data_streams']\n except KeyError:\n pass\n else:\n for datastream in ads:\n if 'hashes' not in datastream:\n continue\n for h in datastream['hashes']:\n if not valid_hash_value(h):\n yield JSONError(\n \"Object '%s' has an NTFS extension with an alternate data stream that has a 'hashes' dictionary with a hash of type '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'.\"\n % (key, h), instance['id'], 'hash-algo')\n try:\n head_hashes = obj['extensions']['windows-pebinary-ext'][\n 'file_header_hashes']\n except KeyError:\n pass\n else:\n for h in head_hashes:\n if not valid_hash_value(h):\n yield JSONError(\n \"Object '%s' has a Windows PE Binary File extension with a file header hash of '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'.\"\n % (key, h), instance['id'], 'hash-algo')\n try:\n hashes = obj['extensions']['windows-pebinary-ext'][\n 'optional_header']['hashes']\n except KeyError:\n pass\n else:\n for h in hashes:\n if not valid_hash_value(h):\n yield JSONError(\n \"Object '%s' has a Windows PE Binary File extension with an optional header that has a hash of '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'.\"\n % (key, h), instance['id'], 'hash-algo')\n try:\n sections = obj['extensions']['windows-pebinary-ext']['sections'\n ]\n except KeyError:\n pass\n else:\n for s in sections:\n if 'hashes' not in s:\n continue\n for h in s['hashes']:\n if not valid_hash_value(h):\n yield JSONError(\n \"Object '%s' has a Windows PE Binary File extension with a section that has a hash of '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'.\"\n % (key, h), instance['id'], 'hash-algo')\n elif obj['type'] == 'artifact' or obj['type'] == 'x509-certificate':\n try:\n hashes = obj['hashes']\n except KeyError:\n pass\n else:\n for h in hashes:\n if not valid_hash_value(h):\n yield JSONError(\n \"Object '%s' has a 'hashes' dictionary with a hash of type '%s', which is not a value in the hash-algo-ov vocabulary nor a custom value prepended with 'x_'.\"\n % (key, h), instance['id'], 'hash-algo')\n", "role": "user" }, { "content": "vocab_hash_algo", "role": "assistant" } ]
def x(instance): for key, obj in instance['objects'].items(): if 'type' in obj and obj['type'] == 'file': try: pe_type = obj['extensions']['windows-pebinary-ext']['pe_type'] except KeyError: continue if pe_type not in enums.WINDOWS_PEBINARY_TYPE_OV: yield JSONError( "Object '%s' has a Windows PE Binary File extension with a 'pe_type' of '%s', which is not a value in the windows-pebinary-type-ov vocabulary." % (key, pe_type), instance['id'], 'windows-pebinary-type')
vocab_windows_pebinary_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for key, obj in instance['objects'].items():\n if 'type' in obj and obj['type'] == 'file':\n try:\n pe_type = obj['extensions']['windows-pebinary-ext']['pe_type']\n except KeyError:\n continue\n if pe_type not in enums.WINDOWS_PEBINARY_TYPE_OV:\n yield JSONError(\n \"Object '%s' has a Windows PE Binary File extension with a 'pe_type' of '%s', which is not a value in the windows-pebinary-type-ov vocabulary.\"\n % (key, pe_type), instance['id'], 'windows-pebinary-type')\n", "role": "user" }, { "content": "vocab_windows_pebinary_type", "role": "assistant" } ]
def x(instance): for key, obj in instance['objects'].items(): if 'type' in obj and obj['type'] == 'user-account': try: acct_type = obj['account_type'] except KeyError: continue if acct_type not in enums.ACCOUNT_TYPE_OV: yield JSONError( "Object '%s' is a User Account Object with an 'account_type' of '%s', which is not a value in the account-type-ov vocabulary." % (key, acct_type), instance['id'], 'account-type')
vocab_account_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for key, obj in instance['objects'].items():\n if 'type' in obj and obj['type'] == 'user-account':\n try:\n acct_type = obj['account_type']\n except KeyError:\n continue\n if acct_type not in enums.ACCOUNT_TYPE_OV:\n yield JSONError(\n \"Object '%s' is a User Account Object with an 'account_type' of '%s', which is not a value in the account-type-ov vocabulary.\"\n % (key, acct_type), instance['id'], 'account-type')\n", "role": "user" }, { "content": "vocab_account_type", "role": "assistant" } ]
def x(instance): digits_re = re.compile('^\\d+$') for key in instance['objects']: if not digits_re.match(key): yield JSONError( "'%s' is not a good key value. Observable Objects should use non-negative integers for their keys." % key, instance['id'], 'observable-object-keys')
observable_object_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n digits_re = re.compile('^\\\\d+$')\n for key in instance['objects']:\n if not digits_re.match(key):\n yield JSONError(\n \"'%s' is not a good key value. Observable Objects should use non-negative integers for their keys.\"\n % key, instance['id'], 'observable-object-keys')\n", "role": "user" }, { "content": "observable_object_keys", "role": "assistant" } ]
def x(instance): for key, obj in instance['objects'].items(): if ('type' in obj and obj['type'] not in enums.OBSERVABLE_TYPES and obj['type'] not in enums.OBSERVABLE_RESERVED_OBJECTS and not CUSTOM_TYPE_PREFIX_RE.match(obj['type'])): yield JSONError( "Custom Observable Object type '%s' should start with 'x-' followed by a source unique identifier (like a domain name with dots replaced by hyphens), a hyphen and then the name." % obj['type'], instance['id'], 'custom-prefix')
custom_observable_object_prefix_strict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance):\n for key, obj in instance['objects'].items():\n if ('type' in obj and obj['type'] not in enums.OBSERVABLE_TYPES and\n obj['type'] not in enums.OBSERVABLE_RESERVED_OBJECTS and not\n CUSTOM_TYPE_PREFIX_RE.match(obj['type'])):\n yield JSONError(\n \"Custom Observable Object type '%s' should start with 'x-' followed by a source unique identifier (like a domain name with dots replaced by hyphens), a hyphen and then the name.\"\n % obj['type'], instance['id'], 'custom-prefix')\n", "role": "user" }, { "content": "custom_observable_object_prefix_strict", "role": "assistant" } ]