0

我有一个这样的通用视图:

class SaveView(CreateView):

    def get_initial(self):
        # Get the initial dictionary from the superclass method
        initial = super(SaveView, self).get_initial()
        # Copy the dictionary so we don't accidentally change a mutable dict
        initial = initial.copy()
        initial['user'] = self.request.user
        return initial

此视图具有login_required装饰器,因此self.request.user始终有效。

当我使用浏览器访问该页面时,一切正常,但我的测试失败了。我有以下测试设置:

from django.test import TestCase, client

class MyTest(TestCase):
    def setUp(self):
        self.client = client.Client()
    def test1(self):
        self.assertTrue(self.client.login(username='user1',password='password1'))
        data = {'name':'test 1'}
        response = self.client.post('/app/save/', data)
        self.assertEqual(response.status_code, 302)

'/app/save/' 是调用该视图的 url(它在浏览器上完美运行我的模型有 2 个必填字段“名称”和“用户”,所以这应该重定向到创建的对象页面,因为我有通过数据传递名称,用户应该从 get_initial 方法中获取。

事实上,这就是“现实生活”中发生的事情,即浏览器。

我可以使此测试成功通过数据字典中的“用户”的唯一方法。

这是 django.test 模块中的错误还是这是预期的行为,为什么?

提前致谢

4

1 回答 1

1

这是预期的行为。来自初始数据的 Django 文档:

初始参数允许您指定在以未绑定的形式呈现此字段时使用的初始值 Form

当您在测试中发布数据时,您使用的是绑定表单,因此不使用初始数据。表单无效,因为user缺少必填字段,因此返回 200 响应,显示表单错误。这与清除浏览器中的用户字段并提交表单时会发生的情况相同。

您需要将用户包含在您的post数据中,然后,测试将通过。

于 2012-01-27T13:51:46.580 回答