2019-03-29 13:51:40 +03:00
|
|
|
Testing API calls with django
|
|
|
|
=============================
|
|
|
|
|
|
|
|
If you want to unittest your API calls derive your test case from the class `GraphQLTestCase`.
|
|
|
|
|
2020-04-06 11:58:55 +03:00
|
|
|
Your endpoint is set through the `GRAPHQL_URL` attribute on `GraphQLTestCase`. The default endpoint is `GRAPHQL_URL = "/graphql/"`.
|
|
|
|
|
2019-03-29 13:51:40 +03:00
|
|
|
Usage:
|
|
|
|
|
|
|
|
.. code:: python
|
|
|
|
|
|
|
|
import json
|
|
|
|
|
2019-05-09 00:45:28 +03:00
|
|
|
from graphene_django.utils.testing import GraphQLTestCase
|
2019-03-29 13:51:40 +03:00
|
|
|
from my_project.config.schema import schema
|
|
|
|
|
|
|
|
class MyFancyTestCase(GraphQLTestCase):
|
|
|
|
# Here you need to inject your test case's schema
|
|
|
|
GRAPHQL_SCHEMA = schema
|
|
|
|
|
|
|
|
def test_some_query(self):
|
|
|
|
response = self.query(
|
|
|
|
'''
|
|
|
|
query {
|
|
|
|
myModel {
|
|
|
|
id
|
|
|
|
name
|
|
|
|
}
|
|
|
|
}
|
|
|
|
''',
|
|
|
|
op_name='myModel'
|
|
|
|
)
|
|
|
|
|
|
|
|
content = json.loads(response.content)
|
|
|
|
|
|
|
|
# This validates the status code and if you get errors
|
|
|
|
self.assertResponseNoErrors(response)
|
|
|
|
|
|
|
|
# Add some more asserts if you like
|
|
|
|
...
|
|
|
|
|
2019-09-07 21:49:29 +03:00
|
|
|
def test_query_with_variables(self):
|
|
|
|
response = self.query(
|
|
|
|
'''
|
|
|
|
query myModel($id: Int!){
|
|
|
|
myModel(id: $id) {
|
|
|
|
id
|
|
|
|
name
|
|
|
|
}
|
|
|
|
}
|
|
|
|
''',
|
|
|
|
op_name='myModel',
|
|
|
|
variables={'id': 1}
|
|
|
|
)
|
|
|
|
|
|
|
|
content = json.loads(response.content)
|
|
|
|
|
|
|
|
# This validates the status code and if you get errors
|
|
|
|
self.assertResponseNoErrors(response)
|
|
|
|
|
|
|
|
# Add some more asserts if you like
|
|
|
|
...
|
|
|
|
|
2019-03-29 13:51:40 +03:00
|
|
|
def test_some_mutation(self):
|
|
|
|
response = self.query(
|
|
|
|
'''
|
|
|
|
mutation myMutation($input: MyMutationInput!) {
|
|
|
|
myMutation(input: $input) {
|
|
|
|
my-model {
|
|
|
|
id
|
|
|
|
name
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
''',
|
|
|
|
op_name='myMutation',
|
|
|
|
input_data={'my_field': 'foo', 'other_field': 'bar'}
|
|
|
|
)
|
|
|
|
|
|
|
|
# This validates the status code and if you get errors
|
|
|
|
self.assertResponseNoErrors(response)
|
|
|
|
|
|
|
|
# Add some more asserts if you like
|
|
|
|
...
|