Django 'Post' 对象没有属性 '__getitem__'

Django 'Post' object has no attribute '__getitem__'

我想在用户的 post 中附加一个引用的罐子,然后再保存它。

视图如下:

@login_required
def quote_reply(request, quote_id):
    tform = PostForm()
    print 'quote_id is:' + quote_id
    quote = Post.objects.get(pk = quote_id)
    topic_id = quote.topic_id
    topic = Topic.objects.get(id= topic_id)
    print 'quote is' + quote.body

    args = {}
    if request.method == 'POST':
        post = PostForm(request.POST)


        if post.is_valid():
            p = post.save(commit = False)
            p.topic = topic
            p.title = post.cleaned_data['title']
            p.body = post.cleaned_data['body']
            p['body'].append(str(quote))  #problematic line
            p.creator = request.user
            p.user_ip = request.META['REMOTE_ADDR']

            if len(p.title)< 1:
                            p.title=p.body[:60]            
            p.save()

            tid = int(topic_id)
            return HttpResponseRedirect('/forum/topic/%s'  % topic_id)

    else:
        args.update(csrf(request))
        args['form'] = tform
        args['post'] = quote
        args['topic_id'] = topic_id
        return render_to_response('myforum/qoute_reply.html', args, 
                                  context_instance=RequestContext(request))

我试过也试过

p['body'].append(unicode(quote)) 

但给出同样的错误。

感谢您帮助解决此问题。

更新:这是 Post 模型

class Post(models.Model):
    title = models.CharField(max_length=75, null=True, blank=True)
    created = models.DateTimeField(auto_now_add=True)
    creator = models.ForeignKey(User, blank=True, null=True)
    updated = models.DateTimeField(auto_now=True)
    topic = models.ForeignKey(Topic)
    body = models.TextField(max_length=10000)
    user_ip = models.GenericIPAddressField(blank=True, null=True)

    def __unicode__(self):
        return u"%s - %s - %s" % (self.creator, self.topic, self.title)

    def short(self):
        return u"%s - %s\n%s" % (self.creator, self.title, self.created.strftime("%b %d, %I:%M %p"))

    short.allow_tags = True

不知道该怎么做。

这里的主要问题是p是模型实例,不支持dict-style的属性访问语法。要访问 post 属性,请使用标准点语法 p.post.

第二个问题是您不能使用 append 来更改 Unicode 或字符串对象 - 它们是不可变的。相反,您应该创建一个包含您想要的内容的新 Unicode 对象并分配它。例如:

p.post = post.cleaned_data['body'] + unicode(quote)