...

/

CRUD Feature Testing in GraphQL

CRUD Feature Testing in GraphQL

Learn how to test CRUD features in the GraphQL application.

Test for getting all blogs

Below, we create only one test case for getting all blogs.

func TestGetBlogs_Success(t *testing.T) {
// create a test
apitest.New().
// add an application to be tested
Handler(graphQLHandler()).
// send a POST request for getting all blogs
Post("/query").
// define the query for getting all blogs
GraphQLQuery(`query { blogs { title } }`).
// expect the status code is equals to 200
Expect(t).
Status(http.StatusOK).
End()
}
Test for get all blogs

As seen in the code above, the test case for getting all blogs is created. The expected result of this test is the response status code 200.

Test for getting blog by ID feature

We create the following two test cases for the get blog by ID feature:

  • Getting the blog is successful.
  • Getting the blog fails (the blog is not found).

We start by creating the first test case for the get blog by ID feature.

func TestGetBlog_Success(t *testing.T) {
// create a blog data
var blog model.Blog = getBlog()
// create a query for getting a blog by ID
var query string = `query {
blog(id:"` + blog.ID + `") {
title
content
}
}`
// create an expected result body
var result string = `{
"data": {
"blog": {
"title": "` + blog.Title + `",
"content": "` + blog.Content + `"
}
}
}`
// create a test
apitest.New().
// run the cleanup() function after the test is finished
Observe(cleanup).
// add an application to be tested
Handler(graphQLHandler()).
// send a POST request for getting a blog by ID
Post("/query").
// define the query for getting a blog by ID
GraphQLQuery(query).
// expect the status code is equals to 200
Expect(t).
Status(http.StatusOK).
// expect the response body is equal to the expected result
Body(result).
End()
}
Test for get blog by ID

Below is an explanation of the code above:

  • The new blog data is created with the getBlog() function.
  • The GraphQL query for
...