我在创建UpdateView类时遇到问题。在添加imageField之前,我可以在不添加任何表单的情况下执行createView和UpdateView。但现在我有了imageField,这就产生了问题。幸运的是,我可以做createView及其工作正常。
下面是我的CreateView代码

class CreatePostView(FormView):
    form_class = PostForm
    template_name = 'edit_post.html'

    def get_success_url(self):
        return reverse('post-list')
    def form_valid(self, form):
        form.save(commit=True)
        # messages.success(self.request, 'File uploaded!')
        return super(CreatePostView, self).form_valid(form)
    def get_context_data(self, **kwargs):
        context = super(CreatePostView, self).get_context_data(**kwargs)
        context['action'] = reverse('post-new')
        return context

但是,我尝试执行UpdateView(ViewForm)。以下是我的代码:
class UpdatePostView(SingleObjectMixin,FormView):
model = Post
form_class = PostForm
tempate_name = 'edit_post.html'

# fields = ['title', 'description','content','published','upvote','downvote','image','thumbImage']

def get_success_url(self):
    return reverse('post-list')
def form_valid(self, form):
    form.save(commit=True)
    # messages.success(self.request, 'File uploaded!')
    return super(UpdatePostView, self).form_valid(form)

def get_context_data(self, **kwargs):
    context = super(UpdatePostView, self).get_context_data(**kwargs)
    context['action'] = reverse('post-edit',
                                kwargs={'pk': self.get_object().id})
    return context

当我尝试运行updateView时,它会给出以下错误:
AttributeError地址/posts/edit/23/
“UpdatePostView”对象没有“get-object”属性
请求方法:获取请求URL:
http://localhost:8000/posts/edit/23/Django版本:1.8.2异常
类型:AttributeRor异常值:
“UpdatePostView”对象没有“get-object”属性
异常位置:home/PostFunctions/mysite/post/views.py in
获取上下文数据,第72行Python可执行文件/usr/bin/Python Python
版本:2.7.6
以下是我的url.py:
#ex : /posts/edit/3/

url(r'^edit/(?P<pk>\d+)/$', post.views.UpdatePostView.as_view(),
    name='post-edit',),

最佳答案

我有一个用ImageField更新模型的表单。
我确实为我的模型扩展了一个ModelForm(我猜是PostForm)。
但是我的CustomUpdateView扩展了UpdateView,来自django通用视图。

from django.views.generic.edit import UpdateView
from django.shortcuts import get_object_or_404


class CustomUpdateView(UpdateView):
    template_name = 'some_template.html'
    form_class = CustomModelForm
    success_url = '/some/url'

    def get_object(self): #and you have to override a get_object method
        return get_object_or_404(YourModel, id=self.request.GET.get('pk'))

您只需定义一个get_object方法,update视图将用表单中的值更新对象,但它需要获取您要更新的对象。
get_object_or_404()的工作方式类似于模型上的get()函数,因此用字段id的名称替换id。
希望有帮助

10-06 08:42