-1

我正在为我用 django 编写的项目编写测试用例,它给出了一个意想不到的输出,看起来像{u'message': u'', u'result': {u'username': u'john', u'user_fname': u'', u'user_lname': u'', u'cur_time': 1442808291000.0, u'dofb': None, u'sex': u'M', u'u_email': u'', u'role': u'', u'session_key': u'xxhhxhhhx', u'mobile': None}, u'error': 0} 在这里我们可以看到其他字段是空的,因为我刚刚在测试用例中创建了用户,但没有给出其他信息。数据库是从生产数据库创建的,但未初始化,它保持为空。这就是为什么它让其他字段为空。它正在查询空数据库。

我为登录 REST API编写了以下测试用例。并通过python manage.py test运行它。请告诉我如何解决上述问题。

注意:如果以下方法不正确,那么您可以建议其他方法。

from django.test import TestCase
from django.test.client import Client
from django.contrib.auth.models import User
import json

class TestAPI(TestCase):

      def setUp(self):
            self.c=Client() #Create Client object that simulates request to a url similar to a browser can
            User.objects.create_user(username="john", password="xxx")

      def test_login_api(self):
            credential_test=dict()
            c_test =Client()

            credential_test["username"]="john"
            credential_test["password"]="xxx"
            data=json.dumps(credential_test)
            #print 'data is'
            #print data
            response_test =c_test.put('/api/login', data)
            content_test=json.loads(response_test.content)
            print 'content'
4

2 回答 2

1

两种方法:

  1. 扩展您对 setUp() 的使用以为其他模型创建记录,并在您创建的模型之间建立一组有效的关系。这是通过代码配置的方法。
  2. 使用固定装置预填充您的测试数据库。如果您进行一些研究,您可以了解如何使用现有的有效数据库创建一些固定装置。但是,我建议您清理用于测试的任何生产数据。也就是通过数据配置的方法。
于 2015-09-21T05:17:24.083 回答
1

尝试改变它:

User.objects.create(username="john", password="xxx")

至:

User.objects.create_user(username='john', password='xxx')

方法create_user使用set_password方法。

class UserManager(models.Manager):
    # ...   
    def create_user(self, username, email=None, password=None):
        """
        Creates and saves a User with the given username, email and password.
        """
        now = timezone.now()
        if not username:
            raise ValueError('The given username must be set')
        email = UserManager.normalize_email(email)
        user = self.model(username=username, email=email,
                          is_staff=False, is_active=True, is_superuser=False,
                          last_login=now, date_joined=now)

        user.set_password(password)
        user.save(using=self._db)
        return user
于 2015-09-21T04:04:03.547 回答