在以下情况下更新Django中的查询集?

时间:2013-08-05 05:53:58

标签: django sql-update django-queryset

我想更新Django模型中的数据:

 video_id = request.POST['video_id']
     # Get the form data and update the data

 video = VideoInfoForm(request.POST)

 VideoInfo.objects.filter(id=video_id).update(video)

  return HttpResponseRedirect('/main/')

新数据由用户以表格形式提供。我想用id=video_id更新数据。这给了我以下错误:

update() takes exactly 1 argument (2 given)
Traceback:
File "/usr/local/lib/python2.7/dist-packages/django/core/handlers/base.py" in get_response
  115.                         response = callback(request, *callback_args, **callback_kwargs)
File "/usr/local/lib/python2.7/dist-packages/django/contrib/auth/decorators.py" in _wrapped_view
  25.                 return view_func(request, *args, **kwargs)
File "/usr/local/lib/python2.7/dist-packages/django/views/generic/base.py" in view
  68.             return self.dispatch(request, *args, **kwargs)
File "/usr/local/lib/python2.7/dist-packages/django/views/generic/base.py" in dispatch
  86.         return handler(request, *args, **kwargs)
File "/home/zurelsoft/virtualenv/videoManagement/VideoManagementSystem/video/views.py" in post
  126.          VideoInfo.objects.filter(id=video_id).update(video)

Exception Type: TypeError at /updateVideo/
Exception Value: update() takes exactly 1 argument (2 given)

2 个答案:

答案 0 :(得分:10)

update函数只接受关键字参数,没有泛型参数,这就是您收到update() takes exactly 1 argument (2 given)错误消息的原因。

尝试:

VideoInfo.objects.filter(id=video_id).update(foo=video)

你的模特在哪里:

class Video(models.Model):
    ...

class VideoInfo(models.Model):
    foo = models.ForeignKey(Video)
    ...

请注意,lazy functor在评论中链接的doc会显示update函数的签名。

答案 1 :(得分:3)

当然,您无法将表单实例传递给update(),因为它只需要一个参数。阅读更多here。因此,如果您想更新一个字段:

VideoInfo.objects.filter(id=video_id).update(video_name=request.POST['video_name'])

似乎没有任何官方方法可以在一个位置更新多个字段,但您可以尝试这样做:

data_dict = {'video_name': 'Test name', 'video_description': 'Something'}

VideoInfo.objects.filter(id=video_id).update(**data_dict)

由于request.POST是一个字典,您可以尝试使用它而不是data_dict,但要确保密钥与数据库中的字段名称匹配。

此处讨论了另一种方法:How to update multiple fields of a django model instance?但它看起来有点黑客。