Instruction stringlengths 362 7.83k | output_code stringlengths 1 945 |
|---|---|
Predict the next line for this snippet: <|code_start|> date_hierarchy = 'pub_date'
list_display = (
'title', 'pub_date', 'tag_count')
list_filter = ('pub_date',)
search_fields = ('title', 'text')
# form view
fieldsets = (
(None, {
'fields': (
'title', 'slug', 'author', 'text',
)}),
('Related', {
'fields': (
'tags', 'startups')}),
)
filter_horizontal = ('tags', 'startups',)
prepopulated_fields = {"slug": ("title",)}
def get_queryset(self, request):
queryset = super().get_queryset(request)
if not request.user.has_perms(
'view_future_post'):
queryset = queryset.filter(
pub_date__lte=datetime.now())
return queryset.annotate(
tag_number=Count('tags'))
def tag_count(self, post):
return post.tag_number
tag_count.short_description = 'Number of Tags'
<|code_end|>
with the help of current file imports:
from datetime import datetime
from django.contrib import admin
from django.db.models import Count
from .models import Post
and context from other files:
# Path: blog/models.py
# class Post(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(
# max_length=63,
# help_text='A label for URL config',
# unique_for_month='pub_date')
# author = models.ForeignKey(
# settings.AUTH_USER_MODEL,
# related_name='blog_posts')
# text = models.TextField()
# pub_date = models.DateField(
# 'date published',
# auto_now_add=True)
# tags = models.ManyToManyField(
# Tag,
# blank=True,
# related_name='blog_posts')
# startups = models.ManyToManyField(
# Startup,
# blank=True,
# related_name='blog_posts')
#
# objects = PostManager()
#
# class Meta:
# verbose_name = 'blog post'
# ordering = ['-pub_date', 'title']
# get_latest_by = 'pub_date'
# permissions = (
# ("view_future_post",
# "Can view unpublished Post"),
# )
# index_together = (
# ('slug', 'pub_date'),
# )
#
# def __str__(self):
# return "{} on {}".format(
# self.title,
# self.pub_date.strftime('%Y-%m-%d'))
#
# def get_absolute_url(self):
# return reverse(
# 'blog_post_detail',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_archive_month_url(self):
# return reverse(
# 'blog_post_archive_month',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month})
#
# def get_archive_year_url(self):
# return reverse(
# 'blog_post_archive_year',
# kwargs={'year': self.pub_date.year})
#
# def get_delete_url(self):
# return reverse(
# 'blog_post_delete',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'blog_post_update',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def natural_key(self):
# return (
# self.pub_date,
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup',
# 'organizer.tag',
# 'user.user',
# ]
#
# def formatted_title(self):
# return self.title.title()
#
# def short_text(self):
# if len(self.text) > 20:
# short = ' '.join(self.text.split()[:20])
# short += ' ...'
# else:
# short = self.text
# return short
, which may contain function names, class names, or code. Output only the next line. | tag_count.admin_order_field = 'tag_number' |
Predict the next line for this snippet: <|code_start|>
urlpatterns = [
url(r'^$',
StartupList.as_view(),
<|code_end|>
with the help of current file imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context from other files:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
, which may contain function names, class names, or code. Output only the next line. | name='organizer_startup_list'), |
Given snippet: <|code_start|> url(r'^$',
StartupList.as_view(),
name='organizer_startup_list'),
url(r'^create/$',
StartupCreate.as_view(),
name='organizer_startup_create'),
url(r'^(?P<slug>[\w\-]+)/$',
StartupDetail.as_view(),
name='organizer_startup_detail'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'add_article_link/$',
NewsLinkCreate.as_view(),
name='organizer_newslink_create'),
url(r'^(?P<startup_slug>[\w-]+)/atom/$',
AtomStartupFeed(),
name='organizer_startup_atom_feed'),
url(r'^(?P<slug>[\w\-]+)/delete/$',
StartupDelete.as_view(),
name='organizer_startup_delete'),
url(r'^(?P<startup_slug>[\w-]+)/rss/$',
Rss2StartupFeed(),
name='organizer_startup_rss_feed'),
url(r'^(?P<slug>[\w\-]+)/update/$',
StartupUpdate.as_view(),
name='organizer_startup_update'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'(?P<newslink_slug>[\w\-]+)/'
r'delete/$',
NewsLinkDelete.as_view(),
name='organizer_newslink_delete'),
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
which might include code, classes, or functions. Output only the next line. | url(r'^(?P<startup_slug>[\w\-]+)/' |
Using the snippet: <|code_start|> url(r'^$',
StartupList.as_view(),
name='organizer_startup_list'),
url(r'^create/$',
StartupCreate.as_view(),
name='organizer_startup_create'),
url(r'^(?P<slug>[\w\-]+)/$',
StartupDetail.as_view(),
name='organizer_startup_detail'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'add_article_link/$',
NewsLinkCreate.as_view(),
name='organizer_newslink_create'),
url(r'^(?P<startup_slug>[\w-]+)/atom/$',
AtomStartupFeed(),
name='organizer_startup_atom_feed'),
url(r'^(?P<slug>[\w\-]+)/delete/$',
StartupDelete.as_view(),
name='organizer_startup_delete'),
url(r'^(?P<startup_slug>[\w-]+)/rss/$',
Rss2StartupFeed(),
name='organizer_startup_rss_feed'),
url(r'^(?P<slug>[\w\-]+)/update/$',
StartupUpdate.as_view(),
name='organizer_startup_update'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'(?P<newslink_slug>[\w\-]+)/'
r'delete/$',
NewsLinkDelete.as_view(),
name='organizer_newslink_delete'),
<|code_end|>
, determine the next line of code. You have imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context (class names, function names, or code) available:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
. Output only the next line. | url(r'^(?P<startup_slug>[\w\-]+)/' |
Here is a snippet: <|code_start|> StartupCreate.as_view(),
name='organizer_startup_create'),
url(r'^(?P<slug>[\w\-]+)/$',
StartupDetail.as_view(),
name='organizer_startup_detail'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'add_article_link/$',
NewsLinkCreate.as_view(),
name='organizer_newslink_create'),
url(r'^(?P<startup_slug>[\w-]+)/atom/$',
AtomStartupFeed(),
name='organizer_startup_atom_feed'),
url(r'^(?P<slug>[\w\-]+)/delete/$',
StartupDelete.as_view(),
name='organizer_startup_delete'),
url(r'^(?P<startup_slug>[\w-]+)/rss/$',
Rss2StartupFeed(),
name='organizer_startup_rss_feed'),
url(r'^(?P<slug>[\w\-]+)/update/$',
StartupUpdate.as_view(),
name='organizer_startup_update'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'(?P<newslink_slug>[\w\-]+)/'
r'delete/$',
NewsLinkDelete.as_view(),
name='organizer_newslink_delete'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'(?P<newslink_slug>[\w\-]+)/'
r'update/$',
NewsLinkUpdate.as_view(),
<|code_end|>
. Write the next line using the current file imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context from other files:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
, which may include functions, classes, or code. Output only the next line. | name='organizer_newslink_update'), |
Continue the code snippet: <|code_start|>
urlpatterns = [
url(r'^$',
StartupList.as_view(),
name='organizer_startup_list'),
url(r'^create/$',
StartupCreate.as_view(),
name='organizer_startup_create'),
url(r'^(?P<slug>[\w\-]+)/$',
StartupDetail.as_view(),
name='organizer_startup_detail'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'add_article_link/$',
NewsLinkCreate.as_view(),
name='organizer_newslink_create'),
url(r'^(?P<startup_slug>[\w-]+)/atom/$',
AtomStartupFeed(),
name='organizer_startup_atom_feed'),
url(r'^(?P<slug>[\w\-]+)/delete/$',
StartupDelete.as_view(),
name='organizer_startup_delete'),
url(r'^(?P<startup_slug>[\w-]+)/rss/$',
Rss2StartupFeed(),
name='organizer_startup_rss_feed'),
url(r'^(?P<slug>[\w\-]+)/update/$',
StartupUpdate.as_view(),
name='organizer_startup_update'),
url(r'^(?P<startup_slug>[\w\-]+)/'
<|code_end|>
. Use current file imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context (classes, functions, or code) from other files:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
. Output only the next line. | r'(?P<newslink_slug>[\w\-]+)/' |
Given the code snippet: <|code_start|>
urlpatterns = [
url(r'^$',
StartupList.as_view(),
name='organizer_startup_list'),
url(r'^create/$',
StartupCreate.as_view(),
name='organizer_startup_create'),
url(r'^(?P<slug>[\w\-]+)/$',
StartupDetail.as_view(),
name='organizer_startup_detail'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'add_article_link/$',
NewsLinkCreate.as_view(),
name='organizer_newslink_create'),
url(r'^(?P<startup_slug>[\w-]+)/atom/$',
AtomStartupFeed(),
<|code_end|>
, generate the next line using the imports in this file:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context (functions, classes, or occasionally code) from other files:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
. Output only the next line. | name='organizer_startup_atom_feed'), |
Given snippet: <|code_start|>
urlpatterns = [
url(r'^$',
StartupList.as_view(),
name='organizer_startup_list'),
url(r'^create/$',
StartupCreate.as_view(),
name='organizer_startup_create'),
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
which might include code, classes, or functions. Output only the next line. | url(r'^(?P<slug>[\w\-]+)/$', |
Next line prediction: <|code_start|>
urlpatterns = [
url(r'^$',
StartupList.as_view(),
name='organizer_startup_list'),
url(r'^create/$',
StartupCreate.as_view(),
name='organizer_startup_create'),
<|code_end|>
. Use current file imports:
(from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate))
and context including class names, function names, or small code snippets from other files:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
. Output only the next line. | url(r'^(?P<slug>[\w\-]+)/$', |
Predict the next line for this snippet: <|code_start|> name='organizer_startup_create'),
url(r'^(?P<slug>[\w\-]+)/$',
StartupDetail.as_view(),
name='organizer_startup_detail'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'add_article_link/$',
NewsLinkCreate.as_view(),
name='organizer_newslink_create'),
url(r'^(?P<startup_slug>[\w-]+)/atom/$',
AtomStartupFeed(),
name='organizer_startup_atom_feed'),
url(r'^(?P<slug>[\w\-]+)/delete/$',
StartupDelete.as_view(),
name='organizer_startup_delete'),
url(r'^(?P<startup_slug>[\w-]+)/rss/$',
Rss2StartupFeed(),
name='organizer_startup_rss_feed'),
url(r'^(?P<slug>[\w\-]+)/update/$',
StartupUpdate.as_view(),
name='organizer_startup_update'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'(?P<newslink_slug>[\w\-]+)/'
r'delete/$',
NewsLinkDelete.as_view(),
name='organizer_newslink_delete'),
url(r'^(?P<startup_slug>[\w\-]+)/'
r'(?P<newslink_slug>[\w\-]+)/'
r'update/$',
NewsLinkUpdate.as_view(),
name='organizer_newslink_update'),
<|code_end|>
with the help of current file imports:
from django.conf.urls import url
from ..feeds import (
AtomStartupFeed, Rss2StartupFeed)
from ..views import (
NewsLinkCreate, NewsLinkDelete,
NewsLinkUpdate, StartupCreate, StartupDelete,
StartupDetail, StartupList, StartupUpdate)
and context from other files:
# Path: organizer/feeds.py
# class AtomStartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Atom1Feed
#
# class Rss2StartupFeed(BaseStartupFeedMixin, Feed):
# feed_type = Rss201rev2Feed
#
# Path: organizer/views.py
# class NewsLinkCreate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# CreateView):
# form_class = NewsLinkForm
# model = NewsLink
#
# def get_initial(self):
# startup_slug = self.kwargs.get(
# self.startup_slug_url_kwarg)
# self.startup = get_object_or_404(
# Startup, slug__iexact=startup_slug)
# initial = {
# self.startup_context_object_name:
# self.startup,
# }
# initial.update(self.initial)
# return initial
#
# class NewsLinkDelete(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# DeleteView):
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# def get_success_url(self):
# return (self.object.startup
# .get_absolute_url())
#
# class NewsLinkUpdate(
# NewsLinkGetObjectMixin,
# StartupContextMixin,
# UpdateView):
# form_class = NewsLinkForm
# model = NewsLink
# slug_url_kwarg = 'newslink_slug'
#
# class StartupCreate(CreateView):
# form_class = StartupForm
# model = Startup
#
# class StartupDelete(DeleteView):
# model = Startup
# success_url = reverse_lazy(
# 'organizer_startup_list')
#
# class StartupDetail(DetailView):
# queryset = (
# Startup.objects.all()
# .prefetch_related('tags')
# .prefetch_related('newslink_set')
# # below omitted because of with tag
# # and conditional display based on time
# # .prefetch_related('blog_posts')
# )
#
# class StartupList(PageLinksMixin, ListView):
# model = Startup
# paginate_by = 5 # 5 items per page
#
# class StartupUpdate(UpdateView):
# form_class = StartupForm
# model = Startup
, which may contain function names, class names, or code. Output only the next line. | ] |
Here is a snippet: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
<|code_end|>
. Write the next line using the current file imports:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
, which may include functions, classes, or code. Output only the next line. | name='blog_post_list'), |
Given the following code snippet before the placeholder: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
name='blog_post_list'),
<|code_end|>
, predict the next line using imports from the current file:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context including class names, function names, and sometimes code from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
. Output only the next line. | url(r'^create/$', |
Given the code snippet: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
name='blog_post_list'),
url(r'^create/$',
PostCreate.as_view(),
<|code_end|>
, generate the next line using the imports in this file:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context (functions, classes, or occasionally code) from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
. Output only the next line. | name='blog_post_create'), |
Continue the code snippet: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
name='blog_post_list'),
url(r'^create/$',
PostCreate.as_view(),
name='blog_post_create'),
<|code_end|>
. Use current file imports:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context (classes, functions, or code) from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
. Output only the next line. | url(r'^(?P<year>\d{4})/$', |
Based on the snippet: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
name='blog_post_list'),
url(r'^create/$',
PostCreate.as_view(),
name='blog_post_create'),
url(r'^(?P<year>\d{4})/$',
PostArchiveYear.as_view(),
name='blog_post_archive_year'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/$',
PostArchiveMonth.as_view(),
name='blog_post_archive_month'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/'
r'(?P<slug>[\w\-]+)/$',
PostDetail.as_view(),
name='blog_post_detail'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/'
r'(?P<slug>[\w\-]+)/'
r'delete/$',
PostDelete.as_view(),
name='blog_post_delete'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/'
<|code_end|>
, predict the immediate next line with the help of imports:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context (classes, functions, sometimes code) from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
. Output only the next line. | r'(?P<slug>[\w\-]+)/' |
Here is a snippet: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
name='blog_post_list'),
url(r'^create/$',
PostCreate.as_view(),
name='blog_post_create'),
url(r'^(?P<year>\d{4})/$',
PostArchiveYear.as_view(),
name='blog_post_archive_year'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/$',
PostArchiveMonth.as_view(),
name='blog_post_archive_month'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/'
r'(?P<slug>[\w\-]+)/$',
PostDetail.as_view(),
name='blog_post_detail'),
url(r'^(?P<year>\d{4})/'
r'(?P<month>\d{1,2})/'
r'(?P<slug>[\w\-]+)/'
<|code_end|>
. Write the next line using the current file imports:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
, which may include functions, classes, or code. Output only the next line. | r'delete/$', |
Continue the code snippet: <|code_start|>
urlpatterns = [
url(r'^$',
PostList.as_view(),
name='blog_post_list'),
url(r'^create/$',
PostCreate.as_view(),
name='blog_post_create'),
url(r'^(?P<year>\d{4})/$',
PostArchiveYear.as_view(),
name='blog_post_archive_year'),
url(r'^(?P<year>\d{4})/'
<|code_end|>
. Use current file imports:
from django.conf.urls import url
from .views import (
PostArchiveMonth, PostArchiveYear, PostCreate,
PostDelete, PostDetail, PostList, PostUpdate)
and context (classes, functions, or code) from other files:
# Path: blog/views.py
# class PostArchiveMonth(
# AllowFuturePermissionMixin,
# MonthArchiveView):
# model = Post
# date_field = 'pub_date'
# month_format = '%m'
#
# class PostArchiveYear(
# AllowFuturePermissionMixin,
# YearArchiveView):
# model = Post
# date_field = 'pub_date'
# make_object_list = True
#
# class PostCreate(PostFormValidMixin, CreateView):
# form_class = PostForm
# model = Post
#
# class PostDelete(DateObjectMixin, DeleteView):
# date_field = 'pub_date'
# model = Post
# success_url = reverse_lazy('blog_post_list')
#
# class PostDetail(DateObjectMixin, DetailView):
# date_field = 'pub_date'
# queryset = (
# Post.objects
# .select_related('author__profile')
# .prefetch_related('startups')
# .prefetch_related('tags')
# )
#
# class PostList(
# AllowFuturePermissionMixin,
# ArchiveIndexView):
# allow_empty = True
# context_object_name = 'post_list'
# date_field = 'pub_date'
# make_object_list = True
# model = Post
# paginate_by = 5
# template_name = 'blog/post_list.html'
#
# class PostUpdate(
# PostFormValidMixin,
# DateObjectMixin,
# UpdateView):
# date_field = 'pub_date'
# form_class = PostForm
# model = Post
. Output only the next line. | r'(?P<month>\d{1,2})/$', |
Predict the next line for this snippet: <|code_start|> return obj.get_absolute_url()
@admin.register(User)
class UserAdmin(admin.ModelAdmin):
# list view
actions = ['make_staff']
list_display = (
'get_name',
'email',
'get_date_joined',
'is_staff',
'is_superuser')
list_display_links = ('get_name', 'email')
list_filter = (
'is_staff',
'is_superuser',
'profile__joined')
list_select_related = ('profile',)
ordering = ('email',)
search_fields = ('email',)
# form view
fieldsets = (
(None, {
'fields': ('email', 'password')}),
('Permissions', {
'classes': ('collapse',),
'fields': (
'is_active',
'is_staff',
<|code_end|>
with the help of current file imports:
from django.conf.urls import url
from django.contrib import admin
from django.contrib.admin.options import \
IS_POPUP_VAR
from django.contrib.admin.utils import unquote
from django.contrib.auth import \
update_session_auth_hash
from django.contrib.auth.forms import \
AdminPasswordChangeForm
from django.contrib.messages import success
from django.core.exceptions import \
PermissionDenied
from django.http import (
Http404, HttpResponseRedirect)
from django.template.response import \
TemplateResponse
from django.utils.decorators import \
method_decorator
from django.utils.encoding import force_text
from django.utils.html import escape
from django.views.decorators.debug import \
sensitive_post_parameters
from .forms import (
UserChangeForm, UserCreationForm)
from .models import Profile, User
and context from other files:
# Path: user/forms.py
# class UserChangeForm(BaseUserChangeForm):
# """For UserAdmin."""
#
# class Meta(BaseUserChangeForm.Meta):
# model = get_user_model()
#
# class UserCreationForm(
# ActivationMailFormMixin,
# BaseUserCreationForm):
#
# name = forms.CharField(
# max_length=255,
# help_text=(
# "The name displayed on your "
# "public profile."))
#
# mail_validation_error = (
# 'User created. Could not send activation '
# 'email. Please try again later. (Sorry!)')
#
# class Meta(BaseUserCreationForm.Meta):
# model = get_user_model()
# fields = ('name', 'email')
#
# def clean_name(self):
# name = self.cleaned_data['name']
# disallowed = (
# 'activate',
# 'create',
# 'disable',
# 'login',
# 'logout',
# 'password',
# 'profile',
# )
# if name in disallowed:
# raise ValidationError(
# "A user with that name"
# " already exists.")
# return name
#
# def save(self, **kwargs):
# user = super().save(commit=False)
# if not user.pk:
# user.is_active = False
# send_mail = True
# else:
# send_mail = False
# user.save()
# self.save_m2m()
# Profile.objects.update_or_create(
# user=user,
# defaults={
# 'name': self.cleaned_data['name'],
# 'slug': slugify(
# self.cleaned_data['name']),
# })
# if send_mail:
# self.send_mail(user=user, **kwargs)
# return user
#
# Path: user/models.py
# class Profile(models.Model):
# user = models.OneToOneField(
# settings.AUTH_USER_MODEL)
# name = models.CharField(
# max_length=255)
# slug = models.SlugField(
# max_length=30,
# unique=True)
# about = models.TextField()
# joined = models.DateTimeField(
# "Date Joined",
# auto_now_add=True)
#
# objects = ProfileManager()
#
# def __str__(self):
# return self.user.get_username()
#
# def get_absolute_url(self):
# return reverse(
# 'dj-auth:public_profile',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('dj-auth:profile_update')
#
# def natural_key(self):
# return (self.slug,)
# natural_key.dependencies = ['user.user']
#
# class User(AbstractBaseUser, PermissionsMixin):
# email = models.EmailField(
# 'email address',
# max_length=254,
# unique=True)
# is_staff = models.BooleanField(
# 'staff status',
# default=False,
# help_text=(
# 'Designates whether the user can '
# 'log into this admin site.'))
# is_active = models.BooleanField(
# 'active',
# default=True,
# help_text=(
# 'Designates whether this user should '
# 'be treated as active. Unselect this '
# 'instead of deleting accounts.'))
#
# USERNAME_FIELD = 'email'
#
# objects = UserManager()
#
# def __str__(self):
# return self.email
#
# def get_absolute_url(self):
# return self.profile.get_absolute_url()
#
# def get_full_name(self):
# return self.profile.name
#
# def get_short_name(self):
# return self.profile.name
#
# def published_posts(self):
# return self.blog_posts.filter(
# pub_date__lt=date.today())
#
# def natural_key(self):
# return (self.email,)
, which may contain function names, class names, or code. Output only the next line. | 'is_superuser', |
Continue the code snippet: <|code_start|> # list view
actions = ['make_staff']
list_display = (
'get_name',
'email',
'get_date_joined',
'is_staff',
'is_superuser')
list_display_links = ('get_name', 'email')
list_filter = (
'is_staff',
'is_superuser',
'profile__joined')
list_select_related = ('profile',)
ordering = ('email',)
search_fields = ('email',)
# form view
fieldsets = (
(None, {
'fields': ('email', 'password')}),
('Permissions', {
'classes': ('collapse',),
'fields': (
'is_active',
'is_staff',
'is_superuser',
'groups',
'user_permissions')}),
('Important dates', {
'classes': ('collapse',),
<|code_end|>
. Use current file imports:
from django.conf.urls import url
from django.contrib import admin
from django.contrib.admin.options import \
IS_POPUP_VAR
from django.contrib.admin.utils import unquote
from django.contrib.auth import \
update_session_auth_hash
from django.contrib.auth.forms import \
AdminPasswordChangeForm
from django.contrib.messages import success
from django.core.exceptions import \
PermissionDenied
from django.http import (
Http404, HttpResponseRedirect)
from django.template.response import \
TemplateResponse
from django.utils.decorators import \
method_decorator
from django.utils.encoding import force_text
from django.utils.html import escape
from django.views.decorators.debug import \
sensitive_post_parameters
from .forms import (
UserChangeForm, UserCreationForm)
from .models import Profile, User
and context (classes, functions, or code) from other files:
# Path: user/forms.py
# class UserChangeForm(BaseUserChangeForm):
# """For UserAdmin."""
#
# class Meta(BaseUserChangeForm.Meta):
# model = get_user_model()
#
# class UserCreationForm(
# ActivationMailFormMixin,
# BaseUserCreationForm):
#
# name = forms.CharField(
# max_length=255,
# help_text=(
# "The name displayed on your "
# "public profile."))
#
# mail_validation_error = (
# 'User created. Could not send activation '
# 'email. Please try again later. (Sorry!)')
#
# class Meta(BaseUserCreationForm.Meta):
# model = get_user_model()
# fields = ('name', 'email')
#
# def clean_name(self):
# name = self.cleaned_data['name']
# disallowed = (
# 'activate',
# 'create',
# 'disable',
# 'login',
# 'logout',
# 'password',
# 'profile',
# )
# if name in disallowed:
# raise ValidationError(
# "A user with that name"
# " already exists.")
# return name
#
# def save(self, **kwargs):
# user = super().save(commit=False)
# if not user.pk:
# user.is_active = False
# send_mail = True
# else:
# send_mail = False
# user.save()
# self.save_m2m()
# Profile.objects.update_or_create(
# user=user,
# defaults={
# 'name': self.cleaned_data['name'],
# 'slug': slugify(
# self.cleaned_data['name']),
# })
# if send_mail:
# self.send_mail(user=user, **kwargs)
# return user
#
# Path: user/models.py
# class Profile(models.Model):
# user = models.OneToOneField(
# settings.AUTH_USER_MODEL)
# name = models.CharField(
# max_length=255)
# slug = models.SlugField(
# max_length=30,
# unique=True)
# about = models.TextField()
# joined = models.DateTimeField(
# "Date Joined",
# auto_now_add=True)
#
# objects = ProfileManager()
#
# def __str__(self):
# return self.user.get_username()
#
# def get_absolute_url(self):
# return reverse(
# 'dj-auth:public_profile',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('dj-auth:profile_update')
#
# def natural_key(self):
# return (self.slug,)
# natural_key.dependencies = ['user.user']
#
# class User(AbstractBaseUser, PermissionsMixin):
# email = models.EmailField(
# 'email address',
# max_length=254,
# unique=True)
# is_staff = models.BooleanField(
# 'staff status',
# default=False,
# help_text=(
# 'Designates whether the user can '
# 'log into this admin site.'))
# is_active = models.BooleanField(
# 'active',
# default=True,
# help_text=(
# 'Designates whether this user should '
# 'be treated as active. Unselect this '
# 'instead of deleting accounts.'))
#
# USERNAME_FIELD = 'email'
#
# objects = UserManager()
#
# def __str__(self):
# return self.email
#
# def get_absolute_url(self):
# return self.profile.get_absolute_url()
#
# def get_full_name(self):
# return self.profile.name
#
# def get_short_name(self):
# return self.profile.name
#
# def published_posts(self):
# return self.blog_posts.filter(
# pub_date__lt=date.today())
#
# def natural_key(self):
# return (self.email,)
. Output only the next line. | 'fields': ('last_login',)}), |
Predict the next line after this snippet: <|code_start|> return self.add_fieldsets
return super().get_fieldsets(request, obj)
def get_form(
self, request, obj=None, **kwargs):
if obj is None:
kwargs['form'] = self.add_form
return super().get_form(
request, obj, **kwargs)
def get_inline_instances(
self, request, obj=None):
if obj is None:
return tuple()
inline_instance = ProfileAdminInline(
self.model, self.admin_site)
return (inline_instance,)
def get_urls(self):
password_change = [
url(r'^(.+)/password/$',
self.admin_site.admin_view(
self.user_change_password),
name='auth_user_password_change'),
]
urls = super().get_urls()
urls = password_change + urls
return urls
@method_decorator(sensitive_post_parameters())
<|code_end|>
using the current file's imports:
from django.conf.urls import url
from django.contrib import admin
from django.contrib.admin.options import \
IS_POPUP_VAR
from django.contrib.admin.utils import unquote
from django.contrib.auth import \
update_session_auth_hash
from django.contrib.auth.forms import \
AdminPasswordChangeForm
from django.contrib.messages import success
from django.core.exceptions import \
PermissionDenied
from django.http import (
Http404, HttpResponseRedirect)
from django.template.response import \
TemplateResponse
from django.utils.decorators import \
method_decorator
from django.utils.encoding import force_text
from django.utils.html import escape
from django.views.decorators.debug import \
sensitive_post_parameters
from .forms import (
UserChangeForm, UserCreationForm)
from .models import Profile, User
and any relevant context from other files:
# Path: user/forms.py
# class UserChangeForm(BaseUserChangeForm):
# """For UserAdmin."""
#
# class Meta(BaseUserChangeForm.Meta):
# model = get_user_model()
#
# class UserCreationForm(
# ActivationMailFormMixin,
# BaseUserCreationForm):
#
# name = forms.CharField(
# max_length=255,
# help_text=(
# "The name displayed on your "
# "public profile."))
#
# mail_validation_error = (
# 'User created. Could not send activation '
# 'email. Please try again later. (Sorry!)')
#
# class Meta(BaseUserCreationForm.Meta):
# model = get_user_model()
# fields = ('name', 'email')
#
# def clean_name(self):
# name = self.cleaned_data['name']
# disallowed = (
# 'activate',
# 'create',
# 'disable',
# 'login',
# 'logout',
# 'password',
# 'profile',
# )
# if name in disallowed:
# raise ValidationError(
# "A user with that name"
# " already exists.")
# return name
#
# def save(self, **kwargs):
# user = super().save(commit=False)
# if not user.pk:
# user.is_active = False
# send_mail = True
# else:
# send_mail = False
# user.save()
# self.save_m2m()
# Profile.objects.update_or_create(
# user=user,
# defaults={
# 'name': self.cleaned_data['name'],
# 'slug': slugify(
# self.cleaned_data['name']),
# })
# if send_mail:
# self.send_mail(user=user, **kwargs)
# return user
#
# Path: user/models.py
# class Profile(models.Model):
# user = models.OneToOneField(
# settings.AUTH_USER_MODEL)
# name = models.CharField(
# max_length=255)
# slug = models.SlugField(
# max_length=30,
# unique=True)
# about = models.TextField()
# joined = models.DateTimeField(
# "Date Joined",
# auto_now_add=True)
#
# objects = ProfileManager()
#
# def __str__(self):
# return self.user.get_username()
#
# def get_absolute_url(self):
# return reverse(
# 'dj-auth:public_profile',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('dj-auth:profile_update')
#
# def natural_key(self):
# return (self.slug,)
# natural_key.dependencies = ['user.user']
#
# class User(AbstractBaseUser, PermissionsMixin):
# email = models.EmailField(
# 'email address',
# max_length=254,
# unique=True)
# is_staff = models.BooleanField(
# 'staff status',
# default=False,
# help_text=(
# 'Designates whether the user can '
# 'log into this admin site.'))
# is_active = models.BooleanField(
# 'active',
# default=True,
# help_text=(
# 'Designates whether this user should '
# 'be treated as active. Unselect this '
# 'instead of deleting accounts.'))
#
# USERNAME_FIELD = 'email'
#
# objects = UserManager()
#
# def __str__(self):
# return self.email
#
# def get_absolute_url(self):
# return self.profile.get_absolute_url()
#
# def get_full_name(self):
# return self.profile.name
#
# def get_short_name(self):
# return self.profile.name
#
# def published_posts(self):
# return self.blog_posts.filter(
# pub_date__lt=date.today())
#
# def natural_key(self):
# return (self.email,)
. Output only the next line. | def user_change_password( |
Continue the code snippet: <|code_start|> if obj is None:
return tuple()
inline_instance = ProfileAdminInline(
self.model, self.admin_site)
return (inline_instance,)
def get_urls(self):
password_change = [
url(r'^(.+)/password/$',
self.admin_site.admin_view(
self.user_change_password),
name='auth_user_password_change'),
]
urls = super().get_urls()
urls = password_change + urls
return urls
@method_decorator(sensitive_post_parameters())
def user_change_password(
self, request, user_id, form_url=''):
if not self.has_change_permission(
request):
raise PermissionDenied
user = self.get_object(
request, unquote(user_id))
if user is None:
raise Http404(
'{name} object with primary key '
'{key} does not exist.'.format(
name=force_text(
<|code_end|>
. Use current file imports:
from django.conf.urls import url
from django.contrib import admin
from django.contrib.admin.options import \
IS_POPUP_VAR
from django.contrib.admin.utils import unquote
from django.contrib.auth import \
update_session_auth_hash
from django.contrib.auth.forms import \
AdminPasswordChangeForm
from django.contrib.messages import success
from django.core.exceptions import \
PermissionDenied
from django.http import (
Http404, HttpResponseRedirect)
from django.template.response import \
TemplateResponse
from django.utils.decorators import \
method_decorator
from django.utils.encoding import force_text
from django.utils.html import escape
from django.views.decorators.debug import \
sensitive_post_parameters
from .forms import (
UserChangeForm, UserCreationForm)
from .models import Profile, User
and context (classes, functions, or code) from other files:
# Path: user/forms.py
# class UserChangeForm(BaseUserChangeForm):
# """For UserAdmin."""
#
# class Meta(BaseUserChangeForm.Meta):
# model = get_user_model()
#
# class UserCreationForm(
# ActivationMailFormMixin,
# BaseUserCreationForm):
#
# name = forms.CharField(
# max_length=255,
# help_text=(
# "The name displayed on your "
# "public profile."))
#
# mail_validation_error = (
# 'User created. Could not send activation '
# 'email. Please try again later. (Sorry!)')
#
# class Meta(BaseUserCreationForm.Meta):
# model = get_user_model()
# fields = ('name', 'email')
#
# def clean_name(self):
# name = self.cleaned_data['name']
# disallowed = (
# 'activate',
# 'create',
# 'disable',
# 'login',
# 'logout',
# 'password',
# 'profile',
# )
# if name in disallowed:
# raise ValidationError(
# "A user with that name"
# " already exists.")
# return name
#
# def save(self, **kwargs):
# user = super().save(commit=False)
# if not user.pk:
# user.is_active = False
# send_mail = True
# else:
# send_mail = False
# user.save()
# self.save_m2m()
# Profile.objects.update_or_create(
# user=user,
# defaults={
# 'name': self.cleaned_data['name'],
# 'slug': slugify(
# self.cleaned_data['name']),
# })
# if send_mail:
# self.send_mail(user=user, **kwargs)
# return user
#
# Path: user/models.py
# class Profile(models.Model):
# user = models.OneToOneField(
# settings.AUTH_USER_MODEL)
# name = models.CharField(
# max_length=255)
# slug = models.SlugField(
# max_length=30,
# unique=True)
# about = models.TextField()
# joined = models.DateTimeField(
# "Date Joined",
# auto_now_add=True)
#
# objects = ProfileManager()
#
# def __str__(self):
# return self.user.get_username()
#
# def get_absolute_url(self):
# return reverse(
# 'dj-auth:public_profile',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('dj-auth:profile_update')
#
# def natural_key(self):
# return (self.slug,)
# natural_key.dependencies = ['user.user']
#
# class User(AbstractBaseUser, PermissionsMixin):
# email = models.EmailField(
# 'email address',
# max_length=254,
# unique=True)
# is_staff = models.BooleanField(
# 'staff status',
# default=False,
# help_text=(
# 'Designates whether the user can '
# 'log into this admin site.'))
# is_active = models.BooleanField(
# 'active',
# default=True,
# help_text=(
# 'Designates whether this user should '
# 'be treated as active. Unselect this '
# 'instead of deleting accounts.'))
#
# USERNAME_FIELD = 'email'
#
# objects = UserManager()
#
# def __str__(self):
# return self.email
#
# def get_absolute_url(self):
# return self.profile.get_absolute_url()
#
# def get_full_name(self):
# return self.profile.name
#
# def get_short_name(self):
# return self.profile.name
#
# def published_posts(self):
# return self.blog_posts.filter(
# pub_date__lt=date.today())
#
# def natural_key(self):
# return (self.email,)
. Output only the next line. | self.model |
Given snippet: <|code_start|>
urlpatterns = [
url(r'^$',
TagList.as_view(),
name='organizer_tag_list'),
url(r'^create/$',
TagCreate.as_view(),
name='organizer_tag_create'),
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.conf.urls import url
from ..views import (
TagCreate, TagDelete, TagDetail, TagList,
TagUpdate)
and context:
# Path: organizer/views.py
# class TagCreate(CreateView):
# form_class = TagForm
# model = Tag
#
# class TagDelete(DeleteView):
# model = Tag
# success_url = reverse_lazy(
# 'organizer_tag_list')
#
# class TagDetail(DetailView):
# queryset = (
# Tag.objects
# .prefetch_related('startup_set')
# )
#
# class TagList(PageLinksMixin, ListView):
# paginate_by = 5
# model = Tag
#
# class TagUpdate(UpdateView):
# form_class = TagForm
# model = Tag
which might include code, classes, or functions. Output only the next line. | url(r'^(?P<slug>[\w\-]+)/$', |
Predict the next line after this snippet: <|code_start|>
urlpatterns = [
url(r'^$',
TagList.as_view(),
name='organizer_tag_list'),
url(r'^create/$',
TagCreate.as_view(),
name='organizer_tag_create'),
url(r'^(?P<slug>[\w\-]+)/$',
TagDetail.as_view(),
<|code_end|>
using the current file's imports:
from django.conf.urls import url
from ..views import (
TagCreate, TagDelete, TagDetail, TagList,
TagUpdate)
and any relevant context from other files:
# Path: organizer/views.py
# class TagCreate(CreateView):
# form_class = TagForm
# model = Tag
#
# class TagDelete(DeleteView):
# model = Tag
# success_url = reverse_lazy(
# 'organizer_tag_list')
#
# class TagDetail(DetailView):
# queryset = (
# Tag.objects
# .prefetch_related('startup_set')
# )
#
# class TagList(PageLinksMixin, ListView):
# paginate_by = 5
# model = Tag
#
# class TagUpdate(UpdateView):
# form_class = TagForm
# model = Tag
. Output only the next line. | name='organizer_tag_detail'), |
Predict the next line after this snippet: <|code_start|>
urlpatterns = [
url(r'^$',
TagList.as_view(),
name='organizer_tag_list'),
url(r'^create/$',
TagCreate.as_view(),
<|code_end|>
using the current file's imports:
from django.conf.urls import url
from ..views import (
TagCreate, TagDelete, TagDetail, TagList,
TagUpdate)
and any relevant context from other files:
# Path: organizer/views.py
# class TagCreate(CreateView):
# form_class = TagForm
# model = Tag
#
# class TagDelete(DeleteView):
# model = Tag
# success_url = reverse_lazy(
# 'organizer_tag_list')
#
# class TagDetail(DetailView):
# queryset = (
# Tag.objects
# .prefetch_related('startup_set')
# )
#
# class TagList(PageLinksMixin, ListView):
# paginate_by = 5
# model = Tag
#
# class TagUpdate(UpdateView):
# form_class = TagForm
# model = Tag
. Output only the next line. | name='organizer_tag_create'), |
Predict the next line for this snippet: <|code_start|>
urlpatterns = [
url(r'^$',
TagList.as_view(),
name='organizer_tag_list'),
url(r'^create/$',
TagCreate.as_view(),
name='organizer_tag_create'),
url(r'^(?P<slug>[\w\-]+)/$',
TagDetail.as_view(),
name='organizer_tag_detail'),
url(r'^(?P<slug>[\w-]+)/delete/$',
TagDelete.as_view(),
name='organizer_tag_delete'),
<|code_end|>
with the help of current file imports:
from django.conf.urls import url
from ..views import (
TagCreate, TagDelete, TagDetail, TagList,
TagUpdate)
and context from other files:
# Path: organizer/views.py
# class TagCreate(CreateView):
# form_class = TagForm
# model = Tag
#
# class TagDelete(DeleteView):
# model = Tag
# success_url = reverse_lazy(
# 'organizer_tag_list')
#
# class TagDetail(DetailView):
# queryset = (
# Tag.objects
# .prefetch_related('startup_set')
# )
#
# class TagList(PageLinksMixin, ListView):
# paginate_by = 5
# model = Tag
#
# class TagUpdate(UpdateView):
# form_class = TagForm
# model = Tag
, which may contain function names, class names, or code. Output only the next line. | url(r'^(?P<slug>[\w\-]+)/update/$', |
Given the following code snippet before the placeholder: <|code_start|>
urlpatterns = [
url(r'^$',
TagList.as_view(),
name='organizer_tag_list'),
url(r'^create/$',
TagCreate.as_view(),
name='organizer_tag_create'),
url(r'^(?P<slug>[\w\-]+)/$',
TagDetail.as_view(),
name='organizer_tag_detail'),
url(r'^(?P<slug>[\w-]+)/delete/$',
TagDelete.as_view(),
<|code_end|>
, predict the next line using imports from the current file:
from django.conf.urls import url
from ..views import (
TagCreate, TagDelete, TagDetail, TagList,
TagUpdate)
and context including class names, function names, and sometimes code from other files:
# Path: organizer/views.py
# class TagCreate(CreateView):
# form_class = TagForm
# model = Tag
#
# class TagDelete(DeleteView):
# model = Tag
# success_url = reverse_lazy(
# 'organizer_tag_list')
#
# class TagDetail(DetailView):
# queryset = (
# Tag.objects
# .prefetch_related('startup_set')
# )
#
# class TagList(PageLinksMixin, ListView):
# paginate_by = 5
# model = Tag
#
# class TagUpdate(UpdateView):
# form_class = TagForm
# model = Tag
. Output only the next line. | name='organizer_tag_delete'), |
Based on the snippet: <|code_start|>
class Command(BaseCommand):
help = 'Create new Tag.'
def add_arguments(self, parser):
parser.add_argument(
'tag_name',
default=None,
help='New tag name.')
def handle(self, **options):
tag_name = options.pop('tag_name', None)
Tag.objects.create(
name=tag_name,
<|code_end|>
, predict the immediate next line with the help of imports:
from django.core.management.base import (
BaseCommand, CommandError)
from django.utils.text import slugify
from ...models import Tag
and context (classes, functions, sometimes code) from other files:
# Path: organizer/models.py
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | slug=slugify(tag_name)) |
Given snippet: <|code_start|> url(r'^activate/resend/$',
ResendActivationEmail.as_view(),
name='resend_activation'),
url(r'^activate',
RedirectView.as_view(
pattern_name=(
'dj-auth:resend_activation'),
permanent=False)),
url(r'^create/$',
CreateAccount.as_view(),
name='create'),
url(r'^create/done/$',
TemplateView.as_view(
template_name=(
'user/user_create_done.html')),
name='create_done'),
url(r'^disable/$',
DisableAccount.as_view(),
name='disable'),
url(r'^login/$',
auth_views.login,
{'template_name': 'user/login.html'},
name='login'),
url(r'^logout/$',
auth_views.logout,
{'template_name': 'user/logged_out.html',
'extra_context':
{'form': AuthenticationForm}},
name='logout'),
url(r'^password/', include(password_urls)),
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail)
and context:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
which might include code, classes, or functions. Output only the next line. | url(r'^profile/$', |
Continue the code snippet: <|code_start|> name='pw_reset_start'),
url(r'^reset/sent/$',
auth_views.password_reset_done,
{'template_name':
'user/password_reset_sent.html'},
name='pw_reset_sent'),
url(r'^reset/'
r'(?P<uidb64>[0-9A-Za-z_\-]+)/'
r'(?P<token>[0-9A-Za-z]{1,13}'
r'-[0-9A-Za-z]{1,20})/$',
auth_views.password_reset_confirm,
{'template_name':
'user/password_reset_confirm.html',
'post_reset_redirect': reverse_lazy(
'dj-auth:pw_reset_complete')},
name='pw_reset_confirm'),
url(r'reset/done/$',
auth_views.password_reset_complete,
{'template_name':
'user/password_reset_complete.html',
'extra_context':
{'form': AuthenticationForm}},
name='pw_reset_complete'),
]
urlpatterns = [
url(r'^$',
RedirectView.as_view(
pattern_name='dj-auth:login',
permanent=False)),
<|code_end|>
. Use current file imports:
from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail)
and context (classes, functions, or code) from other files:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
. Output only the next line. | url(r'^activate/' |
Next line prediction: <|code_start|> {'template_name':
'user/password_reset_form.html',
'email_template_name':
'user/password_reset_email.txt',
'subject_template_name':
'user/password_reset_subject.txt',
'post_reset_redirect': reverse_lazy(
'dj-auth:pw_reset_sent')},
name='pw_reset_start'),
url(r'^reset/sent/$',
auth_views.password_reset_done,
{'template_name':
'user/password_reset_sent.html'},
name='pw_reset_sent'),
url(r'^reset/'
r'(?P<uidb64>[0-9A-Za-z_\-]+)/'
r'(?P<token>[0-9A-Za-z]{1,13}'
r'-[0-9A-Za-z]{1,20})/$',
auth_views.password_reset_confirm,
{'template_name':
'user/password_reset_confirm.html',
'post_reset_redirect': reverse_lazy(
'dj-auth:pw_reset_complete')},
name='pw_reset_confirm'),
url(r'reset/done/$',
auth_views.password_reset_complete,
{'template_name':
'user/password_reset_complete.html',
'extra_context':
{'form': AuthenticationForm}},
<|code_end|>
. Use current file imports:
(from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail))
and context including class names, function names, or small code snippets from other files:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
. Output only the next line. | name='pw_reset_complete'), |
Predict the next line after this snippet: <|code_start|>
password_urls = [
url(r'^$',
RedirectView.as_view(
pattern_name='dj-auth:pw_reset_start',
permanent=False)),
url(r'^change/$',
auth_views.password_change,
{'template_name':
'user/password_change_form.html',
'post_change_redirect': reverse_lazy(
'dj-auth:pw_change_done')},
name='pw_change'),
url(r'^change/done/$',
auth_views.password_change_done,
{'template_name':
'user/password_change_done.html'},
name='pw_change_done'),
url(r'^reset/$',
auth_views.password_reset,
{'template_name':
'user/password_reset_form.html',
'email_template_name':
'user/password_reset_email.txt',
'subject_template_name':
'user/password_reset_subject.txt',
'post_reset_redirect': reverse_lazy(
<|code_end|>
using the current file's imports:
from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail)
and any relevant context from other files:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
. Output only the next line. | 'dj-auth:pw_reset_sent')}, |
Given the following code snippet before the placeholder: <|code_start|> url(r'^change/done/$',
auth_views.password_change_done,
{'template_name':
'user/password_change_done.html'},
name='pw_change_done'),
url(r'^reset/$',
auth_views.password_reset,
{'template_name':
'user/password_reset_form.html',
'email_template_name':
'user/password_reset_email.txt',
'subject_template_name':
'user/password_reset_subject.txt',
'post_reset_redirect': reverse_lazy(
'dj-auth:pw_reset_sent')},
name='pw_reset_start'),
url(r'^reset/sent/$',
auth_views.password_reset_done,
{'template_name':
'user/password_reset_sent.html'},
name='pw_reset_sent'),
url(r'^reset/'
r'(?P<uidb64>[0-9A-Za-z_\-]+)/'
r'(?P<token>[0-9A-Za-z]{1,13}'
r'-[0-9A-Za-z]{1,20})/$',
auth_views.password_reset_confirm,
{'template_name':
'user/password_reset_confirm.html',
'post_reset_redirect': reverse_lazy(
'dj-auth:pw_reset_complete')},
<|code_end|>
, predict the next line using imports from the current file:
from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail)
and context including class names, function names, and sometimes code from other files:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
. Output only the next line. | name='pw_reset_confirm'), |
Continue the code snippet: <|code_start|> url(r'^$',
RedirectView.as_view(
pattern_name='dj-auth:login',
permanent=False)),
url(r'^activate/'
r'(?P<uidb64>[0-9A-Za-z_\-]+)/'
r'(?P<token>[0-9A-Za-z]{1,13}'
r'-[0-9A-Za-z]{1,20})/$',
ActivateAccount.as_view(),
name='activate'),
url(r'^activate/resend/$',
ResendActivationEmail.as_view(),
name='resend_activation'),
url(r'^activate',
RedirectView.as_view(
pattern_name=(
'dj-auth:resend_activation'),
permanent=False)),
url(r'^create/$',
CreateAccount.as_view(),
name='create'),
url(r'^create/done/$',
TemplateView.as_view(
template_name=(
'user/user_create_done.html')),
name='create_done'),
url(r'^disable/$',
DisableAccount.as_view(),
name='disable'),
url(r'^login/$',
<|code_end|>
. Use current file imports:
from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail)
and context (classes, functions, or code) from other files:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
. Output only the next line. | auth_views.login, |
Continue the code snippet: <|code_start|>
password_urls = [
url(r'^$',
RedirectView.as_view(
pattern_name='dj-auth:pw_reset_start',
permanent=False)),
url(r'^change/$',
auth_views.password_change,
{'template_name':
'user/password_change_form.html',
'post_change_redirect': reverse_lazy(
'dj-auth:pw_change_done')},
name='pw_change'),
url(r'^change/done/$',
auth_views.password_change_done,
{'template_name':
'user/password_change_done.html'},
<|code_end|>
. Use current file imports:
from django.conf.urls import include, url
from django.contrib.auth import \
views as auth_views
from django.contrib.auth.forms import \
AuthenticationForm
from django.core.urlresolvers import reverse_lazy
from django.views.generic import (
RedirectView, TemplateView)
from .views import (
ActivateAccount, CreateAccount,
DisableAccount, ProfileDetail, ProfileUpdate,
PublicProfileDetail, ResendActivationEmail)
and context (classes, functions, or code) from other files:
# Path: user/views.py
# class ActivateAccount(View):
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/user_activate.html'
#
# @method_decorator(never_cache)
# def get(self, request, uidb64, token):
# User = get_user_model()
# try:
# # urlsafe_base64_decode()
# # -> bytestring in Py3
# uid = force_text(
# urlsafe_base64_decode(uidb64))
# user = User.objects.get(pk=uid)
# except (TypeError, ValueError,
# OverflowError, User.DoesNotExist):
# user = None
# if (user is not None
# and token_generator
# .check_token(user, token)):
# user.is_active = True
# user.save()
# success(
# request,
# 'User Activated! '
# 'You may now login.')
# return redirect(self.success_url)
# else:
# return TemplateResponse(
# request,
# self.template_name)
#
# class CreateAccount(MailContextViewMixin, View):
# form_class = UserCreationForm
# success_url = reverse_lazy(
# 'dj-auth:create_done')
# template_name = 'user/user_create.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# @method_decorator(sensitive_post_parameters(
# 'password1', 'password2'))
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# # not catching returned user
# bound_form.save(
# **self.get_save_kwargs(request))
# if bound_form.mail_sent: # mail sent?
# return redirect(self.success_url)
# else:
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# return redirect(
# 'dj-auth:resend_activation')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
#
# class DisableAccount(View):
# success_url = settings.LOGIN_REDIRECT_URL
# template_name = (
# 'user/user_confirm_delete.html')
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name)
#
# @method_decorator(csrf_protect)
# @method_decorator(login_required)
# def post(self, request):
# user = get_user(request)
# user.set_unusable_password()
# user.is_active = False
# user.save()
# logout(request)
# return redirect(self.success_url)
#
# class ProfileDetail(
# ProfileGetObjectMixin, DetailView):
# model = Profile
#
# class ProfileUpdate(
# ProfileGetObjectMixin, UpdateView):
# fields = ('about',)
# model = Profile
#
# class PublicProfileDetail(DetailView):
# model = Profile
#
# class ResendActivationEmail(
# MailContextViewMixin, View):
# form_class = ResendActivationEmailForm
# success_url = reverse_lazy('dj-auth:login')
# template_name = 'user/resend_activation.html'
#
# @method_decorator(csrf_protect)
# def get(self, request):
# return TemplateResponse(
# request,
# self.template_name,
# {'form': self.form_class()})
#
# @method_decorator(csrf_protect)
# def post(self, request):
# bound_form = self.form_class(request.POST)
# if bound_form.is_valid():
# user = bound_form.save(
# **self.get_save_kwargs(request))
# if (user is not None
# and not bound_form.mail_sent):
# errs = (
# bound_form.non_field_errors())
# for err in errs:
# error(request, err)
# if errs:
# bound_form.errors.pop(
# '__all__')
# return TemplateResponse(
# request,
# self.template_name,
# {'form': bound_form})
# success(
# request,
# 'Activation Email Sent!')
# return redirect(self.success_url)
. Output only the next line. | name='pw_change_done'), |
Given snippet: <|code_start|>
class NewsLinkGetObjectMixin():
def get_object(self, queryset=None):
startup_slug = self.kwargs.get(
self.startup_slug_url_kwarg)
newslink_slug = self.kwargs.get(
self.slug_url_kwarg)
return get_object_or_404(
NewsLink,
slug__iexact=newslink_slug,
startup__slug__iexact=startup_slug)
class PageLinksMixin:
page_kwarg = 'page'
def _page_urls(self, page_number):
return "?{pkw}={n}".format(
pkw=self.page_kwarg,
n=page_number)
def first_page(self, page):
# don't show on first page
if page.number > 1:
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.shortcuts import get_object_or_404
from .models import NewsLink, Startup
and context:
# Path: organizer/models.py
# class NewsLink(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(max_length=63)
# pub_date = models.DateField('date published')
# link = models.URLField(max_length=255)
# startup = models.ForeignKey(Startup)
#
# objects = NewsLinkManager()
#
# class Meta:
# verbose_name = 'news article'
# ordering = ['-pub_date']
# get_latest_by = 'pub_date'
# unique_together = ('slug', 'startup')
#
# def __str__(self):
# return "{}: {}".format(
# self.startup, self.title)
#
# def get_absolute_url(self):
# return self.startup.get_absolute_url()
#
# def get_delete_url(self):
# return reverse(
# 'organizer_newslink_delete',
# kwargs={
# 'startup_slug': self.startup.slug,
# 'newslink_slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'organizer_newslink_update',
# kwargs={
# 'startup_slug': self.startup.slug,
# 'newslink_slug': self.slug})
#
# def natural_key(self):
# return (
# self.startup.natural_key(),
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup']
#
# def description(self):
# return (
# "Written on "
# "{0:%A, %B} {0.day}, {0:%Y}; "
# "hosted at {1}".format(
# self.pub_date,
# urlparse(self.link).netloc))
#
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
which might include code, classes, or functions. Output only the next line. | return self._page_urls(1) |
Given the following code snippet before the placeholder: <|code_start|> return None
def next_page(self, page):
last_page = page.paginator.num_pages
if (page.has_next()
and page.number < last_page - 1):
return self._page_urls(
page.next_page_number())
return None
def last_page(self, page):
last_page = page.paginator.num_pages
if page.number < last_page:
return self._page_urls(last_page)
return None
def get_context_data(self, **kwargs):
context = super().get_context_data(
**kwargs)
page = context.get('page_obj')
if page is not None:
context.update({
'first_page_url':
self.first_page(page),
'previous_page_url':
self.previous_page(page),
'next_page_url':
self.next_page(page),
'last_page_url':
self.last_page(page),
<|code_end|>
, predict the next line using imports from the current file:
from django.shortcuts import get_object_or_404
from .models import NewsLink, Startup
and context including class names, function names, and sometimes code from other files:
# Path: organizer/models.py
# class NewsLink(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(max_length=63)
# pub_date = models.DateField('date published')
# link = models.URLField(max_length=255)
# startup = models.ForeignKey(Startup)
#
# objects = NewsLinkManager()
#
# class Meta:
# verbose_name = 'news article'
# ordering = ['-pub_date']
# get_latest_by = 'pub_date'
# unique_together = ('slug', 'startup')
#
# def __str__(self):
# return "{}: {}".format(
# self.startup, self.title)
#
# def get_absolute_url(self):
# return self.startup.get_absolute_url()
#
# def get_delete_url(self):
# return reverse(
# 'organizer_newslink_delete',
# kwargs={
# 'startup_slug': self.startup.slug,
# 'newslink_slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'organizer_newslink_update',
# kwargs={
# 'startup_slug': self.startup.slug,
# 'newslink_slug': self.slug})
#
# def natural_key(self):
# return (
# self.startup.natural_key(),
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup']
#
# def description(self):
# return (
# "Written on "
# "{0:%A, %B} {0.day}, {0:%Y}; "
# "hosted at {1}".format(
# self.pub_date,
# urlparse(self.link).netloc))
#
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | }) |
Predict the next line after this snippet: <|code_start|> slug = models.SlugField(
max_length=63,
help_text='A label for URL config',
unique_for_month='pub_date')
author = models.ForeignKey(
settings.AUTH_USER_MODEL,
related_name='blog_posts')
text = models.TextField()
pub_date = models.DateField(
'date published',
auto_now_add=True)
tags = models.ManyToManyField(
Tag,
blank=True,
related_name='blog_posts')
startups = models.ManyToManyField(
Startup,
blank=True,
related_name='blog_posts')
objects = PostManager()
class Meta:
verbose_name = 'blog post'
ordering = ['-pub_date', 'title']
get_latest_by = 'pub_date'
permissions = (
("view_future_post",
"Can view unpublished Post"),
)
<|code_end|>
using the current file's imports:
from datetime import date
from django.conf import settings
from django.core.urlresolvers import reverse
from django.db import models
from organizer.models import Startup, Tag
and any relevant context from other files:
# Path: organizer/models.py
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
#
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | index_together = ( |
Given the following code snippet before the placeholder: <|code_start|>
def get_archive_year_url(self):
return reverse(
'blog_post_archive_year',
kwargs={'year': self.pub_date.year})
def get_delete_url(self):
return reverse(
'blog_post_delete',
kwargs={'year': self.pub_date.year,
'month': self.pub_date.month,
'slug': self.slug})
def get_update_url(self):
return reverse(
'blog_post_update',
kwargs={'year': self.pub_date.year,
'month': self.pub_date.month,
'slug': self.slug})
def natural_key(self):
return (
self.pub_date,
self.slug)
natural_key.dependencies = [
'organizer.startup',
'organizer.tag',
'user.user',
]
<|code_end|>
, predict the next line using imports from the current file:
from datetime import date
from django.conf import settings
from django.core.urlresolvers import reverse
from django.db import models
from organizer.models import Startup, Tag
and context including class names, function names, and sometimes code from other files:
# Path: organizer/models.py
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
#
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | def formatted_title(self): |
Using the snippet: <|code_start|>
tag_sitemap_dict = {
'queryset': Tag.objects.all(),
}
TagSitemap = GenericSitemap(tag_sitemap_dict)
class StartupSitemap(Sitemap):
def items(self):
return Startup.objects.all()
def lastmod(self, startup):
<|code_end|>
, determine the next line of code. You have imports:
from django.contrib.sitemaps import (
GenericSitemap, Sitemap)
from .models import Startup, Tag
and context (class names, function names, or code) available:
# Path: organizer/models.py
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
#
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | if startup.newslink_set.exists(): |
Next line prediction: <|code_start|>
tag_sitemap_dict = {
'queryset': Tag.objects.all(),
}
TagSitemap = GenericSitemap(tag_sitemap_dict)
<|code_end|>
. Use current file imports:
(from django.contrib.sitemaps import (
GenericSitemap, Sitemap)
from .models import Startup, Tag)
and context including class names, function names, or small code snippets from other files:
# Path: organizer/models.py
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
#
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | class StartupSitemap(Sitemap): |
Here is a snippet: <|code_start|>USE_L10N = True
USE_TZ = True
# Login Settings
# https://docs.djangoproject.com/en/1.8/topics/auth/
LOGIN_REDIRECT_URL = reverse_lazy('blog_post_list')
LOGIN_URL = reverse_lazy('dj-auth:login')
LOGOUT_URL = reverse_lazy('dj-auth:logout')
# Email
# https://docs.djangoproject.com/en/1.8/topics/email/
SERVER_EMAIL = 'contact@django-unleashed.com'
DEFAULT_FROM_EMAIL = 'no-reply@django-unleashed.com'
EMAIL_SUBJECT_PREFIX = '[Startup Organizer] '
MANAGERS = (
('Us', 'ourselves@django-unleashed.com'),
)
# Fixtures
# https://docs.djangoproject.com/en/1.8/topics/serialization/
FIXTURE_DIRS = (os.path.join(BASE_DIR, 'fixtures'),)
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/1.8/howto/static-files/
<|code_end|>
. Write the next line using the current file imports:
import os
import sys
from django.core.urlresolvers import reverse_lazy
from ..log_filters import ManagementFilter
and context from other files:
# Path: suorganizer/log_filters.py
# class ManagementFilter(Filter):
#
# def filter(self, record):
# if (hasattr(record, 'funcName')
# and record.funcName == 'execute'):
# return False
# else:
# return True
, which may include functions, classes, or code. Output only the next line. | STATIC_URL = '/static/' |
Based on the snippet: <|code_start|>
logger = logging.getLogger(__name__)
class ResendActivationEmailForm(
ActivationMailFormMixin, forms.Form):
email = forms.EmailField()
mail_validation_error = (
'Could not re-send activation email. '
'Please try again later. (Sorry!)')
def save(self, **kwargs):
User = get_user_model()
try:
user = User.objects.get(
<|code_end|>
, predict the immediate next line with the help of imports:
import logging
from django import forms
from django.contrib.auth import get_user_model
from django.contrib.auth.forms import (
UserChangeForm as BaseUserChangeForm,
UserCreationForm as BaseUserCreationForm)
from django.core.exceptions import ValidationError
from django.utils.text import slugify
from .models import Profile
from .utils import ActivationMailFormMixin
and context (classes, functions, sometimes code) from other files:
# Path: user/models.py
# class Profile(models.Model):
# user = models.OneToOneField(
# settings.AUTH_USER_MODEL)
# name = models.CharField(
# max_length=255)
# slug = models.SlugField(
# max_length=30,
# unique=True)
# about = models.TextField()
# joined = models.DateTimeField(
# "Date Joined",
# auto_now_add=True)
#
# objects = ProfileManager()
#
# def __str__(self):
# return self.user.get_username()
#
# def get_absolute_url(self):
# return reverse(
# 'dj-auth:public_profile',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('dj-auth:profile_update')
#
# def natural_key(self):
# return (self.slug,)
# natural_key.dependencies = ['user.user']
#
# Path: user/utils.py
# class ActivationMailFormMixin:
# mail_validation_error = ''
#
# def log_mail_error(self, **kwargs):
# msg_list = [
# 'Activation email did not send.\n',
# 'from_email: {from_email}\n'
# 'subject: {subject}\n'
# 'message: {message}\n',
# ]
# recipient_list = kwargs.get(
# 'recipient_list', [])
# for recipient in recipient_list:
# msg_list.insert(
# 1, 'recipient: {r}\n'.format(
# r=recipient))
# if 'error' in kwargs:
# level = ERROR
# error_msg = (
# 'error: {0.__class__.__name__}\n'
# 'args: {0.args}\n')
# error_info = error_msg.format(
# kwargs['error'])
# msg_list.insert(1, error_info)
# else:
# level = CRITICAL
# msg = ''.join(msg_list).format(**kwargs)
# logger.log(level, msg)
#
# @property
# def mail_sent(self):
# if hasattr(self, '_mail_sent'):
# return self._mail_sent
# return False
#
# @mail_sent.setter
# def set_mail_sent(self, value):
# raise TypeError(
# 'Cannot set mail_sent attribute.')
#
# def get_message(self, **kwargs):
# email_template_name = kwargs.get(
# 'email_template_name')
# context = kwargs.get('context')
# return render_to_string(
# email_template_name, context)
#
# def get_subject(self, **kwargs):
# subject_template_name = kwargs.get(
# 'subject_template_name')
# context = kwargs.get('context')
# subject = render_to_string(
# subject_template_name, context)
# # subject *must not* contain newlines
# subject = ''.join(subject.splitlines())
# return subject
#
# def get_context_data(
# self, request, user, context=None):
# if context is None:
# context = dict()
# current_site = get_current_site(request)
# if request.is_secure():
# protocol = 'https'
# else:
# protocol = 'http'
# token = token_generator.make_token(user)
# uid = urlsafe_base64_encode(
# force_bytes(user.pk))
# context.update({
# 'domain': current_site.domain,
# 'protocol': protocol,
# 'site_name': current_site.name,
# 'token': token,
# 'uid': uid,
# 'user': user,
# })
# return context
#
# def _send_mail(self, request, user, **kwargs):
# kwargs['context'] = self.get_context_data(
# request, user)
# mail_kwargs = {
# "subject": self.get_subject(**kwargs),
# "message": self.get_message(**kwargs),
# "from_email": (
# settings.DEFAULT_FROM_EMAIL),
# "recipient_list": [user.email],
# }
# try:
# # number_sent will be 0 or 1
# number_sent = send_mail(**mail_kwargs)
# except Exception as error:
# self.log_mail_error(
# error=error, **mail_kwargs)
# if isinstance(error, BadHeaderError):
# err_code = 'badheader'
# elif isinstance(error, SMTPException):
# err_code = 'smtperror'
# else:
# err_code = 'unexpectederror'
# return (False, err_code)
# else:
# if number_sent > 0:
# return (True, None)
# self.log_mail_error(**mail_kwargs)
# return (False, 'unknownerror')
#
# def send_mail(self, user, **kwargs):
# request = kwargs.pop('request', None)
# if request is None:
# tb = traceback.format_stack()
# tb = [' ' + line for line in tb]
# logger.warning(
# 'send_mail called without '
# 'request.\nTraceback:\n{}'.format(
# ''.join(tb)))
# self._mail_sent = False
# return self.mail_sent
# self._mail_sent, error = (
# self._send_mail(
# request, user, **kwargs))
# if not self.mail_sent:
# self.add_error(
# None, # no field - form error
# ValidationError(
# self.mail_validation_error,
# code=error))
# return self.mail_sent
. Output only the next line. | email=self.cleaned_data['email']) |
Continue the code snippet: <|code_start|> default=None,
help='User login.')
parser.add_argument(
'--noinput',
action='store_false',
dest='interactive',
default=True,
help=(
'Do NOT prompt the user for '
'input of any kind. You must use '
'--{} with --noinput, along with '
'an option for any other '
'required field. Users created '
'with --noinput will not be able '
'to log in until they\'re given '
'a valid password.'.format(
self.User.USERNAME_FIELD)))
def clean_value(
self, field, value, halt=True):
try:
value = field.clean(value, None)
except ValidationError as e:
if halt:
raise CommandError(
'; '.join(e.messages))
else:
self.stderr.write(
"Error: {}".format(
'; '.join(e.messages)))
<|code_end|>
. Use current file imports:
import getpass
import sys
from django.contrib.auth import get_user_model
from django.core.exceptions import (
ObjectDoesNotExist, ValidationError)
from django.core.management.base import (
BaseCommand, CommandError)
from django.utils.encoding import force_str
from django.utils.text import capfirst, slugify
from user.models import Profile
and context (classes, functions, or code) from other files:
# Path: user/models.py
# class Profile(models.Model):
# user = models.OneToOneField(
# settings.AUTH_USER_MODEL)
# name = models.CharField(
# max_length=255)
# slug = models.SlugField(
# max_length=30,
# unique=True)
# about = models.TextField()
# joined = models.DateTimeField(
# "Date Joined",
# auto_now_add=True)
#
# objects = ProfileManager()
#
# def __str__(self):
# return self.user.get_username()
#
# def get_absolute_url(self):
# return reverse(
# 'dj-auth:public_profile',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('dj-auth:profile_update')
#
# def natural_key(self):
# return (self.slug,)
# natural_key.dependencies = ['user.user']
. Output only the next line. | return None |
Predict the next line after this snippet: <|code_start|>
class RootSitemap(Sitemap):
priority = 0.6
def items(self):
<|code_end|>
using the current file's imports:
from django.contrib.sitemaps import Sitemap
from django.core.urlresolvers import reverse
from blog.sitemaps import (
PostArchiveSitemap, PostSitemap)
from organizer.sitemaps import (
StartupSitemap, TagSitemap)
and any relevant context from other files:
# Path: blog/sitemaps.py
# class PostArchiveSitemap(Sitemap):
#
# def items(self):
# year_dates = (
# Post.objects.published().dates(
# 'pub_date', 'year', order='DESC',
# ).iterator())
# month_dates = (
# Post.objects.published().dates(
# 'pub_date', 'month', order='DESC',
# ).iterator())
# year_tuples = map(
# lambda d: (d, 'y'),
# year_dates)
# month_tuples = map(
# lambda d: (d, 'm'),
# month_dates)
# return sorted(
# chain(month_tuples, year_tuples),
# key=itemgetter(0),
# reverse=True)
#
# def location(self, date_tuple):
# archive_date, archive_type = date_tuple
# if archive_type == 'y':
# return reverse(
# 'blog_post_archive_year',
# kwargs={
# 'year': archive_date.year})
# elif archive_type == 'm':
# return reverse(
# 'blog_post_archive_month',
# kwargs={
# 'year': archive_date.year,
# 'month': archive_date.month})
# else:
# raise NotImplementedError(
# "{} did not recognize "
# "{} denoted '{}'.".format(
# self.__class__.__name__,
# 'archive_type',
# archive_type))
#
# class PostSitemap(Sitemap):
# changefreq = "never"
#
# def items(self):
# return Post.objects.published()
#
# def lastmod(self, post):
# return post.pub_date
#
# def priority(self, post):
# """Returns numerical priority of post.
#
# 1.0 is most important
# 0.0 is least important
# 0.5 is the default
# """
# period = 90 # days
# timedelta = date.today() - post.pub_date
# # 86400 seconds in a day
# # 86400 = 60 seconds * 60 minutes * 24 hours
# # use floor division
# days = timedelta.total_seconds() // 86400
# if days == 0:
# return 1.0
# elif 0 < days <= period:
# # n(d) = normalized(days)
# # n(1) = 0.5
# # n(period) = 0
# normalized = (
# log10(period / days) /
# log10(period ** 2))
# normalized = round(normalized, 2)
# return normalized + 0.5
# else:
# return 0.5
#
# Path: organizer/sitemaps.py
# class StartupSitemap(Sitemap):
# def items(self):
# def lastmod(self, startup):
. Output only the next line. | return [ |
Given the following code snippet before the placeholder: <|code_start|>
class RootSitemap(Sitemap):
priority = 0.6
def items(self):
return [
'about_site',
'blog_post_list',
'contact',
<|code_end|>
, predict the next line using imports from the current file:
from django.contrib.sitemaps import Sitemap
from django.core.urlresolvers import reverse
from blog.sitemaps import (
PostArchiveSitemap, PostSitemap)
from organizer.sitemaps import (
StartupSitemap, TagSitemap)
and context including class names, function names, and sometimes code from other files:
# Path: blog/sitemaps.py
# class PostArchiveSitemap(Sitemap):
#
# def items(self):
# year_dates = (
# Post.objects.published().dates(
# 'pub_date', 'year', order='DESC',
# ).iterator())
# month_dates = (
# Post.objects.published().dates(
# 'pub_date', 'month', order='DESC',
# ).iterator())
# year_tuples = map(
# lambda d: (d, 'y'),
# year_dates)
# month_tuples = map(
# lambda d: (d, 'm'),
# month_dates)
# return sorted(
# chain(month_tuples, year_tuples),
# key=itemgetter(0),
# reverse=True)
#
# def location(self, date_tuple):
# archive_date, archive_type = date_tuple
# if archive_type == 'y':
# return reverse(
# 'blog_post_archive_year',
# kwargs={
# 'year': archive_date.year})
# elif archive_type == 'm':
# return reverse(
# 'blog_post_archive_month',
# kwargs={
# 'year': archive_date.year,
# 'month': archive_date.month})
# else:
# raise NotImplementedError(
# "{} did not recognize "
# "{} denoted '{}'.".format(
# self.__class__.__name__,
# 'archive_type',
# archive_type))
#
# class PostSitemap(Sitemap):
# changefreq = "never"
#
# def items(self):
# return Post.objects.published()
#
# def lastmod(self, post):
# return post.pub_date
#
# def priority(self, post):
# """Returns numerical priority of post.
#
# 1.0 is most important
# 0.0 is least important
# 0.5 is the default
# """
# period = 90 # days
# timedelta = date.today() - post.pub_date
# # 86400 seconds in a day
# # 86400 = 60 seconds * 60 minutes * 24 hours
# # use floor division
# days = timedelta.total_seconds() // 86400
# if days == 0:
# return 1.0
# elif 0 < days <= period:
# # n(d) = normalized(days)
# # n(1) = 0.5
# # n(period) = 0
# normalized = (
# log10(period / days) /
# log10(period ** 2))
# normalized = round(normalized, 2)
# return normalized + 0.5
# else:
# return 0.5
#
# Path: organizer/sitemaps.py
# class StartupSitemap(Sitemap):
# def items(self):
# def lastmod(self, startup):
. Output only the next line. | 'dj_auth:login' |
Given the code snippet: <|code_start|>
class RootSitemap(Sitemap):
priority = 0.6
def items(self):
return [
'about_site',
'blog_post_list',
'contact',
'dj_auth:login'
'organizer_startup_list',
'organizer_tag_list',
]
def location(self, url_name):
return reverse(url_name)
sitemaps = {
'post-archives': PostArchiveSitemap,
'posts': PostSitemap,
'roots': RootSitemap,
'startups': StartupSitemap,
'tags': TagSitemap,
<|code_end|>
, generate the next line using the imports in this file:
from django.contrib.sitemaps import Sitemap
from django.core.urlresolvers import reverse
from blog.sitemaps import (
PostArchiveSitemap, PostSitemap)
from organizer.sitemaps import (
StartupSitemap, TagSitemap)
and context (functions, classes, or occasionally code) from other files:
# Path: blog/sitemaps.py
# class PostArchiveSitemap(Sitemap):
#
# def items(self):
# year_dates = (
# Post.objects.published().dates(
# 'pub_date', 'year', order='DESC',
# ).iterator())
# month_dates = (
# Post.objects.published().dates(
# 'pub_date', 'month', order='DESC',
# ).iterator())
# year_tuples = map(
# lambda d: (d, 'y'),
# year_dates)
# month_tuples = map(
# lambda d: (d, 'm'),
# month_dates)
# return sorted(
# chain(month_tuples, year_tuples),
# key=itemgetter(0),
# reverse=True)
#
# def location(self, date_tuple):
# archive_date, archive_type = date_tuple
# if archive_type == 'y':
# return reverse(
# 'blog_post_archive_year',
# kwargs={
# 'year': archive_date.year})
# elif archive_type == 'm':
# return reverse(
# 'blog_post_archive_month',
# kwargs={
# 'year': archive_date.year,
# 'month': archive_date.month})
# else:
# raise NotImplementedError(
# "{} did not recognize "
# "{} denoted '{}'.".format(
# self.__class__.__name__,
# 'archive_type',
# archive_type))
#
# class PostSitemap(Sitemap):
# changefreq = "never"
#
# def items(self):
# return Post.objects.published()
#
# def lastmod(self, post):
# return post.pub_date
#
# def priority(self, post):
# """Returns numerical priority of post.
#
# 1.0 is most important
# 0.0 is least important
# 0.5 is the default
# """
# period = 90 # days
# timedelta = date.today() - post.pub_date
# # 86400 seconds in a day
# # 86400 = 60 seconds * 60 minutes * 24 hours
# # use floor division
# days = timedelta.total_seconds() // 86400
# if days == 0:
# return 1.0
# elif 0 < days <= period:
# # n(d) = normalized(days)
# # n(1) = 0.5
# # n(period) = 0
# normalized = (
# log10(period / days) /
# log10(period ** 2))
# normalized = round(normalized, 2)
# return normalized + 0.5
# else:
# return 0.5
#
# Path: organizer/sitemaps.py
# class StartupSitemap(Sitemap):
# def items(self):
# def lastmod(self, startup):
. Output only the next line. | } |
Given snippet: <|code_start|>
class RootSitemap(Sitemap):
priority = 0.6
def items(self):
return [
'about_site',
'blog_post_list',
'contact',
'dj_auth:login'
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from django.contrib.sitemaps import Sitemap
from django.core.urlresolvers import reverse
from blog.sitemaps import (
PostArchiveSitemap, PostSitemap)
from organizer.sitemaps import (
StartupSitemap, TagSitemap)
and context:
# Path: blog/sitemaps.py
# class PostArchiveSitemap(Sitemap):
#
# def items(self):
# year_dates = (
# Post.objects.published().dates(
# 'pub_date', 'year', order='DESC',
# ).iterator())
# month_dates = (
# Post.objects.published().dates(
# 'pub_date', 'month', order='DESC',
# ).iterator())
# year_tuples = map(
# lambda d: (d, 'y'),
# year_dates)
# month_tuples = map(
# lambda d: (d, 'm'),
# month_dates)
# return sorted(
# chain(month_tuples, year_tuples),
# key=itemgetter(0),
# reverse=True)
#
# def location(self, date_tuple):
# archive_date, archive_type = date_tuple
# if archive_type == 'y':
# return reverse(
# 'blog_post_archive_year',
# kwargs={
# 'year': archive_date.year})
# elif archive_type == 'm':
# return reverse(
# 'blog_post_archive_month',
# kwargs={
# 'year': archive_date.year,
# 'month': archive_date.month})
# else:
# raise NotImplementedError(
# "{} did not recognize "
# "{} denoted '{}'.".format(
# self.__class__.__name__,
# 'archive_type',
# archive_type))
#
# class PostSitemap(Sitemap):
# changefreq = "never"
#
# def items(self):
# return Post.objects.published()
#
# def lastmod(self, post):
# return post.pub_date
#
# def priority(self, post):
# """Returns numerical priority of post.
#
# 1.0 is most important
# 0.0 is least important
# 0.5 is the default
# """
# period = 90 # days
# timedelta = date.today() - post.pub_date
# # 86400 seconds in a day
# # 86400 = 60 seconds * 60 minutes * 24 hours
# # use floor division
# days = timedelta.total_seconds() // 86400
# if days == 0:
# return 1.0
# elif 0 < days <= period:
# # n(d) = normalized(days)
# # n(1) = 0.5
# # n(period) = 0
# normalized = (
# log10(period / days) /
# log10(period ** 2))
# normalized = round(normalized, 2)
# return normalized + 0.5
# else:
# return 0.5
#
# Path: organizer/sitemaps.py
# class StartupSitemap(Sitemap):
# def items(self):
# def lastmod(self, startup):
which might include code, classes, or functions. Output only the next line. | 'organizer_startup_list', |
Based on the snippet: <|code_start|>
class PostSitemap(Sitemap):
changefreq = "never"
def items(self):
return Post.objects.published()
def lastmod(self, post):
<|code_end|>
, predict the immediate next line with the help of imports:
from datetime import date
from itertools import chain
from math import log10
from operator import itemgetter
from django.contrib.sitemaps import Sitemap
from django.core.urlresolvers import reverse
from .models import Post
and context (classes, functions, sometimes code) from other files:
# Path: blog/models.py
# class Post(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(
# max_length=63,
# help_text='A label for URL config',
# unique_for_month='pub_date')
# author = models.ForeignKey(
# settings.AUTH_USER_MODEL,
# related_name='blog_posts')
# text = models.TextField()
# pub_date = models.DateField(
# 'date published',
# auto_now_add=True)
# tags = models.ManyToManyField(
# Tag,
# blank=True,
# related_name='blog_posts')
# startups = models.ManyToManyField(
# Startup,
# blank=True,
# related_name='blog_posts')
#
# objects = PostManager()
#
# class Meta:
# verbose_name = 'blog post'
# ordering = ['-pub_date', 'title']
# get_latest_by = 'pub_date'
# permissions = (
# ("view_future_post",
# "Can view unpublished Post"),
# )
# index_together = (
# ('slug', 'pub_date'),
# )
#
# def __str__(self):
# return "{} on {}".format(
# self.title,
# self.pub_date.strftime('%Y-%m-%d'))
#
# def get_absolute_url(self):
# return reverse(
# 'blog_post_detail',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_archive_month_url(self):
# return reverse(
# 'blog_post_archive_month',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month})
#
# def get_archive_year_url(self):
# return reverse(
# 'blog_post_archive_year',
# kwargs={'year': self.pub_date.year})
#
# def get_delete_url(self):
# return reverse(
# 'blog_post_delete',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'blog_post_update',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def natural_key(self):
# return (
# self.pub_date,
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup',
# 'organizer.tag',
# 'user.user',
# ]
#
# def formatted_title(self):
# return self.title.title()
#
# def short_text(self):
# if len(self.text) > 20:
# short = ' '.join(self.text.split()[:20])
# short += ' ...'
# else:
# short = self.text
# return short
. Output only the next line. | return post.pub_date |
Given the following code snippet before the placeholder: <|code_start|>
class BaseStartupFeedMixin():
def description(self, startup):
return "News related to {}".format(
startup.name)
def get_object(self, request, startup_slug):
# equivalent to GCBV get() method
return get_object_or_404(
Startup,
slug__iexact=startup_slug)
def items(self, startup):
return startup.newslink_set.all()[:10]
def item_description(self, newslink):
return newslink.description()
def item_link(self, newslink):
<|code_end|>
, predict the next line using imports from the current file:
from datetime import datetime
from django.contrib.syndication.views import Feed
from django.core.urlresolvers import reverse_lazy
from django.shortcuts import get_object_or_404
from django.utils.feedgenerator import (
Atom1Feed, Rss201rev2Feed)
from .models import Startup
and context including class names, function names, and sometimes code from other files:
# Path: organizer/models.py
# class Startup(models.Model):
# name = models.CharField(
# max_length=31, db_index=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
# description = models.TextField()
# founded_date = models.DateField(
# 'date founded')
# contact = models.EmailField()
# website = models.URLField(max_length=255)
# tags = models.ManyToManyField(Tag, blank=True)
#
# objects = StartupManager()
#
# class Meta:
# ordering = ['name']
# get_latest_by = 'founded_date'
#
# def __str__(self):
# return self.name
#
# def get_absolute_url(self):
# return reverse('organizer_startup_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_startup_delete',
# kwargs={'slug': self.slug})
#
# def get_feed_atom_url(self):
# return reverse(
# 'organizer_startup_atom_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_feed_rss_url(self):
# return reverse(
# 'organizer_startup_rss_feed',
# kwargs={'startup_slug': self.slug})
#
# def get_newslink_create_url(self):
# return reverse(
# 'organizer_newslink_create',
# kwargs={'startup_slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_startup_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
. Output only the next line. | return newslink.link |
Here is a snippet: <|code_start|>
# https://docs.djangoproject.com/en/1.8/howto/custom-template-tags/
register = Library()
@register.tag(name="get_latest_post")
def do_latest_post(parser, token):
return LatestPostNode()
class LatestPostNode(Node):
def render(self, context):
context['latest_post'] = (
Post.objects.published().latest())
return str()
@register.tag(name="get_latest_posts")
def do_latest_posts(parser, token):
asvar = None
tag_name, *tokens = token.split_contents()
<|code_end|>
. Write the next line using the current file imports:
from django.template import (
Library, Node, TemplateSyntaxError)
from ..models import Post
and context from other files:
# Path: blog/models.py
# class Post(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(
# max_length=63,
# help_text='A label for URL config',
# unique_for_month='pub_date')
# author = models.ForeignKey(
# settings.AUTH_USER_MODEL,
# related_name='blog_posts')
# text = models.TextField()
# pub_date = models.DateField(
# 'date published',
# auto_now_add=True)
# tags = models.ManyToManyField(
# Tag,
# blank=True,
# related_name='blog_posts')
# startups = models.ManyToManyField(
# Startup,
# blank=True,
# related_name='blog_posts')
#
# objects = PostManager()
#
# class Meta:
# verbose_name = 'blog post'
# ordering = ['-pub_date', 'title']
# get_latest_by = 'pub_date'
# permissions = (
# ("view_future_post",
# "Can view unpublished Post"),
# )
# index_together = (
# ('slug', 'pub_date'),
# )
#
# def __str__(self):
# return "{} on {}".format(
# self.title,
# self.pub_date.strftime('%Y-%m-%d'))
#
# def get_absolute_url(self):
# return reverse(
# 'blog_post_detail',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_archive_month_url(self):
# return reverse(
# 'blog_post_archive_month',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month})
#
# def get_archive_year_url(self):
# return reverse(
# 'blog_post_archive_year',
# kwargs={'year': self.pub_date.year})
#
# def get_delete_url(self):
# return reverse(
# 'blog_post_delete',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'blog_post_update',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def natural_key(self):
# return (
# self.pub_date,
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup',
# 'organizer.tag',
# 'user.user',
# ]
#
# def formatted_title(self):
# return self.title.title()
#
# def short_text(self):
# if len(self.text) > 20:
# short = ' '.join(self.text.split()[:20])
# short += ' ...'
# else:
# short = self.text
# return short
, which may include functions, classes, or code. Output only the next line. | if len(tokens) >= 2 and tokens[-2] == 'as': |
Next line prediction: <|code_start|>
class ContactView(View):
form_class = ContactForm
template_name = 'contact/contact_form.html'
<|code_end|>
. Use current file imports:
(from django.shortcuts import redirect, render
from django.contrib.messages import success
from django.views.generic import View
from .forms import ContactForm)
and context including class names, function names, or small code snippets from other files:
# Path: contact/forms.py
# class ContactForm(forms.Form):
# FEEDBACK = 'F'
# CORRECTION = 'C'
# SUPPORT = 'S'
# REASON_CHOICES = (
# (FEEDBACK, 'Feedback'),
# (CORRECTION, 'Correction'),
# (SUPPORT, 'Support'),
# )
# reason = forms.ChoiceField(
# choices=REASON_CHOICES,
# initial=FEEDBACK)
# email = forms.EmailField(
# initial='youremail@domain.com')
# text = forms.CharField(widget=forms.Textarea)
#
# def send_mail(self):
# reason = self.cleaned_data.get('reason')
# reason_dict = dict(self.REASON_CHOICES)
# full_reason = reason_dict.get(reason)
# email = self.cleaned_data.get('email')
# text = self.cleaned_data.get('text')
# body = 'Message From: {}\n\n{}\n'.format(
# email, text)
# try:
# # shortcut for send_mail
# mail_managers(full_reason, body)
# except BadHeaderError:
# self.add_error(
# None,
# ValidationError(
# 'Could Not Send Email.\n'
# 'Extra Headers not allowed '
# 'in email body.',
# code='badheader'))
# return False
# else:
# return True
. Output only the next line. | def get(self, request): |
Given the following code snippet before the placeholder: <|code_start|>
@receiver(m2m_changed,
sender=Post.startups.through)
def assign_extra_tags(sender, **kwargs):
action = kwargs.get('action')
if action == 'post_add':
reverse = kwargs.get('reverse')
if not reverse:
post = kwargs.get('instance')
# Startup = kwargs.get('model')
startup_pk_set = kwargs.get('pk_set')
tag_pk_set = (
Tag.objects.filter(
startup__in=startup_pk_set)
.values_list('pk', flat=True)
.distinct().iterator())
post.tags.add(*tag_pk_set)
else:
startup = kwargs.get('instance')
tag_pk_set = tuple(
startup.tags.values_list(
'pk', flat=True).iterator())
PostModel = kwargs.get('model')
post_pk_set = kwargs.get('pk_set')
posts_dict = (
PostModel.objects.in_bulk(
<|code_end|>
, predict the next line using imports from the current file:
from django.db.models.signals import m2m_changed
from django.dispatch import receiver
from organizer.models import Tag
from .models import Post
and context including class names, function names, and sometimes code from other files:
# Path: organizer/models.py
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
#
# Path: blog/models.py
# class Post(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(
# max_length=63,
# help_text='A label for URL config',
# unique_for_month='pub_date')
# author = models.ForeignKey(
# settings.AUTH_USER_MODEL,
# related_name='blog_posts')
# text = models.TextField()
# pub_date = models.DateField(
# 'date published',
# auto_now_add=True)
# tags = models.ManyToManyField(
# Tag,
# blank=True,
# related_name='blog_posts')
# startups = models.ManyToManyField(
# Startup,
# blank=True,
# related_name='blog_posts')
#
# objects = PostManager()
#
# class Meta:
# verbose_name = 'blog post'
# ordering = ['-pub_date', 'title']
# get_latest_by = 'pub_date'
# permissions = (
# ("view_future_post",
# "Can view unpublished Post"),
# )
# index_together = (
# ('slug', 'pub_date'),
# )
#
# def __str__(self):
# return "{} on {}".format(
# self.title,
# self.pub_date.strftime('%Y-%m-%d'))
#
# def get_absolute_url(self):
# return reverse(
# 'blog_post_detail',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_archive_month_url(self):
# return reverse(
# 'blog_post_archive_month',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month})
#
# def get_archive_year_url(self):
# return reverse(
# 'blog_post_archive_year',
# kwargs={'year': self.pub_date.year})
#
# def get_delete_url(self):
# return reverse(
# 'blog_post_delete',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'blog_post_update',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def natural_key(self):
# return (
# self.pub_date,
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup',
# 'organizer.tag',
# 'user.user',
# ]
#
# def formatted_title(self):
# return self.title.title()
#
# def short_text(self):
# if len(self.text) > 20:
# short = ' '.join(self.text.split()[:20])
# short += ' ...'
# else:
# short = self.text
# return short
. Output only the next line. | post_pk_set)) |
Here is a snippet: <|code_start|>
@receiver(m2m_changed,
sender=Post.startups.through)
def assign_extra_tags(sender, **kwargs):
<|code_end|>
. Write the next line using the current file imports:
from django.db.models.signals import m2m_changed
from django.dispatch import receiver
from organizer.models import Tag
from .models import Post
and context from other files:
# Path: organizer/models.py
# class Tag(models.Model):
# name = models.CharField(
# max_length=31, unique=True)
# slug = models.SlugField(
# max_length=31,
# unique=True,
# help_text='A label for URL config.')
#
# objects = TagManager()
#
# class Meta:
# ordering = ['name']
#
# def __str__(self):
# return self.name.title()
#
# def get_absolute_url(self):
# return reverse('organizer_tag_detail',
# kwargs={'slug': self.slug})
#
# def get_delete_url(self):
# return reverse('organizer_tag_delete',
# kwargs={'slug': self.slug})
#
# def get_update_url(self):
# return reverse('organizer_tag_update',
# kwargs={'slug': self.slug})
#
# @cached_property
# def published_posts(self):
# return tuple(self.blog_posts.filter(
# pub_date__lt=date.today()))
#
# def natural_key(self):
# return (self.slug,)
#
# Path: blog/models.py
# class Post(models.Model):
# title = models.CharField(max_length=63)
# slug = models.SlugField(
# max_length=63,
# help_text='A label for URL config',
# unique_for_month='pub_date')
# author = models.ForeignKey(
# settings.AUTH_USER_MODEL,
# related_name='blog_posts')
# text = models.TextField()
# pub_date = models.DateField(
# 'date published',
# auto_now_add=True)
# tags = models.ManyToManyField(
# Tag,
# blank=True,
# related_name='blog_posts')
# startups = models.ManyToManyField(
# Startup,
# blank=True,
# related_name='blog_posts')
#
# objects = PostManager()
#
# class Meta:
# verbose_name = 'blog post'
# ordering = ['-pub_date', 'title']
# get_latest_by = 'pub_date'
# permissions = (
# ("view_future_post",
# "Can view unpublished Post"),
# )
# index_together = (
# ('slug', 'pub_date'),
# )
#
# def __str__(self):
# return "{} on {}".format(
# self.title,
# self.pub_date.strftime('%Y-%m-%d'))
#
# def get_absolute_url(self):
# return reverse(
# 'blog_post_detail',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_archive_month_url(self):
# return reverse(
# 'blog_post_archive_month',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month})
#
# def get_archive_year_url(self):
# return reverse(
# 'blog_post_archive_year',
# kwargs={'year': self.pub_date.year})
#
# def get_delete_url(self):
# return reverse(
# 'blog_post_delete',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def get_update_url(self):
# return reverse(
# 'blog_post_update',
# kwargs={'year': self.pub_date.year,
# 'month': self.pub_date.month,
# 'slug': self.slug})
#
# def natural_key(self):
# return (
# self.pub_date,
# self.slug)
# natural_key.dependencies = [
# 'organizer.startup',
# 'organizer.tag',
# 'user.user',
# ]
#
# def formatted_title(self):
# return self.title.title()
#
# def short_text(self):
# if len(self.text) > 20:
# short = ' '.join(self.text.split()[:20])
# short += ' ...'
# else:
# short = self.text
# return short
, which may include functions, classes, or code. Output only the next line. | action = kwargs.get('action') |
Continue the code snippet: <|code_start|> def unload(self):
"""Removes the plugin menu item and icon from QGIS GUI."""
for action in self.actions:
self.iface.removePluginMenu(
self.tr(u'&wps4server'),
action)
self.iface.removeToolBarIcon(action)
# remove the toolbar
del self.toolbar
def run(self):
"""Run method that performs all the real work"""
# show the dialog
self.dlg.show()
# Run the dialog event loop
result = self.dlg.exec_()
# See if OK was pressed
if result:
# Do something useful here - delete the line containing pass and
# substitute with your code.
pass
class wps4serverServer:
"""Plugin for QGIS server
this plugin loads wps filter based on PyWPS"""
def __init__(self, serverIface):
# Save reference to the QGIS server interface
self.serverIface = serverIface
<|code_end|>
. Use current file imports:
from PyQt4.QtCore import *
from PyQt4.QtGui import *
from qgis.core import *
from qgis.server import *
from wps4server_dialog import wps4serverDialog
from filters.wpsFilter import wpsFilter
import resources
import os.path
and context (classes, functions, or code) from other files:
# Path: wps4server_dialog.py
# class wps4serverDialog(QtGui.QDialog, FORM_CLASS):
# def __init__(self, parent=None):
# """Constructor."""
# super(wps4serverDialog, self).__init__(parent)
# # Set up the user interface from Designer.
# # After setupUI you can access any designer object by doing
# # self.<objectname>, and you can use autoconnect slots - see
# # http://qt-project.org/doc/qt-4.8/designer-using-a-ui-file.html
# # #widgets-and-dialogs-with-auto-connect
# self.setupUi(self)
. Output only the next line. | QgsMessageLog.logMessage("SUCCESS - wps4server init", 'plugin', QgsMessageLog.INFO) |
Based on the snippet: <|code_start|># encoding: utf-8
# Copyright 2012 Red Hat, Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
METADATA = ('identifier', 'data', 'template', 'icicle', 'status_detail', 'status', 'percent_complete', 'parameters',
'properties')
STATUS_STRINGS = ('NEW', 'PENDING', 'BUILDING', 'COMPLETE', 'FAILED', 'DELETING', 'DELETED', 'DELETEFAILED')
<|code_end|>
, predict the immediate next line with the help of imports:
from .props import prop
from .Notification import Notification
from .NotificationCenter import NotificationCenter
import uuid
import logging
and context (classes, functions, sometimes code) from other files:
# Path: imgfac/Notification.py
# class Notification(object):
# """ TODO: Docstring for Notification """
#
# message = prop("_message")
# sender = prop("_sender")
# user_info = prop("_user_info")
#
# def __init__(self, message, sender, user_info=None):
# """ TODO: Fill me in
#
# @param message TODO
# @param sender TODO
# @param user_info TODO
# """
# self._message = message
# self._sender = sender
# self._user_info = user_info
#
# Path: imgfac/NotificationCenter.py
# class NotificationCenter(Singleton):
# """ TODO: Docstring for NotificationCenter """
#
# observers = prop("_observers")
#
# def _singleton_init(self, *args, **kwargs):
# self.log = logging.getLogger('%s.%s' % (__name__, self.__class__.__name__))
# self.observers = defaultdict(set)
# self.lock = RLock()
#
# def add_observer(self, observer, method, message='all', sender=None):
# """
# TODO: Docstring for add_observer
#
# @param observer TODO
# @param method TODO
# @param message TODO
# @param sender TODO
# """
# self.lock.acquire()
# self.observers[message].add((observer, method, sender))
# self.lock.release()
#
# def remove_observer(self, observer, method, message='all', sender=None):
# """
# TODO: Docstring for remove_observer
#
# @param observer TODO
# @param message TODO
# @param sender TODO
# """
# self.lock.acquire()
# _observer = (observer, method, sender)
# self.observers[message].discard(_observer)
# if (len(self.observers[message]) == 0):
# del self.observers[message]
# self.lock.release()
#
# def post_notification(self, notification):
# """
# TODO: Docstring for post_notification
#
# @param notification TODO
# """
# self.lock.acquire()
# _observers = self.observers['all'].union(self.observers[notification.message])
# for _observer in _observers:
# _sender = _observer[2]
# if ((not _sender) or (_sender == notification.sender)):
# try:
# getattr(_observer[0], _observer[1])(notification)
# except AttributeError as e:
# self.log.exception('Caught exception: posting notification to object (%s) with method (%s)' % (_observer[0], _observer[1]))
# self.lock.release()
#
# def post_notification_with_info(self, message, sender, user_info=None):
# """
# TODO: Docstring for post_notification_with_info
#
# @param message TODO
# @param sender TODO
# @param user_info TODO
# """
# self.post_notification(Notification(message, sender, user_info))
. Output only the next line. | NOTIFICATIONS = ('image.status', 'image.percentage') |
Given the code snippet: <|code_start|># http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
INFO1 = {
"type":"os",
"targets":[["osfoo", "osbar", "osbaz"]],
"description":"blah",
"maintainer": {
"name":"foo1",
"email":"bar1",
"url":"baz1"
},
"version":"1.0",
"license":"NA"
}
INFO2 = {
"type":"cloud",
"targets":[["cloudfoo", "cloudbar", "cloudbaz"]],
"description":"whatever",
"maintainer": {
"name":"foo2",
"email":"bar2",
"url":"baz2"
},
<|code_end|>
, generate the next line using the imports in this file:
import unittest
import logging
import tempfile
import json
import os.path
import os
import shutil
import sys
from imgfac.PluginManager import PluginManager
and context (functions, classes, or occasionally code) from other files:
# Path: imgfac/PluginManager.py
# class PluginManager(Singleton):
# """ Registers and manages ImageFactory plugins. """
#
# @property
# def plugins(self):
# """
# The property plugins
# """
# return self._plugins
#
# def _singleton_init(self, plugin_path):
# self.log = logging.getLogger('%s.%s' % (__name__, self.__class__.__name__))
# sys.path.append(plugin_path)
#
# if os.path.exists(plugin_path):
# self.path = plugin_path
# else:
# msg = 'Plugin path (%s) does not exist! No plugins loaded.' % plugin_path
# self.log.exception(msg)
# raise Exception(msg)
#
# self._plugins = dict()
# self._targets = dict()
# self._types = dict().fromkeys(PLUGIN_TYPES, list())
#
# def load(self):
# """
# Enumerates through installed plugins and registers each according to
# the features provided. Only one plugin may be registered per feature.
# When more than one plugin is found, the first will be registered and
# all others listed as inactive.
# """
# info_files = list()
# directory_listing = os.listdir(self.path)
# for _file in directory_listing:
# if _file.endswith(INFO_FILE_EXTENSION):
# info_files.append(_file)
#
# for filename in info_files:
# plugin_name = filename[:-len(INFO_FILE_EXTENSION)]
# md = self.metadata_for_plugin(plugin_name)
# try:
# if md['type'].upper() in PLUGIN_TYPES:
# for target in md['targets']:
# target = target if isinstance(target, str) else tuple(target)
# if not target in self._targets:
# self._targets[target] = plugin_name
# else:
# msg = 'Did not register %s for %s. Plugin %s already registered.' % (plugin_name,
# target,
# self._targets[target])
# self._register_plugin_with_error(plugin_name, msg)
# self.log.warn(msg)
# self._plugins[plugin_name] = md
# self._types[md['type'].upper()].append(plugin_name)
# self.log.info('Plugin (%s) loaded...' % plugin_name)
# except KeyError as e:
# msg = 'Invalid metadata for plugin (%s). Missing entry for %s.' % (plugin_name, e)
# self._register_plugin_with_error(plugin_name, msg)
# self.log.exception(msg)
# except Exception as e:
# msg = 'Loading plugin (%s) failed with exception: %s' % (plugin_name, e)
# self._register_plugin_with_error(plugin_name, msg)
# self.log.exception(msg)
#
# def _register_plugin_with_error(self, plugin_name, error_msg):
# self._plugins[plugin_name] = dict(ERROR=error_msg)
#
# def metadata_for_plugin(self, plugin):
# """
# Returns the metadata dictionary for the plugin.
#
# @param plugin name of the plugin or the plugin's info file
#
# @return dictionary containing the plugin's metadata
# """
# if plugin in self._plugins:
# return self._plugins[plugin]
# else:
# fp = None
# metadata = None
# info_file = plugin + INFO_FILE_EXTENSION
# try:
# fp = open(os.path.join(self.path, info_file), 'r')
# metadata = json.load(fp)
# except Exception as e:
# self.log.exception('Exception caught while loading plugin metadata: %s' % e)
# raise e
# finally:
# if fp:
# fp.close()
# return metadata
#
# def plugin_for_target(self, target):
# """
# Looks up the plugin for a given target and returns an instance of the
# delegate class or None if no plugin is registered for the given target.
# Matches are done from left to right, ie. ('Fedora', '16', 'x86_64') will
# match a plugin with a target of ('Fedora', None, None) but not
# ('Fedora', None, 'x86_64')
#
# @param target A list or string matching the target field of the
# plugin's .info file.
#
# @return An instance of the delegate class of the plugin or None.
# """
# try:
# if isinstance(target, str):
# self.log.debug("Attempting to match string target (%s)" % target)
# plugin_name = self._targets.get(tuple([target]))
# if not plugin_name:
# raise ImageFactoryException("No plugin .info file loaded for target: %s" % (target))
# plugin = __import__('%s.%s' % (PKG_STR, plugin_name), fromlist=['delegate_class'])
# return plugin.delegate_class()
# elif isinstance(target, tuple):
# _target = list(target)
# self.log.debug("Attempting to match list target (%s)" % (str(_target)))
# for index in range(1, len(target) + 1):
# plugin_name = self._targets.get(tuple(_target))
# if not plugin_name:
# _target[-index] = None
# else:
# plugin = __import__('%s.%s' % (PKG_STR, plugin_name), fromlist=['delegate_class'])
# return plugin.delegate_class()
# except ImportError as e:
# self.log.exception(e)
# raise ImageFactoryException("Unable to import plugin for target: %s" % str(target))
. Output only the next line. | "version":"1.0", |
Given the following code snippet before the placeholder: <|code_start|> # We do this for all three image types so lets make it a util function
parameters_help = 'An optional JSON file containing additional parameters to pass to the builders.'
parser.add_argument('--parameters', type=argparse.FileType(), help=parameters_help)
parser.add_argument('--parameter', nargs=2, action='append', help='A parameter name and the literal value to assign it. Can be used more than once.')
parser.add_argument('--file-parameter', nargs=2, action='append', help='A parameter name and a file to insert into it. Can be used more than once.')
def __parse_arguments(self):
appname = sys.argv[0].rpartition('/')[2]
argparser = self.__new_argument_parser(appname)
if((appname == 'imagefactory') and (len(sys.argv) == 1)):
argparser.print_help()
sys.exit()
configuration = argparser.parse_args()
if (os.path.isfile(configuration.config)):
try:
def dencode(a_dict, encoding='ascii'):
new_dict = {}
for k,v in a_dict.items():
ek = k.encode(encoding)
if(isinstance(v, str)):
new_dict[ek] = v.encode(encoding)
elif(isinstance(v, dict)):
new_dict[ek] = dencode(v)
else:
new_dict[ek] = v
return new_dict
config_file = open(configuration.config)
uconfig = json.load(config_file, encoding="utf-8")
config_file.close()
<|code_end|>
, predict the next line using imports from the current file:
import sys
import os
import os.path
import argparse
import json
import logging
import urllib.request
from . import props
from .Singleton import Singleton
from imgfac.Version import VERSION as VERSION
and context including class names, function names, and sometimes code from other files:
# Path: imgfac/Version.py
# VERSION = "1.1.16-1"
. Output only the next line. | defaults = uconfig |
Next line prediction: <|code_start|> {'comments': None,
'observation_value': u'0.350',
'reference_range': u'0.37-0.50',
'result_status': None,
'test_code': u'HCTU',
'test_name': u'HCT',
'units': u'L/L',
'value_type': u'NM'},
{'comments': None,
'observation_value': u'78.0',
'reference_range': u'80-99',
'result_status': None,
'test_code': u'MCVU',
'test_name': u'MCV',
'units': u'fL',
'value_type': u'NM'},
{'comments': None,
'observation_value': u'28.0',
'reference_range': u'27.0-33.5',
'result_status': None,
'test_code': u'MCHU',
'test_name': u'MCH',
'units': u'pg',
'value_type': u'NM'},
{'comments': None,
'observation_value': u'300',
'reference_range': None,
'result_status': None,
'test_code': u'MCGL',
'test_name': u'MCHC (g/L)',
<|code_end|>
. Use current file imports:
(import datetime
import mock
from unittest import TestCase
from gloss.tests.test_messages import (
COMPLEX_WINPATH_RESULT, read_message
)
from gloss.importers.hl7_importer import HL7Importer
from gloss import message_type)
and context including class names, function names, or small code snippets from other files:
# Path: gloss/tests/test_messages.py
# COMPLEX_WINPATH_RESULT = r"""
# MSH|^~\&|Corepoint|TDL|UCLH|UCLH|201411261546||ORU^R01|1126154698U000057|P|2.3
# PID||^^NHS|50031772^^HOSP|C2130015640^^OASIS|TEST^TEST||19870912|M
# PV1|||HAEM^HAEMATOLOGY OUTPATIENTS^^^^^^^OP||||||HC1^COHEN DR H
# ORC|RE|98U000057|98U000057||CM||||201411261546
# OBR|1|98U000057|98U000057|FBCY^FULL BLOOD COUNT^WinPath||201411121606|201411121600|||||||||HC1^COHEN DR H||||||201411121608||H1|F
# OBX|1|NM|WCC^White cell count^Winpath||8.00|x10\S\9/L|3.0-10.0||||F
# OBX|2|NM|RCC^Red cell count^Winpath||3.20|x10\S\12/L|4.4-5.8|L|||F
# OBX|3|NM|HBGL^Haemoglobin (g/L)^Winpath||87|g/L|||||F
# OBX|4|NM|HCTU^HCT^Winpath||0.350|L/L|0.37-0.50|L|||F
# OBX|5|NM|MCVU^MCV^Winpath||78.0|fL|80-99|L|||F
# OBX|6|NM|MCHU^MCH^Winpath||28.0|pg|27.0-33.5||||F
# OBX|7|NM|MCGL^MCHC (g/L)^Winpath||300|g/L|||||F
# OBX|8|NM|RDWU^RDW^Winpath||17.0|%|11.5-15.0|H|||F
# OBX|9|NM|PLT^Platelet count^Winpath||250|x10\S\9/L|150-400||||F
# OBX|10|NM|MPVU^MPV^Winpath||10.0|fL|7-13||||F
# OBR|2|98U000057|98U000057|FBCZ^DIFFERENTIAL^WinPath||201411121606|201411121600|||||||||HC1^COHEN DR H||||||201411121609||H1|F
# OBX|1|NM|NE^Neutrophils^Winpath||55.0% 4.40|x10\S\9/L|2.0-7.5||||F
# OBX|2|NM|LY^Lymphocytes^Winpath||25.0% 2.00|x10\S\9/L|1.2-3.65||||F
# OBX|3|NM|MO^Monocytes^Winpath||15.0% 1.20|x10\S\9/L|0.2-1.0|H|||F
# OBX|4|NM|EO^Eosinophils^Winpath||3.0% 0.24|x10\S\9/L|0.0-0.4||||F
# OBX|5|NM|BA^Basophils^Winpath||2.0% 0.16|x10\S\9/L|0.0-0.1|H|||F
# """
#
# def read_message(some_msg):
# return hl7.parse(some_msg.replace("\n", "\r"))
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
. Output only the next line. | 'units': u'g/L', |
Next line prediction: <|code_start|> 'result_status': None,
'test_code': u'HCTU',
'test_name': u'HCT',
'units': u'L/L',
'value_type': u'NM'},
{'comments': None,
'observation_value': u'78.0',
'reference_range': u'80-99',
'result_status': None,
'test_code': u'MCVU',
'test_name': u'MCV',
'units': u'fL',
'value_type': u'NM'},
{'comments': None,
'observation_value': u'28.0',
'reference_range': u'27.0-33.5',
'result_status': None,
'test_code': u'MCHU',
'test_name': u'MCH',
'units': u'pg',
'value_type': u'NM'},
{'comments': None,
'observation_value': u'300',
'reference_range': None,
'result_status': None,
'test_code': u'MCGL',
'test_name': u'MCHC (g/L)',
'units': u'g/L',
'value_type': u'NM'},
{'comments': None,
<|code_end|>
. Use current file imports:
(import datetime
import mock
from unittest import TestCase
from gloss.tests.test_messages import (
COMPLEX_WINPATH_RESULT, read_message
)
from gloss.importers.hl7_importer import HL7Importer
from gloss import message_type)
and context including class names, function names, or small code snippets from other files:
# Path: gloss/tests/test_messages.py
# COMPLEX_WINPATH_RESULT = r"""
# MSH|^~\&|Corepoint|TDL|UCLH|UCLH|201411261546||ORU^R01|1126154698U000057|P|2.3
# PID||^^NHS|50031772^^HOSP|C2130015640^^OASIS|TEST^TEST||19870912|M
# PV1|||HAEM^HAEMATOLOGY OUTPATIENTS^^^^^^^OP||||||HC1^COHEN DR H
# ORC|RE|98U000057|98U000057||CM||||201411261546
# OBR|1|98U000057|98U000057|FBCY^FULL BLOOD COUNT^WinPath||201411121606|201411121600|||||||||HC1^COHEN DR H||||||201411121608||H1|F
# OBX|1|NM|WCC^White cell count^Winpath||8.00|x10\S\9/L|3.0-10.0||||F
# OBX|2|NM|RCC^Red cell count^Winpath||3.20|x10\S\12/L|4.4-5.8|L|||F
# OBX|3|NM|HBGL^Haemoglobin (g/L)^Winpath||87|g/L|||||F
# OBX|4|NM|HCTU^HCT^Winpath||0.350|L/L|0.37-0.50|L|||F
# OBX|5|NM|MCVU^MCV^Winpath||78.0|fL|80-99|L|||F
# OBX|6|NM|MCHU^MCH^Winpath||28.0|pg|27.0-33.5||||F
# OBX|7|NM|MCGL^MCHC (g/L)^Winpath||300|g/L|||||F
# OBX|8|NM|RDWU^RDW^Winpath||17.0|%|11.5-15.0|H|||F
# OBX|9|NM|PLT^Platelet count^Winpath||250|x10\S\9/L|150-400||||F
# OBX|10|NM|MPVU^MPV^Winpath||10.0|fL|7-13||||F
# OBR|2|98U000057|98U000057|FBCZ^DIFFERENTIAL^WinPath||201411121606|201411121600|||||||||HC1^COHEN DR H||||||201411121609||H1|F
# OBX|1|NM|NE^Neutrophils^Winpath||55.0% 4.40|x10\S\9/L|2.0-7.5||||F
# OBX|2|NM|LY^Lymphocytes^Winpath||25.0% 2.00|x10\S\9/L|1.2-3.65||||F
# OBX|3|NM|MO^Monocytes^Winpath||15.0% 1.20|x10\S\9/L|0.2-1.0|H|||F
# OBX|4|NM|EO^Eosinophils^Winpath||3.0% 0.24|x10\S\9/L|0.0-0.4||||F
# OBX|5|NM|BA^Basophils^Winpath||2.0% 0.16|x10\S\9/L|0.0-0.1|H|||F
# """
#
# def read_message(some_msg):
# return hl7.parse(some_msg.replace("\n", "\r"))
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
. Output only the next line. | 'observation_value': u'17.0', |
Predict the next line after this snippet: <|code_start|>
class RFHBloodCulturesFileType(FileType):
def _to_date(self, datestr):
return datetime.datetime.strptime(datestr, '%d/%m/%Y')
def res(self, row):
return [
u"{0} {1}".format(drugs.abbreviations[a], getattr(row, a))
for a in drugs.abbreviations if getattr(row, a) in ('R', 'r')
]
def sens(self, row):
return [
u"{0} {1}".format(drugs.abbreviations[a], getattr(row, a))
for a in drugs.abbreviations if getattr(row, a) in ('S', 's')
]
def row_to_result_message(self, row):
return message_type.ResultMessage(
lab_number=row.labno,
profile_code='BC',
<|code_end|>
using the current file's imports:
import datetime
from sites.rfh.coded_values import drugs
from gloss import message_type
from gloss.importers.file_importer import FileType
and any relevant context from other files:
# Path: sites/rfh/coded_values/drugs.py
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
#
# Path: gloss/importers/file_importer.py
# class FileType(SafelImporter):
# """
# Base class for Files that we'll be processing
# with Gloss
# """
# def __init__(self, path):
# self.path = path
. Output only the next line. | profile_description='BLOOD CULTURE', |
Predict the next line for this snippet: <|code_start|> observation_datetime=self._to_date(row.datetest),
last_edited=self._to_date(row.daterep),
observations=[
dict(
value_type='FT',
test_code='ORG',
test_name='ORGANISM',
observation_value=row.org
),
dict(
value_type='FT',
test_code='RES',
test_name='RESISTENT',
observation_value=self.res(row)
),
dict(
value_type='FT',
test_code='SENS',
test_name='SENSITIVE',
observation_value=self.sens(row)
),
dict(
value_type='FT',
test_code='!STS',
test_name='RFH SAMPTESTS',
observation_value=row.samptests
),
dict(
value_type='FT',
<|code_end|>
with the help of current file imports:
import datetime
from sites.rfh.coded_values import drugs
from gloss import message_type
from gloss.importers.file_importer import FileType
and context from other files:
# Path: sites/rfh/coded_values/drugs.py
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
#
# Path: gloss/importers/file_importer.py
# class FileType(SafelImporter):
# """
# Base class for Files that we'll be processing
# with Gloss
# """
# def __init__(self, path):
# self.path = path
, which may contain function names, class names, or code. Output only the next line. | test_code='!STY', |
Predict the next line after this snippet: <|code_start|>
class RFHBloodCulturesFileType(FileType):
def _to_date(self, datestr):
return datetime.datetime.strptime(datestr, '%d/%m/%Y')
def res(self, row):
return [
u"{0} {1}".format(drugs.abbreviations[a], getattr(row, a))
for a in drugs.abbreviations if getattr(row, a) in ('R', 'r')
]
def sens(self, row):
return [
u"{0} {1}".format(drugs.abbreviations[a], getattr(row, a))
for a in drugs.abbreviations if getattr(row, a) in ('S', 's')
]
def row_to_result_message(self, row):
return message_type.ResultMessage(
lab_number=row.labno,
profile_code='BC',
profile_description='BLOOD CULTURE',
request_datetime=self._to_date(row.daterec),
observation_datetime=self._to_date(row.datetest),
<|code_end|>
using the current file's imports:
import datetime
from sites.rfh.coded_values import drugs
from gloss import message_type
from gloss.importers.file_importer import FileType
and any relevant context from other files:
# Path: sites/rfh/coded_values/drugs.py
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
#
# Path: gloss/importers/file_importer.py
# class FileType(SafelImporter):
# """
# Base class for Files that we'll be processing
# with Gloss
# """
# def __init__(self, path):
# self.path = path
. Output only the next line. | last_edited=self._to_date(row.daterep), |
Predict the next line for this snippet: <|code_start|>
class SendAllMessages(BaseSubscriber):
def __init__(self, *args, **kwargs):
self.end_point = kwargs.pop("end_point")
<|code_end|>
with the help of current file imports:
from gloss.subscribers.base_subscriber import BaseSubscriber
from gloss.serialisers.opal import send_to_opal
from gloss.models import atomic_method
and context from other files:
# Path: gloss/subscribers/base_subscriber.py
# class BaseSubscriber(object):
# log = Logger(namespace="subscription")
#
# def notify(self, msg, gloss_service):
# raise NotImplementedError("this needs to be implemented")
#
# Path: gloss/serialisers/opal.py
# def send_to_opal(message_container, end_point):
# """ sends a message to an opal application
# """
# as_dict = message_container.to_dict()
# response = requests.post(
# end_point, json=json.dumps(as_dict, cls=OpalJSONSerialiser)
# )
#
# if response.status_code > 300:
# log = Logger(namespace="to_opal")
# log.error(
# "failed to send to elcid with {}".format(response.status_code)
# )
#
# return
#
# Path: gloss/models.py
# def atomic_method(some_fun):
# def wrap_method(*args, **kwargs):
# if "session" not in kwargs:
# with session_scope() as session:
# kwargs["session"] = session
# result = some_fun(*args, **kwargs)
# else:
# result = some_fun(*args, **kwargs)
# return result
#
# return wrap_method
, which may contain function names, class names, or code. Output only the next line. | super(SendAllMessages, self).__init__(*args, **kwargs) |
Using the snippet: <|code_start|>
GLOSS_SERVICE = GlossService(
receiver=MultiMLLPServer(ports=[2574, 2575], host="localhost").make_service,
importer=HL7Importer().import_and_notify,
subscribers=[
NotifyOpalWhenSubscribed().notify,
SendAllMessages(end_point="http://127.0.0.1:8000/glossapi/v0.1/glossapi/").notify
],
<|code_end|>
, determine the next line of code. You have imports:
from gloss.gloss_service_base import GlossService
from gloss.receivers.mllp_multi_service import MultiMLLPServer
from gloss.importers.hl7_importer import HL7Importer
from sites.uch.subscribe.production import NotifyOpalWhenSubscribed
from gloss.subscribers.send_all_messages import SendAllMessages
and context (class names, function names, or code) available:
# Path: gloss/gloss_service_base.py
# class GlossService(object):
# def __init__(self, receiver, importer, subscribers, issuing_source):
# self.receiver = receiver
# self.importer = importer
# self.subscribers = subscribers
# self.issuing_source = issuing_source
#
# def notify_subscribers(self, message_container):
# for subscriber in self.subscribers:
# subscriber(message_container, self)
#
# Path: gloss/receivers/mllp_multi_service.py
# class MultiMLLPServer(object):
# def __init__(self, ports, host):
# self.ports = ports
# self.host = host
#
# def make_service(self, gloss_service):
# """Construct a server using MLLPFactory.
#
# :rtype: :py:class:`twisted.application.internet.StreamServerEndpointService`
# """
# from twisted.internet import reactor
# from txHL7.mllp import MLLPFactory
# factory = MLLPFactory(OhcReceiver(gloss_service))
# multi_service = MultiService()
#
# for port_number in self.ports:
# port = "tcp:interface={0}:port={1}".format(self.host, port_number,)
# endpoint = endpoints.serverFromString(reactor, port)
# server = internet.StreamServerEndpointService(endpoint, factory)
# server.setName(u"gloss-mllp-{0}".format(port_number))
# multi_service.addService(server)
# return multi_service
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: sites/uch/subscribe/production.py
# class NotifyOpalWhenSubscribed(BaseSubscriber):
# """ checks whether we're subscribed, sends a message to an opal
# application if so
# """
# def notify(self, message_container, gloss_service):
# sub_classes = itersubclasses(self.__class__)
# message_classes = set(i.__class__ for i in message_container.messages)
#
# for sub_class in sub_classes:
# cares_about = getattr(sub_class, "message_types", [])
# relevent = message_classes.intersection(set(cares_about))
# if relevent:
# sc = sub_class()
# sc.notify(message_container, gloss_service)
#
# Path: gloss/subscribers/send_all_messages.py
# class SendAllMessages(BaseSubscriber):
# def __init__(self, *args, **kwargs):
# self.end_point = kwargs.pop("end_point")
# super(SendAllMessages, self).__init__(*args, **kwargs)
#
# @atomic_method
# def notify(self, message_container, gloss_service, session):
# send_to_opal(message_container, self.end_point)
. Output only the next line. | issuing_source="uclh" |
Using the snippet: <|code_start|>
GLOSS_SERVICE = GlossService(
receiver=MultiMLLPServer(ports=[2574, 2575], host="localhost").make_service,
importer=HL7Importer().import_and_notify,
subscribers=[
NotifyOpalWhenSubscribed().notify,
SendAllMessages(end_point="http://127.0.0.1:8000/glossapi/v0.1/glossapi/").notify
],
<|code_end|>
, determine the next line of code. You have imports:
from gloss.gloss_service_base import GlossService
from gloss.receivers.mllp_multi_service import MultiMLLPServer
from gloss.importers.hl7_importer import HL7Importer
from sites.uch.subscribe.production import NotifyOpalWhenSubscribed
from gloss.subscribers.send_all_messages import SendAllMessages
and context (class names, function names, or code) available:
# Path: gloss/gloss_service_base.py
# class GlossService(object):
# def __init__(self, receiver, importer, subscribers, issuing_source):
# self.receiver = receiver
# self.importer = importer
# self.subscribers = subscribers
# self.issuing_source = issuing_source
#
# def notify_subscribers(self, message_container):
# for subscriber in self.subscribers:
# subscriber(message_container, self)
#
# Path: gloss/receivers/mllp_multi_service.py
# class MultiMLLPServer(object):
# def __init__(self, ports, host):
# self.ports = ports
# self.host = host
#
# def make_service(self, gloss_service):
# """Construct a server using MLLPFactory.
#
# :rtype: :py:class:`twisted.application.internet.StreamServerEndpointService`
# """
# from twisted.internet import reactor
# from txHL7.mllp import MLLPFactory
# factory = MLLPFactory(OhcReceiver(gloss_service))
# multi_service = MultiService()
#
# for port_number in self.ports:
# port = "tcp:interface={0}:port={1}".format(self.host, port_number,)
# endpoint = endpoints.serverFromString(reactor, port)
# server = internet.StreamServerEndpointService(endpoint, factory)
# server.setName(u"gloss-mllp-{0}".format(port_number))
# multi_service.addService(server)
# return multi_service
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: sites/uch/subscribe/production.py
# class NotifyOpalWhenSubscribed(BaseSubscriber):
# """ checks whether we're subscribed, sends a message to an opal
# application if so
# """
# def notify(self, message_container, gloss_service):
# sub_classes = itersubclasses(self.__class__)
# message_classes = set(i.__class__ for i in message_container.messages)
#
# for sub_class in sub_classes:
# cares_about = getattr(sub_class, "message_types", [])
# relevent = message_classes.intersection(set(cares_about))
# if relevent:
# sc = sub_class()
# sc.notify(message_container, gloss_service)
#
# Path: gloss/subscribers/send_all_messages.py
# class SendAllMessages(BaseSubscriber):
# def __init__(self, *args, **kwargs):
# self.end_point = kwargs.pop("end_point")
# super(SendAllMessages, self).__init__(*args, **kwargs)
#
# @atomic_method
# def notify(self, message_container, gloss_service, session):
# send_to_opal(message_container, self.end_point)
. Output only the next line. | issuing_source="uclh" |
Next line prediction: <|code_start|>
GLOSS_SERVICE = GlossService(
receiver=MultiMLLPServer(ports=[2574, 2575], host="localhost").make_service,
importer=HL7Importer().import_and_notify,
subscribers=[
NotifyOpalWhenSubscribed().notify,
SendAllMessages(end_point="http://127.0.0.1:8000/glossapi/v0.1/glossapi/").notify
],
<|code_end|>
. Use current file imports:
(from gloss.gloss_service_base import GlossService
from gloss.receivers.mllp_multi_service import MultiMLLPServer
from gloss.importers.hl7_importer import HL7Importer
from sites.uch.subscribe.production import NotifyOpalWhenSubscribed
from gloss.subscribers.send_all_messages import SendAllMessages)
and context including class names, function names, or small code snippets from other files:
# Path: gloss/gloss_service_base.py
# class GlossService(object):
# def __init__(self, receiver, importer, subscribers, issuing_source):
# self.receiver = receiver
# self.importer = importer
# self.subscribers = subscribers
# self.issuing_source = issuing_source
#
# def notify_subscribers(self, message_container):
# for subscriber in self.subscribers:
# subscriber(message_container, self)
#
# Path: gloss/receivers/mllp_multi_service.py
# class MultiMLLPServer(object):
# def __init__(self, ports, host):
# self.ports = ports
# self.host = host
#
# def make_service(self, gloss_service):
# """Construct a server using MLLPFactory.
#
# :rtype: :py:class:`twisted.application.internet.StreamServerEndpointService`
# """
# from twisted.internet import reactor
# from txHL7.mllp import MLLPFactory
# factory = MLLPFactory(OhcReceiver(gloss_service))
# multi_service = MultiService()
#
# for port_number in self.ports:
# port = "tcp:interface={0}:port={1}".format(self.host, port_number,)
# endpoint = endpoints.serverFromString(reactor, port)
# server = internet.StreamServerEndpointService(endpoint, factory)
# server.setName(u"gloss-mllp-{0}".format(port_number))
# multi_service.addService(server)
# return multi_service
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: sites/uch/subscribe/production.py
# class NotifyOpalWhenSubscribed(BaseSubscriber):
# """ checks whether we're subscribed, sends a message to an opal
# application if so
# """
# def notify(self, message_container, gloss_service):
# sub_classes = itersubclasses(self.__class__)
# message_classes = set(i.__class__ for i in message_container.messages)
#
# for sub_class in sub_classes:
# cares_about = getattr(sub_class, "message_types", [])
# relevent = message_classes.intersection(set(cares_about))
# if relevent:
# sc = sub_class()
# sc.notify(message_container, gloss_service)
#
# Path: gloss/subscribers/send_all_messages.py
# class SendAllMessages(BaseSubscriber):
# def __init__(self, *args, **kwargs):
# self.end_point = kwargs.pop("end_point")
# super(SendAllMessages, self).__init__(*args, **kwargs)
#
# @atomic_method
# def notify(self, message_container, gloss_service, session):
# send_to_opal(message_container, self.end_point)
. Output only the next line. | issuing_source="uclh" |
Given the following code snippet before the placeholder: <|code_start|>
GLOSS_SERVICE = GlossService(
receiver=MultiMLLPServer(ports=[2574, 2575], host="localhost").make_service,
importer=HL7Importer().import_and_notify,
subscribers=[
NotifyOpalWhenSubscribed().notify,
SendAllMessages(end_point="http://127.0.0.1:8000/glossapi/v0.1/glossapi/").notify
<|code_end|>
, predict the next line using imports from the current file:
from gloss.gloss_service_base import GlossService
from gloss.receivers.mllp_multi_service import MultiMLLPServer
from gloss.importers.hl7_importer import HL7Importer
from sites.uch.subscribe.production import NotifyOpalWhenSubscribed
from gloss.subscribers.send_all_messages import SendAllMessages
and context including class names, function names, and sometimes code from other files:
# Path: gloss/gloss_service_base.py
# class GlossService(object):
# def __init__(self, receiver, importer, subscribers, issuing_source):
# self.receiver = receiver
# self.importer = importer
# self.subscribers = subscribers
# self.issuing_source = issuing_source
#
# def notify_subscribers(self, message_container):
# for subscriber in self.subscribers:
# subscriber(message_container, self)
#
# Path: gloss/receivers/mllp_multi_service.py
# class MultiMLLPServer(object):
# def __init__(self, ports, host):
# self.ports = ports
# self.host = host
#
# def make_service(self, gloss_service):
# """Construct a server using MLLPFactory.
#
# :rtype: :py:class:`twisted.application.internet.StreamServerEndpointService`
# """
# from twisted.internet import reactor
# from txHL7.mllp import MLLPFactory
# factory = MLLPFactory(OhcReceiver(gloss_service))
# multi_service = MultiService()
#
# for port_number in self.ports:
# port = "tcp:interface={0}:port={1}".format(self.host, port_number,)
# endpoint = endpoints.serverFromString(reactor, port)
# server = internet.StreamServerEndpointService(endpoint, factory)
# server.setName(u"gloss-mllp-{0}".format(port_number))
# multi_service.addService(server)
# return multi_service
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: sites/uch/subscribe/production.py
# class NotifyOpalWhenSubscribed(BaseSubscriber):
# """ checks whether we're subscribed, sends a message to an opal
# application if so
# """
# def notify(self, message_container, gloss_service):
# sub_classes = itersubclasses(self.__class__)
# message_classes = set(i.__class__ for i in message_container.messages)
#
# for sub_class in sub_classes:
# cares_about = getattr(sub_class, "message_types", [])
# relevent = message_classes.intersection(set(cares_about))
# if relevent:
# sc = sub_class()
# sc.notify(message_container, gloss_service)
#
# Path: gloss/subscribers/send_all_messages.py
# class SendAllMessages(BaseSubscriber):
# def __init__(self, *args, **kwargs):
# self.end_point = kwargs.pop("end_point")
# super(SendAllMessages, self).__init__(*args, **kwargs)
#
# @atomic_method
# def notify(self, message_container, gloss_service, session):
# send_to_opal(message_container, self.end_point)
. Output only the next line. | ], |
Continue the code snippet: <|code_start|>
GLOSS_SERVICE = GlossService(
receiver=MultiMLLPServer(ports=[2574, 2575], host="localhost").make_service,
importer=HL7Importer().import_and_notify,
<|code_end|>
. Use current file imports:
from gloss.gloss_service_base import GlossService
from gloss.receivers.mllp_multi_service import MultiMLLPServer
from gloss.importers.hl7_importer import HL7Importer
from sites.uch.subscribe.production import NotifyOpalWhenSubscribed
from gloss.subscribers.send_all_messages import SendAllMessages
and context (classes, functions, or code) from other files:
# Path: gloss/gloss_service_base.py
# class GlossService(object):
# def __init__(self, receiver, importer, subscribers, issuing_source):
# self.receiver = receiver
# self.importer = importer
# self.subscribers = subscribers
# self.issuing_source = issuing_source
#
# def notify_subscribers(self, message_container):
# for subscriber in self.subscribers:
# subscriber(message_container, self)
#
# Path: gloss/receivers/mllp_multi_service.py
# class MultiMLLPServer(object):
# def __init__(self, ports, host):
# self.ports = ports
# self.host = host
#
# def make_service(self, gloss_service):
# """Construct a server using MLLPFactory.
#
# :rtype: :py:class:`twisted.application.internet.StreamServerEndpointService`
# """
# from twisted.internet import reactor
# from txHL7.mllp import MLLPFactory
# factory = MLLPFactory(OhcReceiver(gloss_service))
# multi_service = MultiService()
#
# for port_number in self.ports:
# port = "tcp:interface={0}:port={1}".format(self.host, port_number,)
# endpoint = endpoints.serverFromString(reactor, port)
# server = internet.StreamServerEndpointService(endpoint, factory)
# server.setName(u"gloss-mllp-{0}".format(port_number))
# multi_service.addService(server)
# return multi_service
#
# Path: gloss/importers/hl7_importer.py
# class HL7Importer(SafelImporter):
# def import_message(self, msg, gloss_service):
# hl7 = hl7_translator.HL7Translator.translate(msg)
# importer = HL7TranslationToMessage.get_for_hl7(hl7)
# if importer:
# processed_messages = importer.import_hl7()
# hospital_number = importer.get_hospital_number()
# return messages.MessageContainer(
# messages=processed_messages,
# hospital_number=hospital_number,
# issuing_source=gloss_service.issuing_source
# )
#
# Path: sites/uch/subscribe/production.py
# class NotifyOpalWhenSubscribed(BaseSubscriber):
# """ checks whether we're subscribed, sends a message to an opal
# application if so
# """
# def notify(self, message_container, gloss_service):
# sub_classes = itersubclasses(self.__class__)
# message_classes = set(i.__class__ for i in message_container.messages)
#
# for sub_class in sub_classes:
# cares_about = getattr(sub_class, "message_types", [])
# relevent = message_classes.intersection(set(cares_about))
# if relevent:
# sc = sub_class()
# sc.notify(message_container, gloss_service)
#
# Path: gloss/subscribers/send_all_messages.py
# class SendAllMessages(BaseSubscriber):
# def __init__(self, *args, **kwargs):
# self.end_point = kwargs.pop("end_point")
# super(SendAllMessages, self).__init__(*args, **kwargs)
#
# @atomic_method
# def notify(self, message_container, gloss_service, session):
# send_to_opal(message_container, self.end_point)
. Output only the next line. | subscribers=[ |
Here is a snippet: <|code_start|>
class UtilsTest(TestCase):
def test_tree_structure(self):
class A(object):
pass
<|code_end|>
. Write the next line using the current file imports:
from unittest import TestCase
from gloss.utils import itersubclasses, AbstractClass
and context from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# class AbstractClass(object):
# pass
, which may include functions, classes, or code. Output only the next line. | class B(A): |
Here is a snippet: <|code_start|># if you want to implement your own
# inherit from theHL7Translator
class HL7Translator(HL7Base):
def __init__(self, raw_message):
message = copy(raw_message)
for field in self.segments:
if field.__class__ == RepeatingField:
found_repeaters, message = field.get(message)
setattr(self, field.section_name, found_repeaters)
else:
mthd = self.get_method_for_field(field.name())
try:
setattr(self, field.name().lower(), mthd(message.segment(field.name())))
except KeyError:
raise TranslatorError("unable to find {0} for {1}".format(field.name(), raw_message))
message = clean_until(message, field.name())
@classmethod
def translate(cls, msg):
msh = cls.get_msh(msg)
for message_type in itersubclasses(cls):
if msh.message_type == message_type.message_type:
if msh.trigger_event == message_type.trigger_event:
if hasattr(message_type, "sending_application"):
if(message_type.sending_application == msh.sending_application):
return message_type(msg)
else:
<|code_end|>
. Write the next line using the current file imports:
from gloss.translators.hl7.segments import *
from gloss.utils import itersubclasses
from gloss.exceptions import TranslatorError
and context from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# Path: gloss/exceptions.py
# class TranslatorError(Exception):
# pass
, which may include functions, classes, or code. Output only the next line. | return message_type(msg) |
Here is a snippet: <|code_start|>class PatientUpdate(HL7Translator):
message_type = u"ADT"
trigger_event = u"A31"
segments = (InpatientPID, UpdatePD1)
sending_application = "CARECAST"
class InpatientAdmit(HL7Translator):
message_type = u"ADT"
trigger_event = u"A01"
segments = (EVN, InpatientPID, PV1, PV2,)
class InpatientDischarge(InpatientAdmit):
message_type = u"ADT"
trigger_event = "A03"
class InpatientAmend(InpatientAdmit):
message_type = "ADT"
trigger_event = "A08"
class InpatientCancelDischarge(InpatientAdmit):
message_type = "ADT"
trigger_event = "A13"
class InpatientTransfer(InpatientAdmit):
message_type = "ADT"
<|code_end|>
. Write the next line using the current file imports:
from gloss.translators.hl7.segments import *
from gloss.utils import itersubclasses
from gloss.exceptions import TranslatorError
and context from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# Path: gloss/exceptions.py
# class TranslatorError(Exception):
# pass
, which may include functions, classes, or code. Output only the next line. | trigger_event = "A02" |
Predict the next line after this snippet: <|code_start|>class InpatientCancelDischargeImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientCancelDischarge
class InpatientTransferImporter(HL7TranslationToMessage):
hl7Translation = hl7_translator.InpatientTransfer
def import_hl7(self):
message = messages.InpatientAdmissionTransferMessage(
datetime_of_admission=self.hl7_msg.pv1.datetime_of_admission,
ward_code=self.hl7_msg.pv1.ward_code,
room_code=self.hl7_msg.pv1.room_code,
bed_code=self.hl7_msg.pv1.bed_code,
external_identifier=self.hl7_msg.pid.patient_account_number,
hospital_number=self.hl7_msg.pid.hospital_number,
issuing_source="uclh",
datetime_of_discharge=self.hl7_msg.pv1.datetime_of_discharge,
datetime_of_transfer=self.hl7_msg.evn.planned_datetime,
admission_diagnosis=self.hl7_msg.pv2.admission_diagnosis
)
return [message]
class InpatientSpellDeleteImporter(HL7TranslationToMessage):
hl7Translation = hl7_translator.InpatientSpellDelete
def import_hl7(self):
return [messages.InpatientAdmissionDeleteMessage(
external_identifier=self.hl7_msg.pid.patient_account_number,
datetime_of_deletion=self.hl7_msg.evn.recorded_datetime,
<|code_end|>
using the current file's imports:
from collections import defaultdict
from gloss.utils import itersubclasses
from gloss.importers.base_importer import SafelImporter
from gloss.translators.hl7 import hl7_translator
from gloss import message_type as messages
and any relevant context from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# Path: gloss/importers/base_importer.py
# class SafelImporter(AbstractImporter):
# """ this catches all messages we can't process and
# saves them to the database with an explanation
# for now we'll translate these into a message
# container, we'll look at removing the message
# container later
# """
# def import_and_notify(self, msg, gloss_service):
# try:
# super(SafelImporter, self).import_and_notify(msg, gloss_service)
# except Exception as e:
# self.log.error("failed to parse")
# self.log.error(str(msg).replace("\r", "\n"))
# self.log.error("with %s" % e)
# try:
# with session_scope() as session:
# err = Error(
# error=str(e),
# message=str(msg)
# )
# session.add(err)
# except Exception as e:
# self.log.error("failed to save error to database")
# self.log.error("with %s" % e)
# raise
#
# Path: gloss/translators/hl7/hl7_translator.py
# class HL7Translator(HL7Base):
# class PatientMerge(HL7Translator):
# class PatientUpdate(HL7Translator):
# class InpatientAdmit(HL7Translator):
# class InpatientDischarge(InpatientAdmit):
# class InpatientAmend(InpatientAdmit):
# class InpatientCancelDischarge(InpatientAdmit):
# class InpatientTransfer(InpatientAdmit):
# class InpatientSpellDelete(HL7Translator):
# class AllergyMessage(HL7Translator):
# class WinPathResultsOrder(HL7Translator):
# class WinPathResults(HL7Translator):
# def __init__(self, raw_message):
# def translate(cls, msg):
# def get_msh(self, msg):
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
. Output only the next line. | hospital_number=self.hl7_msg.pid.hospital_number, |
Next line prediction: <|code_start|>
def import_hl7(self):
return [messages.InpatientAdmissionMessage(
datetime_of_admission=self.hl7_msg.pv1.datetime_of_admission,
ward_code=self.hl7_msg.pv1.ward_code,
room_code=self.hl7_msg.pv1.room_code,
bed_code=self.hl7_msg.pv1.bed_code,
external_identifier=self.hl7_msg.pid.patient_account_number,
hospital_number=self.hl7_msg.pid.hospital_number,
issuing_source="uclh",
datetime_of_discharge=self.hl7_msg.pv1.datetime_of_discharge,
admission_diagnosis=self.hl7_msg.pv2.admission_diagnosis,
)]
class InpatientDischargeImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientDischarge
class InpatientAmendImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientAmend
class InpatientCancelDischargeImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientCancelDischarge
class InpatientTransferImporter(HL7TranslationToMessage):
hl7Translation = hl7_translator.InpatientTransfer
<|code_end|>
. Use current file imports:
(from collections import defaultdict
from gloss.utils import itersubclasses
from gloss.importers.base_importer import SafelImporter
from gloss.translators.hl7 import hl7_translator
from gloss import message_type as messages)
and context including class names, function names, or small code snippets from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# Path: gloss/importers/base_importer.py
# class SafelImporter(AbstractImporter):
# """ this catches all messages we can't process and
# saves them to the database with an explanation
# for now we'll translate these into a message
# container, we'll look at removing the message
# container later
# """
# def import_and_notify(self, msg, gloss_service):
# try:
# super(SafelImporter, self).import_and_notify(msg, gloss_service)
# except Exception as e:
# self.log.error("failed to parse")
# self.log.error(str(msg).replace("\r", "\n"))
# self.log.error("with %s" % e)
# try:
# with session_scope() as session:
# err = Error(
# error=str(e),
# message=str(msg)
# )
# session.add(err)
# except Exception as e:
# self.log.error("failed to save error to database")
# self.log.error("with %s" % e)
# raise
#
# Path: gloss/translators/hl7/hl7_translator.py
# class HL7Translator(HL7Base):
# class PatientMerge(HL7Translator):
# class PatientUpdate(HL7Translator):
# class InpatientAdmit(HL7Translator):
# class InpatientDischarge(InpatientAdmit):
# class InpatientAmend(InpatientAdmit):
# class InpatientCancelDischarge(InpatientAdmit):
# class InpatientTransfer(InpatientAdmit):
# class InpatientSpellDelete(HL7Translator):
# class AllergyMessage(HL7Translator):
# class WinPathResultsOrder(HL7Translator):
# class WinPathResults(HL7Translator):
# def __init__(self, raw_message):
# def translate(cls, msg):
# def get_msh(self, msg):
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
. Output only the next line. | def import_hl7(self): |
Here is a snippet: <|code_start|> ward_code=self.hl7_msg.pv1.ward_code,
room_code=self.hl7_msg.pv1.room_code,
bed_code=self.hl7_msg.pv1.bed_code,
external_identifier=self.hl7_msg.pid.patient_account_number,
hospital_number=self.hl7_msg.pid.hospital_number,
issuing_source="uclh",
datetime_of_discharge=self.hl7_msg.pv1.datetime_of_discharge,
admission_diagnosis=self.hl7_msg.pv2.admission_diagnosis,
)]
class InpatientDischargeImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientDischarge
class InpatientAmendImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientAmend
class InpatientCancelDischargeImporter(InpatientAdmitImporter):
hl7Translation = hl7_translator.InpatientCancelDischarge
class InpatientTransferImporter(HL7TranslationToMessage):
hl7Translation = hl7_translator.InpatientTransfer
def import_hl7(self):
message = messages.InpatientAdmissionTransferMessage(
datetime_of_admission=self.hl7_msg.pv1.datetime_of_admission,
ward_code=self.hl7_msg.pv1.ward_code,
<|code_end|>
. Write the next line using the current file imports:
from collections import defaultdict
from gloss.utils import itersubclasses
from gloss.importers.base_importer import SafelImporter
from gloss.translators.hl7 import hl7_translator
from gloss import message_type as messages
and context from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# Path: gloss/importers/base_importer.py
# class SafelImporter(AbstractImporter):
# """ this catches all messages we can't process and
# saves them to the database with an explanation
# for now we'll translate these into a message
# container, we'll look at removing the message
# container later
# """
# def import_and_notify(self, msg, gloss_service):
# try:
# super(SafelImporter, self).import_and_notify(msg, gloss_service)
# except Exception as e:
# self.log.error("failed to parse")
# self.log.error(str(msg).replace("\r", "\n"))
# self.log.error("with %s" % e)
# try:
# with session_scope() as session:
# err = Error(
# error=str(e),
# message=str(msg)
# )
# session.add(err)
# except Exception as e:
# self.log.error("failed to save error to database")
# self.log.error("with %s" % e)
# raise
#
# Path: gloss/translators/hl7/hl7_translator.py
# class HL7Translator(HL7Base):
# class PatientMerge(HL7Translator):
# class PatientUpdate(HL7Translator):
# class InpatientAdmit(HL7Translator):
# class InpatientDischarge(InpatientAdmit):
# class InpatientAmend(InpatientAdmit):
# class InpatientCancelDischarge(InpatientAdmit):
# class InpatientTransfer(InpatientAdmit):
# class InpatientSpellDelete(HL7Translator):
# class AllergyMessage(HL7Translator):
# class WinPathResultsOrder(HL7Translator):
# class WinPathResults(HL7Translator):
# def __init__(self, raw_message):
# def translate(cls, msg):
# def get_msh(self, msg):
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
, which may include functions, classes, or code. Output only the next line. | room_code=self.hl7_msg.pv1.room_code, |
Continue the code snippet: <|code_start|> hospital_number=self.hl7_msg.pid.hospital_number,
issuing_source="uclh",
datetime_of_discharge=self.hl7_msg.pv1.datetime_of_discharge,
datetime_of_transfer=self.hl7_msg.evn.planned_datetime,
admission_diagnosis=self.hl7_msg.pv2.admission_diagnosis
)
return [message]
class InpatientSpellDeleteImporter(HL7TranslationToMessage):
hl7Translation = hl7_translator.InpatientSpellDelete
def import_hl7(self):
return [messages.InpatientAdmissionDeleteMessage(
external_identifier=self.hl7_msg.pid.patient_account_number,
datetime_of_deletion=self.hl7_msg.evn.recorded_datetime,
hospital_number=self.hl7_msg.pid.hospital_number,
issuing_source="uclh"
)]
class AllergyImporter(HL7TranslationToMessage):
hl7Translation = hl7_translator.AllergyMessage
def import_hl7(self):
all_allergies = []
for allergy in self.hl7_msg.allergies:
all_allergies.append(messages.AllergyMessage(
allergy_type_description=allergy.al1.allergy_type_description,
certainty_id=allergy.al1.certainty_id,
<|code_end|>
. Use current file imports:
from collections import defaultdict
from gloss.utils import itersubclasses
from gloss.importers.base_importer import SafelImporter
from gloss.translators.hl7 import hl7_translator
from gloss import message_type as messages
and context (classes, functions, or code) from other files:
# Path: gloss/utils.py
# def itersubclasses(cls, _seen=None):
# """
# Recursively iterate through subclasses
# """
# abstract_classes = AbstractClass.__subclasses__()
# if not isinstance(cls, type):
# raise TypeError('itersubclasses must be called with '
# 'new-style classes, not %.100r' % cls)
# if _seen is None: _seen = set()
# try:
# subs = cls.__subclasses__()
# except TypeError: # fails only when cls is type
# subs = cls.__subclasses__(cls)
# for sub in subs:
# if sub not in _seen:
# _seen.add(sub)
# if sub not in abstract_classes:
# yield sub
# for sub in itersubclasses(sub, _seen):
# if sub not in abstract_classes:
# yield sub
#
# Path: gloss/importers/base_importer.py
# class SafelImporter(AbstractImporter):
# """ this catches all messages we can't process and
# saves them to the database with an explanation
# for now we'll translate these into a message
# container, we'll look at removing the message
# container later
# """
# def import_and_notify(self, msg, gloss_service):
# try:
# super(SafelImporter, self).import_and_notify(msg, gloss_service)
# except Exception as e:
# self.log.error("failed to parse")
# self.log.error(str(msg).replace("\r", "\n"))
# self.log.error("with %s" % e)
# try:
# with session_scope() as session:
# err = Error(
# error=str(e),
# message=str(msg)
# )
# session.add(err)
# except Exception as e:
# self.log.error("failed to save error to database")
# self.log.error("with %s" % e)
# raise
#
# Path: gloss/translators/hl7/hl7_translator.py
# class HL7Translator(HL7Base):
# class PatientMerge(HL7Translator):
# class PatientUpdate(HL7Translator):
# class InpatientAdmit(HL7Translator):
# class InpatientDischarge(InpatientAdmit):
# class InpatientAmend(InpatientAdmit):
# class InpatientCancelDischarge(InpatientAdmit):
# class InpatientTransfer(InpatientAdmit):
# class InpatientSpellDelete(HL7Translator):
# class AllergyMessage(HL7Translator):
# class WinPathResultsOrder(HL7Translator):
# class WinPathResults(HL7Translator):
# def __init__(self, raw_message):
# def translate(cls, msg):
# def get_msh(self, msg):
#
# Path: gloss/message_type.py
# class Field(object):
# class GlossMessageMeta(type):
# class MessageContainer(object):
# class MessageType(six.with_metaclass(GlossMessageMeta)):
# class PatientMessage(MessageType):
# class PatientMergeMessage(MessageType):
# class AllergyMessage(MessageType):
# class ObservationMessage(MessageType):
# class ResultMessage(MessageType):
# class OrderMessage(MessageType):
# class InpatientAdmissionMessage(MessageType):
# class InpatientAdmissionTransferMessage(InpatientAdmissionMessage):
# class InpatientAdmissionDeleteMessage(MessageType):
# def __init__(self, required=False):
# def __new__(cls, name, bases, attrs):
# def __init__(self, messages, hospital_number, issuing_source):
# def to_dict(self):
# def construct_message_container(
# someMessages, hospital_number, issuing_source="uclh"
# ):
# def __init__(self, **kwargs):
# def to_dict(self):
# def to_dict_or_not_to_dict(some_value):
# def __init__(
# self, **kwargs
# ):
# def to_dict(self):
# def __init__(self, **kw):
. Output only the next line. | certainty_description=allergy.al1.certainty_description, |
Predict the next line after this snippet: <|code_start|>
DATETIME_FORMAT = "%Y%m%d%H%M"
DATE_FORMAT = "%Y%m%d"
def get_field_name(message_row):
return message_row[0][0].upper()
def clean_until(message, field):
<|code_end|>
using the current file's imports:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and any relevant context from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
. Output only the next line. | for index, row in enumerate(message): |
Predict the next line after this snippet: <|code_start|> result = super(DateTimeHl7Field, self).__get__(*args)
if not self.required and not result:
return result
return datetime.strptime(result, DATETIME_FORMAT)
class DateHl7Field(Hl7Field):
def __get__(self, *args):
result = super(DateHl7Field, self).__get__(*args)
if not self.required and not result:
return result
return datetime.strptime(result, DATE_FORMAT).date()
class MSH(Segment):
trigger_event = Hl7Field(9, 0, 1, 0)
message_type = Hl7Field(9, 0, 0, 0)
message_datetime = DateTimeHl7Field(7, 0)
sending_application = Hl7Field(3, 0)
sending_facility = Hl7Field(4, 0)
class MsaField(Hl7Field):
def __get__(self, *args):
result = super(MsaField, self).__get__(*args)
if result == "Call Successful":
<|code_end|>
using the current file's imports:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and any relevant context from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
. Output only the next line. | return None |
Here is a snippet: <|code_start|> for i in self.indexes:
if not self.required:
if len(result) <= i or not result[i]:
return None
result = result[i]
return result
class DateTimeHl7Field(Hl7Field):
def __get__(self, *args):
result = super(DateTimeHl7Field, self).__get__(*args)
if not self.required and not result:
return result
return datetime.strptime(result, DATETIME_FORMAT)
class DateHl7Field(Hl7Field):
def __get__(self, *args):
result = super(DateHl7Field, self).__get__(*args)
if not self.required and not result:
return result
return datetime.strptime(result, DATE_FORMAT).date()
<|code_end|>
. Write the next line using the current file imports:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and context from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
, which may include functions, classes, or code. Output only the next line. | class MSH(Segment): |
Given the following code snippet before the placeholder: <|code_start|> message_datetime = DateTimeHl7Field(7, 0)
sending_application = Hl7Field(3, 0)
sending_facility = Hl7Field(4, 0)
class MsaField(Hl7Field):
def __get__(self, *args):
result = super(MsaField, self).__get__(*args)
if result == "Call Successful":
return None
else:
return result
class MSA(Segment):
error_code = MsaField(3, 0)
class MRG(Segment):
duplicate_hospital_number = Hl7Field(1, 0, 0, 0)
class ORC(Segment):
pass
class UpdatePD1(Segment):
@classmethod
def name(cls):
<|code_end|>
, predict the next line using imports from the current file:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and context including class names, function names, and sometimes code from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
. Output only the next line. | return "PD1" |
Given the following code snippet before the placeholder: <|code_start|>
def clean_until(message, field):
for index, row in enumerate(message):
if get_field_name(row) == field:
return message[index+1:]
class Segment(object):
@classmethod
def name(cls):
return cls.__name__.upper()
def __init__(self, segment):
self.segment = segment
class Hl7Field(object):
def __init__(self, *indexes, **kwargs):
self.indexes = indexes
self.required = kwargs.pop("required", True)
def __get__(self, obj, cls):
result = obj.segment
for i in self.indexes:
if not self.required:
if len(result) <= i or not result[i]:
return None
<|code_end|>
, predict the next line using imports from the current file:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and context including class names, function names, and sometimes code from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
. Output only the next line. | result = result[i] |
Given the following code snippet before the placeholder: <|code_start|> result = super(MsaField, self).__get__(*args)
if result == "Call Successful":
return None
else:
return result
class MSA(Segment):
error_code = MsaField(3, 0)
class MRG(Segment):
duplicate_hospital_number = Hl7Field(1, 0, 0, 0)
class ORC(Segment):
pass
class UpdatePD1(Segment):
@classmethod
def name(cls):
return "PD1"
gp_practice_code = Hl7Field(4, 1, 0, 0)
class QueryPD1(Segment):
@classmethod
<|code_end|>
, predict the next line using imports from the current file:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and context including class names, function names, and sometimes code from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
. Output only the next line. | def name(cls): |
Here is a snippet: <|code_start|>class Hl7Field(object):
def __init__(self, *indexes, **kwargs):
self.indexes = indexes
self.required = kwargs.pop("required", True)
def __get__(self, obj, cls):
result = obj.segment
for i in self.indexes:
if not self.required:
if len(result) <= i or not result[i]:
return None
result = result[i]
return result
class DateTimeHl7Field(Hl7Field):
def __get__(self, *args):
result = super(DateTimeHl7Field, self).__get__(*args)
if not self.required and not result:
return result
return datetime.strptime(result, DATETIME_FORMAT)
class DateHl7Field(Hl7Field):
def __get__(self, *args):
<|code_end|>
. Write the next line using the current file imports:
from datetime import datetime
from collections import namedtuple
from gloss.translators.hl7.coded_values import (
RELIGION_MAPPINGS, SEX_MAPPING, MARITAL_STATUSES_MAPPING,
TEST_STATUS_MAPPING, ADMISSION_TYPES, OBX_STATUSES,
ETHNICITY_MAPPING,
)
from copy import copy
and context from other files:
# Path: gloss/translators/hl7/coded_values.py
# RELIGION_MAPPINGS = {
# "1A": "Church of England",
# "1B": "Anglican",
# "1C": "Episcopal",
# "1D": "Church of Scotland",
# "1E": "Protestant",
# "1F": "Christian",
# "2A": "Roman Catholic",
# "3A": "Methodist",
# "3B": "Wesley",
# "3C": "Baptist",
# "3D": "United Reform Chapel",
# "3E": "Congregational",
# "3F": "Presbyterian",
# "3G": "Salvation Army",
# "3H": "Quaker",
# "3I": "Chapel",
# "3J": "Pentecostal",
# "3K": "UnitITUn",
# "3L": "New Testament",
# "3M": "Assemblies of God",
# "3N": "Lutheran",
# "3O": "New Apostolic Church",
# "3P": "Welsh Independent",
# "3Q": "Church of Wales",
# "3R": "Church of God",
# "3T": "Evangelical",
# "3U": "Society of Friends",
# "3V": "Christian Spiritualist",
# "4A": "Jehovah's Witness",
# "4B": "Seven-Day Adventist",
# "4C": "Plymouth Brethren",
# "4D": "Church of Christ",
# "4E": "Spiritualist",
# "4F": "Mormon",
# "4G": "Latter-Day Saint",
# "4H": "Christian Science",
# "4I": "Evangelist",
# "4J": "Christadelphin",
# "4K": "Non-conformist",
# "4L": "Non-denominational",
# "4M": "Mapuche",
# "4N": "Order of the Cross",
# "4O": "Moonies",
# "5A": "Russian Orthodox",
# "5C": "Greek Orthodox",
# "5D": "Rastafarian",
# "5E": "Moravian",
# "5G": "Serbian Orthodox",
# "6A": "Jewish",
# "6B": "Moslem",
# "6C": "Sikh",
# "6D": "Buddhist",
# "6E": "Hindu",
# "6F": "Shilo",
# "6G": "Baha'i",
# "6H": "Zionist",
# "6I": "Druid",
# "6J": "White Witchcraft",
# "7A": "Atheist",
# "7B": "Agnostic",
# "7C": "None",
# "7D": "Pagan",
# "7E": "Other",
# "8A": "Free Church",
# "9A": "Not Known",
# }
#
# SEX_MAPPING = {
# "M": "Male",
# "F": "Female",
# "U": "Unknown",
# "I": "Indeterminate"
# }
#
# MARITAL_STATUSES_MAPPING = {
# "S": "Single",
# "M": "Married/Civil Partner",
# "D": "Divorced/Civil Partnership dissolved",
# "W": "Widow/Surviving Civil Partner",
# "P": "Separated",
# "N": "Not Disclosed"
# }
#
# TEST_STATUS_MAPPING = {
# 'F': 'FINAL',
# 'I': 'INTERIM',
# 'A': 'SOME RESULTS AVAILABLE'
# }
#
# ADMISSION_TYPES = {
# "A": "DAY CASE",
# "I": "INPATIENT",
# "E": "EMERGENCY",
# }
#
# OBX_STATUSES = {
# 'F': 'FINAL',
# 'I': 'INTERIM'
# }
#
# ETHNICITY_MAPPING = {
# "A": "British",
# "B": "Irish",
# "C": "Any Other White Background",
# "D": "White and Black Caribbean",
# "E": "White and Black African",
# "F": "White and Asian",
# "G": "Any Other Mixed background",
# "H": "Indian",
# "J": "Pakistani",
# "K": "Bangladeshi",
# "L": "Any other Asian background",
# "M": "Caribbean",
# "N": "African",
# "P": "Any other black Background",
# "R": "Chinese",
# "S": "Any Other Ethnic Group",
# "Z1": "Not Yet Asked",
# "Z2": "Refused to give"
# }
, which may include functions, classes, or code. Output only the next line. | result = super(DateHl7Field, self).__get__(*args) |
Predict the next line after this snippet: <|code_start|># Copyright 2011 Jamie Norrish (jamie@artefact.org.nz)
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
class Typed (Construct, models.Model):
"""Indicates that a Topic Maps construct is typed. `Association`s,
`Role`s, `Occurrence`s, and `Name`s are typed."""
type = models.ForeignKey('Topic', related_name='typed_%(class)ss')
<|code_end|>
using the current file's imports:
from django.db import models
from tmapi.exceptions import ModelConstraintException
from construct import Construct
and any relevant context from other files:
# Path: tmapi/exceptions.py
# class ModelConstraintException (TMAPIRuntimeException):
#
# """This exception is used to report Topic Maps - Data Model
# constraint violations."""
#
# def __init__ (self, reporter, message):
# """Creates a new ModelConstraintException with the specified
# message.
#
# :param reporter: the construct which has thrown this exception
# :type reporter: `Construct`
# :param message: the detail message
# :type message: string
#
# """
# self._reporter = reporter
# self._message = message
#
# def get_reporter (self):
# """Return the `Construct` which has thrown the exception.
#
# :rtype: `Construct`
#
# """
# return self._reporter
. Output only the next line. | class Meta: |
Predict the next line after this snippet: <|code_start|># Copyright 2011 Jamie Norrish (jamie@artefact.org.nz)
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
class Scoped (Construct, models.Model):
"""Indicates that a statement (Topic Maps construct) has a
scope. `Association`s, `Occurrence`s, `Name`s, and `Variant`s are
scoped."""
scope = models.ManyToManyField('Topic', related_name='scoped_%(class)ss')
class Meta:
<|code_end|>
using the current file's imports:
from django.db import models
from tmapi.exceptions import ModelConstraintException
from construct import Construct
and any relevant context from other files:
# Path: tmapi/exceptions.py
# class ModelConstraintException (TMAPIRuntimeException):
#
# """This exception is used to report Topic Maps - Data Model
# constraint violations."""
#
# def __init__ (self, reporter, message):
# """Creates a new ModelConstraintException with the specified
# message.
#
# :param reporter: the construct which has thrown this exception
# :type reporter: `Construct`
# :param message: the detail message
# :type message: string
#
# """
# self._reporter = reporter
# self._message = message
#
# def get_reporter (self):
# """Return the `Construct` which has thrown the exception.
#
# :rtype: `Construct`
#
# """
# return self._reporter
. Output only the next line. | abstract = True |
Predict the next line after this snippet: <|code_start|> self.assertEqual(1, topic1.get_names().count())
self.assertTrue(name1 in topic1.get_names())
self.assertEqual(0, name1.get_variants().count())
self.assertEqual(1, topic2.get_names().count())
self.assertTrue(name2 in topic2.get_names())
self.assertEqual(1, name2.get_variants().count())
self.assertTrue(variant in name2.get_variants())
topic1.merge_in(topic2)
self.assertEqual(1, topic1.get_names().count())
tmp_name = topic1.get_names()[0]
self.assertEqual(1, tmp_name.get_variants().count())
tmp_var = tmp_name.get_variants()[0]
self.assertEqual('tiny', tmp_var.get_value())
def test_duplicate_suppression_name_move_item_identifiers (self):
"""Tests if merging detects duplicate names and sets the item
identifier to the union of both names."""
topic1 = self.tm.create_topic()
topic2 = self.tm.create_topic()
iid1 = self.tm.create_locator('http://example.org/iid-1')
iid2 = self.tm.create_locator('http://example.org/iid-2')
name1 = topic1.create_name('TMAPI')
name2 = topic2.create_name('TMAPI')
name1.add_item_identifier(iid1)
name2.add_item_identifier(iid2)
self.assertTrue(iid1 in name1.get_item_identifiers())
self.assertTrue(iid2 in name2.get_item_identifiers())
self.assertEqual(1, topic1.get_names().count())
self.assertTrue(name1 in topic1.get_names())
self.assertEqual(1, topic2.get_names().count())
<|code_end|>
using the current file's imports:
from tmapi.exceptions import ModelConstraintException
from tmapi_test_case import TMAPITestCase
and any relevant context from other files:
# Path: tmapi/exceptions.py
# class ModelConstraintException (TMAPIRuntimeException):
#
# """This exception is used to report Topic Maps - Data Model
# constraint violations."""
#
# def __init__ (self, reporter, message):
# """Creates a new ModelConstraintException with the specified
# message.
#
# :param reporter: the construct which has thrown this exception
# :type reporter: `Construct`
# :param message: the detail message
# :type message: string
#
# """
# self._reporter = reporter
# self._message = message
#
# def get_reporter (self):
# """Return the `Construct` which has thrown the exception.
#
# :rtype: `Construct`
#
# """
# return self._reporter
. Output only the next line. | self.assertTrue(name2 in topic2.get_names()) |
Predict the next line after this snippet: <|code_start|># Copyright 2011 Jamie Norrish (jamie@artefact.org.nz)
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
class Reifiable (Construct, models.Model):
"""Indicates that a `Construct` is reifiable. Every Topic Maps
construct that is not a `Topic` is reifiable."""
reifier = models.OneToOneField('Topic', related_name='reified_%(class)s',
<|code_end|>
using the current file's imports:
from django.db import models
from tmapi.exceptions import ModelConstraintException
from construct import Construct
and any relevant context from other files:
# Path: tmapi/exceptions.py
# class ModelConstraintException (TMAPIRuntimeException):
#
# """This exception is used to report Topic Maps - Data Model
# constraint violations."""
#
# def __init__ (self, reporter, message):
# """Creates a new ModelConstraintException with the specified
# message.
#
# :param reporter: the construct which has thrown this exception
# :type reporter: `Construct`
# :param message: the detail message
# :type message: string
#
# """
# self._reporter = reporter
# self._message = message
#
# def get_reporter (self):
# """Return the `Construct` which has thrown the exception.
#
# :rtype: `Construct`
#
# """
# return self._reporter
. Output only the next line. | null=True) |
Using the snippet: <|code_start|> self.assertRaises(ModelConstraintException,
self.tm.create_association, None)
def test_association_creation_illegal_type_scope (self):
self.assertRaises(ModelConstraintException, self.tm.create_association,
None, [self.tm.create_topic()])
def test_association_creation_illegal_null_collection_scope (self):
# This test is not applicable in this implementation.
pass
def test_association_creation_illegal_null_array_scope (self):
# This test is not applicable in this implementation.
pass
def test_get_from_topic_creation_subject_identifier (self):
"""Verify that create_topic_by_subject_indicator returns
existing topic where that topic has an item identifier
matching the subject identifier."""
locator = self.create_locator('http://www.example.org/')
self.assertEqual(0, self.tm.get_topics().count())
topic = self.tm.create_topic_by_item_identifier(locator)
self.assertEqual(1, self.tm.get_topics().count())
self.assertTrue(topic in self.tm.get_topics())
self.assertEqual(0, topic.get_subject_identifiers().count())
self.assertEqual(1, topic.get_item_identifiers().count())
self.assertEqual(0, topic.get_subject_locators().count())
t = self.tm.create_topic_by_subject_identifier(locator)
self.assertEqual(1, self.tm.get_topics().count())
self.assertEqual(1, topic.get_subject_identifiers().count())
<|code_end|>
, determine the next line of code. You have imports:
from tmapi.exceptions import ModelConstraintException, \
UnsupportedOperationException
from tmapi_test_case import TMAPITestCase
and context (class names, function names, or code) available:
# Path: tmapi/exceptions.py
# class ModelConstraintException (TMAPIRuntimeException):
#
# """This exception is used to report Topic Maps - Data Model
# constraint violations."""
#
# def __init__ (self, reporter, message):
# """Creates a new ModelConstraintException with the specified
# message.
#
# :param reporter: the construct which has thrown this exception
# :type reporter: `Construct`
# :param message: the detail message
# :type message: string
#
# """
# self._reporter = reporter
# self._message = message
#
# def get_reporter (self):
# """Return the `Construct` which has thrown the exception.
#
# :rtype: `Construct`
#
# """
# return self._reporter
#
# class UnsupportedOperationException (Exception):
#
# """Exception to match Java's exception of the same name."""
#
# pass
. Output only the next line. | self.assertEqual(1, topic.get_item_identifiers().count()) |
Given the following code snippet before the placeholder: <|code_start|> self.assertTrue(association in self.tm.get_associations())
self.assertEqual(0, association.get_roles().count())
self.assertEqual(type_topic, association.get_type())
self.assertEqual(2, association.get_scope().count())
self.assertTrue(theme in association.get_scope())
self.assertTrue(theme2 in association.get_scope())
def test_association_creation_illegal_type (self):
self.assertRaises(ModelConstraintException,
self.tm.create_association, None)
def test_association_creation_illegal_type_scope (self):
self.assertRaises(ModelConstraintException, self.tm.create_association,
None, [self.tm.create_topic()])
def test_association_creation_illegal_null_collection_scope (self):
# This test is not applicable in this implementation.
pass
def test_association_creation_illegal_null_array_scope (self):
# This test is not applicable in this implementation.
pass
def test_get_from_topic_creation_subject_identifier (self):
"""Verify that create_topic_by_subject_indicator returns
existing topic where that topic has an item identifier
matching the subject identifier."""
locator = self.create_locator('http://www.example.org/')
self.assertEqual(0, self.tm.get_topics().count())
topic = self.tm.create_topic_by_item_identifier(locator)
<|code_end|>
, predict the next line using imports from the current file:
from tmapi.exceptions import ModelConstraintException, \
UnsupportedOperationException
from tmapi_test_case import TMAPITestCase
and context including class names, function names, and sometimes code from other files:
# Path: tmapi/exceptions.py
# class ModelConstraintException (TMAPIRuntimeException):
#
# """This exception is used to report Topic Maps - Data Model
# constraint violations."""
#
# def __init__ (self, reporter, message):
# """Creates a new ModelConstraintException with the specified
# message.
#
# :param reporter: the construct which has thrown this exception
# :type reporter: `Construct`
# :param message: the detail message
# :type message: string
#
# """
# self._reporter = reporter
# self._message = message
#
# def get_reporter (self):
# """Return the `Construct` which has thrown the exception.
#
# :rtype: `Construct`
#
# """
# return self._reporter
#
# class UnsupportedOperationException (Exception):
#
# """Exception to match Java's exception of the same name."""
#
# pass
. Output only the next line. | self.assertEqual(1, self.tm.get_topics().count()) |
Using the snippet: <|code_start|> self._test_typed(self.create_name())
def test_used_as_name_theme (self):
"""Name theme removable constraint test."""
self._test_scoped(self.create_name())
def test_used_as_name_reifier (self):
"""Name reifier removable constraint test."""
self._test_reifiable(self.create_name())
def test_used_as_variant_theme (self):
"""Variant theme removable constraint test."""
self._test_scoped(self.create_variant())
def test_used_variant_reifier (self):
"""Variant reifier removable constraint test."""
self._test_reifiable(self.create_variant())
def test_used_as_topic_type (self):
"""Tests if the removable constraint is respected if a topic
is used as topic type."""
topic = self.create_topic()
topic2 = self.create_topic()
self.assertEqual(2, self.tm.get_topics().count())
topic2.add_type(topic)
try:
topic.remove()
self.fail('The topic is used as a topic type')
except TopicInUseException, ex:
self.assertEqual(topic, ex.get_reporter())
<|code_end|>
, determine the next line of code. You have imports:
from tmapi.exceptions import TopicInUseException
from tmapi_test_case import TMAPITestCase
and context (class names, function names, or code) available:
# Path: tmapi/exceptions.py
# class TopicInUseException (ModelConstraintException):
#
# """Thrown when an attempt is made to remove a `Topic` which is
# being used as a type, as a reifier, or as a role player in an
# association, or in a scope."""
#
# def __init__ (self, topic, message):
# """Creates a new `TopicInUseException` with the specified message.
#
# :param topic: the topic which is not removable
# :type topic: `Topic`
# :param message: the detail message
# :type message: string
#
# """
# super(TopicInUseException, self).__init__(topic, message)
. Output only the next line. | self.assertEqual(2, self.tm.get_topics().count()) |
Next line prediction: <|code_start|>
class ImplicitDiffTest(test_util.JaxoptTestCase):
def test_root_vjp(self):
X, y = datasets.make_regression(n_samples=10, n_features=3, random_state=0)
optimality_fun = jax.grad(ridge_objective)
lam = 5.0
sol = ridge_solver(None, lam, X, y)
vjp = lambda g: idf.root_vjp(optimality_fun=optimality_fun,
sol=sol,
args=(lam, X, y),
cotangent=g)[0] # vjp w.r.t. lam
I = jnp.eye(len(sol))
J = jax.vmap(vjp)(I)
J_num = test_util.ridge_solver_jac(X, y, lam, eps=1e-4)
self.assertArraysAllClose(J, J_num, atol=5e-2)
def test_root_jvp(self):
X, y = datasets.make_regression(n_samples=10, n_features=3, random_state=0)
optimality_fun = jax.grad(ridge_objective)
lam = 5.0
sol = ridge_solver(None, lam, X, y)
J = idf.root_jvp(optimality_fun=optimality_fun,
sol=sol,
args=(lam, X, y),
tangents=(1.0, jnp.zeros_like(X), jnp.zeros_like(y)))
J_num = test_util.ridge_solver_jac(X, y, lam, eps=1e-4)
self.assertArraysAllClose(J, J_num, atol=5e-2)
<|code_end|>
. Use current file imports:
(import functools
import jax
import jax.numpy as jnp
from absl.testing import absltest
from absl.testing import parameterized
from jaxopt import implicit_diff as idf
from jaxopt._src import test_util
from sklearn import datasets)
and context including class names, function names, or small code snippets from other files:
# Path: jaxopt/implicit_diff.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
. Output only the next line. | def test_custom_root(self): |
Continue the code snippet: <|code_start|> w = cr_solver(None, X=X, lam=lam, y=y)
w_jit = jax.jit(cr_solver)(None, X=X, lam=lam, y=y)
self.assertArraysAllClose(w_ref, w, atol=5e-2)
self.assertArraysAllClose(w_jit, w, atol=5e-2)
def test_custom_root_with_kwargs_grad(self):
X, y = datasets.make_regression(n_samples=10, n_features=3, random_state=0)
lam = 5.0
lam_grad_ref = jax.grad(lambda lam: ridge_solver(None, lam, X, y)[0])(lam)
cr_solver = idf.custom_root(jax.grad(ridge_objective))(ridge_solver_with_kwargs)
grad_fun = jax.grad(lambda lam: cr_solver(None, lam=lam, X=X, y=y)[0])
lam_grad = grad_fun(lam)
lam_grad_jit = jax.jit(grad_fun)(lam)
self.assertArraysAllClose(lam_grad_ref, lam_grad, atol=5e-2)
self.assertArraysAllClose(lam_grad_jit, lam_grad, atol=5e-2)
def test_custom_root_with_kwargs_grad_unordered(self):
X, y = datasets.make_regression(n_samples=10, n_features=3, random_state=0)
lam = 5.0
lam_grad_ref = jax.grad(lambda lam: ridge_solver(None, lam, X, y)[0])(lam)
cr_solver = idf.custom_root(jax.grad(ridge_objective))(ridge_solver_with_kwargs)
grad_fun = jax.grad(lambda lam: cr_solver(None, X=X, lam=lam, y=y)[0])
lam_grad = grad_fun(lam)
lam_grad_jit = jax.jit(grad_fun)(lam)
self.assertArraysAllClose(lam_grad_ref, lam_grad, atol=5e-2)
<|code_end|>
. Use current file imports:
import functools
import jax
import jax.numpy as jnp
from absl.testing import absltest
from absl.testing import parameterized
from jaxopt import implicit_diff as idf
from jaxopt._src import test_util
from sklearn import datasets
and context (classes, functions, or code) from other files:
# Path: jaxopt/implicit_diff.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
. Output only the next line. | self.assertArraysAllClose(lam_grad_jit, lam_grad, atol=5e-2) |
Continue the code snippet: <|code_start|># Copyright 2021 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# https://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
class ImportTest(test_util.JaxoptTestCase):
def test_implicit_diff(self):
jaxopt.implicit_diff.root_vjp
def test_prox(self):
jaxopt.prox.prox_none
def test_projection(self):
jaxopt.projection.projection_simplex
def test_tree_util(self):
<|code_end|>
. Use current file imports:
from absl.testing import absltest
from jaxopt._src import test_util
from jaxopt.implicit_diff import root_vjp
from jaxopt.prox import prox_none
from jaxopt.projection import projection_simplex
from jaxopt.tree_util import tree_vdot
from jaxopt.linear_solve import solve_lu
from jaxopt.base import LinearOperator
from jaxopt.perturbations import make_perturbed_argmax
from jaxopt.loss import binary_logistic_loss
from jaxopt.objective import least_squares
from jaxopt.loop import while_loop
import jaxopt
and context (classes, functions, or code) from other files:
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
. Output only the next line. | def test_linear_solve(self): |
Given snippet: <|code_start|> expected = jnp.sum(self.array_A)
got = tree_util.tree_sum(self.array_A)
self.assertAllClose(expected, got)
expected = (jnp.sum(self.tree_A[0]) + jnp.sum(self.tree_A[1]))
got = tree_util.tree_sum(self.tree_A)
self.assertAllClose(expected, got)
def test_tree_l2_norm(self):
expected = jnp.sqrt(jnp.sum(self.array_A ** 2))
got = tree_util.tree_l2_norm(self.array_A)
self.assertAllClose(expected, got)
expected = jnp.sqrt(jnp.sum(self.tree_A[0] ** 2) +
jnp.sum(self.tree_A[1] ** 2))
got = tree_util.tree_l2_norm(self.tree_A)
self.assertAllClose(expected, got)
def test_tree_zeros_like(self):
tree = tree_util.tree_zeros_like(self.tree_A)
self.assertAllClose(tree_util.tree_l2_norm(tree), 0.0)
def test_tree_where(self):
c = jnp.array([True, False, True, False]), jnp.array([True, False, False, True])
a = jnp.array([1., 2., 3., 4.]), jnp.array([5., 6., 7., 8.])
b = jnp.array(42.), jnp.array(13.)
d = tree_util.tree_where(c, a, b)
self.assertAllClose(d[0], jnp.array([1., 42., 3., 42.]))
self.assertAllClose(d[1], jnp.array([5., 13., 13., 8.]))
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from absl.testing import absltest
from jaxopt import tree_util
from jaxopt._src import test_util
import jax.numpy as jnp
import jax.tree_util as jtu
import numpy as onp
and context:
# Path: jaxopt/tree_util.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
which might include code, classes, or functions. Output only the next line. | c = [jnp.array([True, False, True, False])] |
Here is a snippet: <|code_start|>
expected = (jnp.vdot(self.tree_A[0], self.tree_B[0]) +
jnp.vdot(self.tree_A[1], self.tree_B[1]))
got = tree_util.tree_vdot(self.tree_A, self.tree_B)
self.assertAllClose(expected, got)
def test_tree_div(self):
expected = (self.tree_A[0] / self.tree_B[0], self.tree_A[1] / self.tree_B[1])
got = tree_util.tree_div(self.tree_A, self.tree_B)
self.assertAllClose(expected, got)
got = tree_util.tree_div(self.tree_A_dict, self.tree_B_dict)
expected = (1.0, {'k1': 0.5, 'k2': (0.333333333, 0.25)}, 0.2)
self.assertAllClose(expected, got)
def test_tree_sum(self):
expected = jnp.sum(self.array_A)
got = tree_util.tree_sum(self.array_A)
self.assertAllClose(expected, got)
expected = (jnp.sum(self.tree_A[0]) + jnp.sum(self.tree_A[1]))
got = tree_util.tree_sum(self.tree_A)
self.assertAllClose(expected, got)
def test_tree_l2_norm(self):
expected = jnp.sqrt(jnp.sum(self.array_A ** 2))
got = tree_util.tree_l2_norm(self.array_A)
self.assertAllClose(expected, got)
expected = jnp.sqrt(jnp.sum(self.tree_A[0] ** 2) +
<|code_end|>
. Write the next line using the current file imports:
from absl.testing import absltest
from jaxopt import tree_util
from jaxopt._src import test_util
import jax.numpy as jnp
import jax.tree_util as jtu
import numpy as onp
and context from other files:
# Path: jaxopt/tree_util.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
, which may include functions, classes, or code. Output only the next line. | jnp.sum(self.tree_A[1] ** 2)) |
Next line prediction: <|code_start|>
.. math::
\frac{1}{n} \sum_{i=1}^n \ell(W^\top x_i, y_i) +
0.5 \cdot \text{l2reg} \cdot ||W||_2^2
where :math:`\ell` is :func:`multiclass_logistic_loss
<jaxopt.loss.multiclass_logistic_loss>` and ``X, y = data``.
Args:
W: a matrix of shape ``(n_features, n_classes)``.
data: a tuple ``(X, y)`` where ``X`` is a matrix of shape ``(n_samples,
n_features)`` and ``y`` is a vector of shape ``(n_samples,)``.
Returns:
objective value.
"""
X, y = data
y_pred = jnp.dot(X, W)
return jnp.mean(_logloss_vmap(y, y_pred)) + 0.5 * l2reg * jnp.sum(W ** 2)
def l2_multiclass_logreg_with_intercept(
params: Tuple[jnp.ndarray, jnp.ndarray],
l2reg: float,
data: Tuple[jnp.ndarray, jnp.ndarray]) -> float:
r"""
L2-regularized multiclass logistic regression with intercept.
.. math::
<|code_end|>
. Use current file imports:
(from typing import Tuple
from jaxopt._src import base
from jaxopt._src import loss
import jax
import jax.numpy as jnp)
and context including class names, function names, or small code snippets from other files:
# Path: jaxopt/_src/base.py
# class OptStep(NamedTuple):
# class KKTSolution(NamedTuple):
# class Solver(abc.ABC):
# class IterativeSolver(Solver):
# class StochasticSolver(IterativeSolver):
# class LinearOperator(object):
# class LineSearchStep(NamedTuple):
# class IterativeLineSearch(IterativeSolver):
# def run(self,
# init_params: Any,
# *args,
# **kwargs) -> OptStep:
# def l2_optimality_error(self, params, *args, **kwargs):
# def attribute_names(self):
# def attribute_values(self):
# def _get_loop_options(self):
# def _cond_fun(self, inputs):
# def _body_fun(self, inputs):
# def _make_zero_step(self, init_params, state) -> OptStep:
# def _run(self,
# init_params: Any,
# *args,
# **kwargs) -> OptStep:
# def run(self,
# init_params: Any,
# *args,
# **kwargs) -> OptStep:
# def _where(cond, x, y):
# def run_iterator(self,
# init_params: Any,
# iterator,
# *args,
# **kwargs) -> OptStep:
# def __init__(self, A):
# def shape(self):
# def matvec(self, x):
# def matvec_element(self, x, idx):
# def rmatvec(self, x):
# def rmatvec_element(self, x, idx):
# def update_matvec(self, Ax, delta, idx):
# def update_rmatvec(self, ATx, delta, idx):
# def column_l2_norms(self, squared=False):
# def tree_flatten(self):
# def tree_unflatten(cls, aux_data, children):
# def _make_zero_step(self, init_stepsize, state) -> LineSearchStep:
# def run(self,
# init_stepsize: float,
# params: Any,
# value: Optional[float] = None,
# grad: Optional[Any] = None,
# descent_direction: Optional[Any] = None,
# *args,
# **kwargs) -> LineSearchStep:
#
# Path: jaxopt/_src/loss.py
# def huber_loss(target: float, pred: float, delta: float = 1.0) -> float:
# def binary_logistic_loss(label: int, logit: float) -> float:
# def multiclass_logistic_loss(label: int, logits: jnp.ndarray) -> float:
# def multiclass_sparsemax_loss(label: int, scores: jnp.ndarray) -> float:
. Output only the next line. | \frac{1}{n} \sum_{i=1}^n \ell(W^\top x_i + b, y_i) + |
Given the code snippet: <|code_start|> data: Tuple[jnp.ndarray, jnp.ndarray]) -> float:
r"""
Multiclass logistic regression with intercept.
.. math::
\frac{1}{n} \sum_{i=1}^n \ell(W^\top x_i + b, y_i)
where :math:`\ell` is :func:`multiclass_logistic_loss
<jaxopt.loss.multiclass_logistic_loss>`, ``W, b = params`` and
``X, y = data``.
Args:
params: a tuple ``(W, b)``, where ``W`` is a matrix of shape ``(n_features,
n_classes)`` and ``b`` is a vector of shape ``(n_classes,)``.
data: a tuple ``(X, y)`` where ``X`` is a matrix of shape ``(n_samples,
n_features)`` and ``y`` is a vector of shape ``(n_samples,)``.
Returns:
objective value.
"""
X, y = data
W, b = params
y_pred = jnp.dot(X, W) + b
return jnp.mean(_logloss_vmap(y, y_pred))
def l2_multiclass_logreg(W: jnp.ndarray,
l2reg: float,
data: Tuple[jnp.ndarray, jnp.ndarray]) -> float:
r"""
<|code_end|>
, generate the next line using the imports in this file:
from typing import Tuple
from jaxopt._src import base
from jaxopt._src import loss
import jax
import jax.numpy as jnp
and context (functions, classes, or occasionally code) from other files:
# Path: jaxopt/_src/base.py
# class OptStep(NamedTuple):
# class KKTSolution(NamedTuple):
# class Solver(abc.ABC):
# class IterativeSolver(Solver):
# class StochasticSolver(IterativeSolver):
# class LinearOperator(object):
# class LineSearchStep(NamedTuple):
# class IterativeLineSearch(IterativeSolver):
# def run(self,
# init_params: Any,
# *args,
# **kwargs) -> OptStep:
# def l2_optimality_error(self, params, *args, **kwargs):
# def attribute_names(self):
# def attribute_values(self):
# def _get_loop_options(self):
# def _cond_fun(self, inputs):
# def _body_fun(self, inputs):
# def _make_zero_step(self, init_params, state) -> OptStep:
# def _run(self,
# init_params: Any,
# *args,
# **kwargs) -> OptStep:
# def run(self,
# init_params: Any,
# *args,
# **kwargs) -> OptStep:
# def _where(cond, x, y):
# def run_iterator(self,
# init_params: Any,
# iterator,
# *args,
# **kwargs) -> OptStep:
# def __init__(self, A):
# def shape(self):
# def matvec(self, x):
# def matvec_element(self, x, idx):
# def rmatvec(self, x):
# def rmatvec_element(self, x, idx):
# def update_matvec(self, Ax, delta, idx):
# def update_rmatvec(self, ATx, delta, idx):
# def column_l2_norms(self, squared=False):
# def tree_flatten(self):
# def tree_unflatten(cls, aux_data, children):
# def _make_zero_step(self, init_stepsize, state) -> LineSearchStep:
# def run(self,
# init_stepsize: float,
# params: Any,
# value: Optional[float] = None,
# grad: Optional[Any] = None,
# descent_direction: Optional[Any] = None,
# *args,
# **kwargs) -> LineSearchStep:
#
# Path: jaxopt/_src/loss.py
# def huber_loss(target: float, pred: float, delta: float = 1.0) -> float:
# def binary_logistic_loss(label: int, logit: float) -> float:
# def multiclass_logistic_loss(label: int, logits: jnp.ndarray) -> float:
# def multiclass_sparsemax_loss(label: int, scores: jnp.ndarray) -> float:
. Output only the next line. | L2-regularized multiclass logistic regression. |
Given the code snippet: <|code_start|> got = prox.prox_lasso(x, alpha)
self.assertArraysAllClose(jnp.array(expected), jnp.array(got))
def _prox_enet(self, x, lam, gamma):
return (1.0 / (1.0 + lam * gamma)) * self._prox_l1(x, lam)
def test_prox_elastic_net(self):
rng = onp.random.RandomState(0)
# Check forward pass with array x and scalar alpha.
x = rng.rand(20) * 2 - 1
hyperparams = (0.5, 0.1)
expected = jnp.array([self._prox_enet(x[i], *hyperparams)
for i in range(len(x))])
got = prox.prox_elastic_net(x, hyperparams)
self.assertArraysAllClose(expected, got)
# Check forward pass with array x and array alpha.
hyperparams = (rng.rand(20), rng.rand(20))
expected = jnp.array([self._prox_enet(x[i], hyperparams[0][i],
hyperparams[1][i])
for i in range(len(x))])
got = prox.prox_elastic_net(x, hyperparams)
self.assertArraysAllClose(expected, got)
# Check forward pass with pytree x.
x = (rng.rand(20) * 2 - 1, rng.rand(20) * 2 - 1)
hyperparams = (0.5, 0.1)
expected0 = [self._prox_enet(x[0][i], *hyperparams)
for i in range(len(x[0]))]
<|code_end|>
, generate the next line using the imports in this file:
from absl.testing import absltest
from jaxopt import projection
from jaxopt import prox
from jaxopt._src import test_util
import jax
import jax.numpy as jnp
import numpy as onp
and context (functions, classes, or occasionally code) from other files:
# Path: jaxopt/projection.py
#
# Path: jaxopt/prox.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
. Output only the next line. | expected1 = [self._prox_enet(x[1][i], *hyperparams) |
Predict the next line after this snippet: <|code_start|> if x >= alpha:
return x - alpha
elif x <= -alpha:
return x + alpha
else:
return 0
def test_prox_lasso(self):
rng = onp.random.RandomState(0)
# Check forward pass with array x and scalar alpha.
x = rng.rand(20) * 2 - 1
alpha = 0.5
expected = jnp.array([self._prox_l1(x[i], alpha) for i in range(len(x))])
got = prox.prox_lasso(x, alpha)
self.assertArraysAllClose(expected, got)
# Check computed Jacobian against manual Jacobian.
jac = jax.jacobian(prox.prox_lasso)(x, alpha)
jac_exact = onp.zeros_like(jac)
for i in range(len(x)):
if x[i] >= alpha:
jac_exact[i, i] = 1
elif x[i] <= -alpha:
jac_exact[i, i] = 1
else:
jac_exact[i, i] = 0
self.assertArraysAllClose(jac_exact, jac)
# Check forward pass with array x and array alpha.
<|code_end|>
using the current file's imports:
from absl.testing import absltest
from jaxopt import projection
from jaxopt import prox
from jaxopt._src import test_util
import jax
import jax.numpy as jnp
import numpy as onp
and any relevant context from other files:
# Path: jaxopt/projection.py
#
# Path: jaxopt/prox.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
. Output only the next line. | alpha = rng.rand(20) |
Given the code snippet: <|code_start|> self.assertArraysAllClose(expected, got)
# Check computed Jacobian against manual Jacobian.
jac = jax.jacobian(prox.prox_lasso)(x, alpha)
jac_exact = onp.zeros_like(jac)
for i in range(len(x)):
if x[i] >= alpha:
jac_exact[i, i] = 1
elif x[i] <= -alpha:
jac_exact[i, i] = 1
else:
jac_exact[i, i] = 0
self.assertArraysAllClose(jac_exact, jac)
# Check forward pass with array x and array alpha.
alpha = rng.rand(20)
expected = jnp.array([self._prox_l1(x[i], alpha[i]) for i in range(len(x))])
got = prox.prox_lasso(x, alpha)
self.assertArraysAllClose(expected, got)
# Check forward pass with pytree x and pytree alpha.
x = (rng.rand(20) * 2 - 1, rng.rand(20) * 2 - 1)
alpha = (rng.rand(20), rng.rand(20))
expected0 = [self._prox_l1(x[0][i], alpha[0][i]) for i in range(len(x[0]))]
expected1 = [self._prox_l1(x[1][i], alpha[1][i]) for i in range(len(x[0]))]
expected = (jnp.array(expected0), jnp.array(expected1))
got = prox.prox_lasso(x, alpha)
self.assertArraysAllClose(jnp.array(expected), jnp.array(got))
# Check forward pass with pytree x and tuple-of-scalars alpha.
<|code_end|>
, generate the next line using the imports in this file:
from absl.testing import absltest
from jaxopt import projection
from jaxopt import prox
from jaxopt._src import test_util
import jax
import jax.numpy as jnp
import numpy as onp
and context (functions, classes, or occasionally code) from other files:
# Path: jaxopt/projection.py
#
# Path: jaxopt/prox.py
#
# Path: jaxopt/_src/test_util.py
# def ridge_solver(X, y, lam):
# def ridge_solver_jac(X, y, lam, eps=1e-4):
# def lasso_skl(X, y, lam, tol=1e-5, fit_intercept=False):
# def lasso_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, eps=1e-4):
# def enet_skl(X, y, params_prox, tol=1e-5, fit_intercept=False):
# def enet_skl_jac(X, y, params_prox, tol=1e-5, fit_intercept=False, eps=1e-5):
# def multitask_lasso_skl(X, Y, lam, tol=1e-5):
# def logreg_skl(X, y, lam, tol=1e-5, fit_intercept=False,
# penalty="l2", multiclass=True):
# def _reshape_coef(coef):
# def logreg_skl_jac(X, y, lam, tol=1e-5, fit_intercept=False, penalty="l2",
# multiclass=True, eps=1e-5):
# def multiclass_linear_svm_skl(X, y, lam, tol=1e-5):
# def multiclass_linear_svm_skl_jac(X, y, lam, tol=1e-5, eps=1e-5):
# def lsq_linear_osp(X, y, bounds, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp(X, y, l, tol=1e-10, max_iter=None):
# def lsq_linear_cube_osp_jac(X, y, l, eps=1e-5, tol=1e-10, max_iter=None):
# def check_states_have_same_types(state1, state2):
# def _canonicalize_dtype(x64_enabled, dtype):
# def canonicalize_dtype(dtype):
# def _dtype(x):
# def default_tolerance():
# def tolerance(dtype, tol=None):
# def device_under_test():
# def _assert_numpy_allclose(a, b, atol=None, rtol=None, err_msg=''):
# def is_sequence(x):
# def assertArraysEqual(self, x, y, *, check_dtypes=True, err_msg=''):
# def assertArraysAllClose(self, x, y, *, check_dtypes=True, atol=None,
# rtol=None, err_msg=''):
# def assertDtypesMatch(self, x, y, *, canonicalize_dtypes=True):
# def assertAllClose(self, x, y, *, check_dtypes=True, atol=None, rtol=None,
# canonicalize_dtypes=True, err_msg=''):
# XX = jnp.dot(X.T, X)
# I = jnp.eye(X.shape[1])
# class JaxoptTestCase(parameterized.TestCase):
. Output only the next line. | alpha = (0.5, 0.2) |
Using the snippet: <|code_start|># list see the documentation:
# https://www.sphinx-doc.org/en/master/usage/configuration.html
# -- Path setup --------------------------------------------------------------
# If extensions (or modules to document with autodoc) are in another directory,
# add these directories to sys.path here. If the directory is relative to the
# documentation root, use os.path.abspath to make it absolute, like shown here.
#
sys.path.insert(0, os.path.abspath('..'))
# -- Project information -----------------------------------------------------
project = 'JAXopt'
copyright = '2021, the JAXopt authors'
author = 'JAXopt authors'
# The full version, including alpha/beta/rc tags
release = __version__
# -- General configuration ---------------------------------------------------
# Add any Sphinx extension module names here, as strings. They can be
# extensions coming with Sphinx (named 'sphinx.ext.*') or your custom
# ones.
extensions = [
'sphinx.ext.napoleon', # napoleon on top of autodoc: https://stackoverflow.com/a/66930447 might correct some warnings
<|code_end|>
, determine the next line of code. You have imports:
import os
import sys
from jaxopt.version import __version__
and context (class names, function names, or code) available:
# Path: jaxopt/version.py
. Output only the next line. | 'sphinx.ext.autodoc', |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.