9. Write your first mutation


In this section, you will write your first mutation to log in to the backend.

A mutation is used to change data on your server. Here the login mutation will create a session based on your email address.

Note: The way you log in to this particular server might differ from the way you log in with your own server. Login is often handled by middleware, or a layer totally separate from GraphQL, like Oauth. Also note that a typical authentication flow should require a password but for this tutorial, anyone is allowed to book flights with a valid email address!

Prototype your mutation in Sandbox Explorer

Open your Sandbox Explorer and click on the plus symbol to add a new tab. Next, click on the Schema icon to get back to looking at your schema, and select "Mutation" to look at your list of mutations:

The list of available mutations

Scroll down to take a look at the login mutation:

The definition of login in the schema

Click the play button to the right to open that mutation in the Explorer tab. When it opens, click the plus sign to add the operation:

The login mutation after initially being added

Notice the red error indication - this is because the type returned by the mutation is User, which is not a leaf type: you need to choose which of the user's fields the mutation will return. For our purposes, we only need the token field, so add it by clicking the plus sign next to it.

You'll also notice that email wasn't automatically added as an argument even though it doesn't seem to have a default value: that's because email is of type String - which remember, in GraphQL, means that it's not required (although obviously you won't get too far without it).

Click the plus sign next to the email argument to have that argument added:

The operation with the email argument

You'll also notice that Sandbox Explorer has added a variable to your "Variables" section to match the login email.

Click the Submit Operation button your mutation. You'll see that since you sent null for the email address, you get back null for the login:

Results of passing a null email

Now, replace null in the Query Variables section with an actual email address:

JSON
(Sandbox
1{ "email": "me@example.com" }

Press the Submit Operation button, and this time you'll get an actual response:

Results of passing an actual email

Next, copy the operation, either manually or using the three-dot menu's "Copy operation" option.

Add the mutation to the project

Now that your mutation is working, add it to your project. Create a file named Login.graphql next to schema.graphqls and your other GraphQL files and paste the contents of the mutation:

GraphQL
app/src/main/graphql/Login.graphql
1mutation Login($email: String!) {
2  login(email: $email) {
3    token
4  }
5}

Note: we've also marked the email variable as non-nullable by adding ! to the end of the type, since we always want to pass a value for it.

Build your project to generate the LoginMutation class.

Connect the Submit button to your mutation

To navigate back to the previous screen after logging-in, add a navigateBack lambda parameter to the Login composable:

Kotlin
app/src/main/java/com/example/rocketreserver/Login.kt
1@Composable
2fun Login(navigateBack: () -> Unit) { // highlight-line

Again, it should be initialized in MainActivity:

Kotlin
app/src/main/java/com/example/rocketreserver/MainActivity.kt
1composable(route = NavigationDestinations.LOGIN) {
2    Login(
3        navigateBack = { // highlight-line
4            navController.popBackStack() // highlight-line
5        } // highlight-line
6    )
7}

Go back to Login.kt and create a function to execute the Login mutation:

Kotlin
app/src/main/java/com/example/rocketreserver/Login.kt
1private suspend fun login(email: String): Boolean {
2    val response = try {
3        apolloClient.mutation(LoginMutation(email = email)).execute()
4    } catch (e: ApolloException) {
5        Log.w("Login", "Failed to login", e)
6        return false
7    }
8    if (response.hasErrors()) {
9        Log.w("Login", "Failed to login: ${response.errors?.get(0)?.message}")
10        return false
11    }
12    val token = response.data?.login?.token
13    if (token == null) {
14        Log.w("Login", "Failed to login: no token returned by the backend")
15        return false
16    }
17    TokenRepository.setToken(token)
18    return true
19}

The possible error cases are handled and a boolean is returned to indicate if the login was successful or not. If it was, the token is saved in the TokenRepository.

Note that the function is marked as suspend and so will need to be called from a coroutine. To do that, declare a scope in Login:

Kotlin
app/src/main/java/com/example/rocketreserver/Login.kt
1// Submit button
2val scope = rememberCoroutineScope()

Then, in the onClick lambda, replace the TODO with a call to login(), and handle the result:

Kotlin
app/src/main/java/com/example/rocketreserver/Login.kt
1Button(
2    modifier = Modifier
3        .padding(top = 32.dp)
4        .fillMaxWidth(),
5    onClick = {
6        scope.launch { // highlight-line
7            val ok = login(email) // highlight-line
8            if (ok) navigateBack() // highlight-line
9        } // highlight-line
10    }
11) {
12    Text(text = "Submit")
13}

To improve the UX, add a loading indicator that will be shown while the login is in progress (let's also disable the button to avoid multiple clicks):

Kotlin
app/src/main/java/com/example/rocketreserver/Login.kt
1// Submit button
2var loading by remember { mutableStateOf(false) } // highlight-line
3val scope = rememberCoroutineScope()
4Button(
5    modifier = Modifier
6        .padding(top = 32.dp)
7        .fillMaxWidth(),
8    enabled = !loading, // highlight-line
9    onClick = {
10        loading = true // highlight-line
11        scope.launch {
12            val ok = login(email)
13            loading = false // highlight-line
14            if (ok) navigateBack()
15        }
16    }
17) {
18    if (loading) { // highlight-line
19        Loading() // highlight-line
20    } else { // highlight-line
21        Text(text = "Submit")
22    }
23}

Test the login

Go to the details screen, click Book and in the Login screen, enter your email and click Submit. You now have a token that allows you to authenticate your operations.

The login screen

In the next section, you will use authenticated operations to book a flight.

Edit on GitHub

Forums