Как проверить исключение GraphQLError в graphene_django или graphql_jwt? - PullRequest
0 голосов
/ 11 октября 2019

Я реализую пользовательские типы и аутентификацию в django, используя graphene_django и graphql_jwt. Вот мои два файла: код и соответствующие тесты, расположенные в папке с именем «users», которая является папкой уровня приложения (но не приложением django)

schema.py

import graphene
from graphene_django import DjangoObjectType
from django.contrib.auth import get_user_model

class UserType(DjangoObjectType):
    class Meta:
        model = get_user_model()

class Query(graphene.ObjectType):
    user = graphene.Field(UserType, id=graphene.Int(required=True))
    me = graphene.Field(UserType)

    def resolve_user(self, info, id):
        user = get_user_model().objects.get(id=id)
        return user

    def resolve_me(self, info):
        current_user = info.context.user
        if current_user.is_anonymous:
            raise GraphQLError("Not logged in !")
        return current_user

tests.py

from django.contrib.auth import get_user_model
from graphql import GraphQLError
from graphql.error.located_error import GraphQLLocatedError
from graphql_jwt.testcases import JSONWebTokenTestCase

class TestUserAuthentication(JSONWebTokenTestCase):

    def setUp(self):
        self.user = get_user_model().objects.create(
            username='Moctar', password='moctar')

    # @unittest.skip("Cannot handle raised GraphQLError")
    def test_not_autenticated_me(self):
        query = '''
        {
            me{
                id
                username
                password
            }
        }
        '''
        with self.assertRaises(GraphQLError, msg='Not logged in !'):
            self.client.execute(query)

    def test_autenticated_me(self):
        self.client.authenticate(self.user)
        query = '''
        {
            me{
                id 
                username
                password
            }
        }
        '''
        self.client.execute(query)

Затем, когда я запускаю свои тесты через python manage.py test users, это говорит следующее:

Creating test database for alias 'default'...
System check identified no issues (0 silenced).
..F.
======================================================================
FAIL: test_not_autenticated_me (tests.TestUserAuthentication)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "/home/my_username/my_projects/server/arjangen/app/users/tests.py", line 97, in test_not_autenticated_me
    self.client.execute(query)
AssertionError: GraphQLError not raised : Not logged in !

----------------------------------------------------------------------
Ran 4 tests in 0.531s

FAILED (failures=1)
Destroying test database for alias 'default'...

У меня естьвыполнял поиск в стеке, как этот [Исключение поднято, но не перехвачено assertRaises] [1]

[1]: Исключение возбуждено, но не перехвачено assertRaises , но это все еще не может решить мою проблему. Так как же можно проверить GraphQLError?

1 Ответ

0 голосов
/ 15 октября 2019

Попробуйте удалить эту строку на test_not_autenticated_me():

self.client.authenticate(self.user)

Потому что authenticate() выполняет вход в систему и получает токен JWT. Если вы не авторизуетесь, пользователем по умолчанию будет объект AnonymousUser.

...