Showing posts with label Testing. Show all posts
Showing posts with label Testing. Show all posts

Jetpack Compose Testing in Android with Kotlin

Jetpack Compose revolutionizes UI development in Android by offering a declarative and efficient approach. However, testing these UI components is equally essential to ensure your app's functionality, stability, and responsiveness. This article explores how to test Jetpack Compose UIs in Android using Kotlin, focusing on practical examples and best practices.


Why Test Jetpack Compose UIs?

  • Reliability: Ensures your composables behave as expected in various scenarios.

  • Regression Prevention: Helps detect bugs introduced by new changes.

  • Maintainability: Makes refactoring and adding features safer.

  • User Satisfaction: Validates that UI flows and user interactions work seamlessly.

Jetpack Compose provides robust tools and APIs to test UIs efficiently. Let’s dive into the specifics.


Setting Up Your Compose Testing Environment

To test Jetpack Compose components, you need to include relevant dependencies in your project.

Gradle Dependencies

Add these dependencies to your build.gradle file:

dependencies {
    // Jetpack Compose UI Testing
    androidTestImplementation 'androidx.compose.ui:ui-test-junit4:1.5.0'

    // Compose Tooling for debug builds
    debugImplementation 'androidx.compose.ui:ui-tooling:1.5.0'
    debugImplementation 'androidx.compose.ui:ui-test-manifest:1.5.0'

    // Hilt for Dependency Injection (optional)
    androidTestImplementation 'com.google.dagger:hilt-android-testing:2.44'
    kaptAndroidTest 'com.google.dagger:hilt-android-compiler:2.44'
}

Types of Tests in Jetpack Compose

  1. Unit Tests for ViewModel Logic

    • Test the business logic separately from UI.

  2. UI Tests for Composables

    • Validate the behavior and appearance of Compose components.

  3. Integration Tests

    • Test end-to-end workflows combining UI, ViewModel, and Repository layers.

In this article, we focus on UI and integration tests.


Creating a Composable Component

Here’s a simple composable to display a list of users:

@Composable
fun UserList(users: List<String>, onClick: (String) -> Unit) {
    LazyColumn {
        items(users) { user ->
            Text(
                text = user,
                modifier = Modifier
                    .fillMaxWidth()
                    .clickable { onClick(user) }
                    .padding(16.dp)
            )
        }
    }
}

Preview the Composable

Jetpack Compose tooling allows you to preview the component:

@Preview(showBackground = true)
@Composable
fun PreviewUserList() {
    UserList(users = listOf("Alice", "Bob", "Charlie")) {}
}

Writing UI Tests for Jetpack Compose

1. Testing Static Content

To validate static content in a composable:

Test Code

@RunWith(AndroidJUnit4::class)
class UserListTest {

    @get:Rule
    val composeTestRule = createComposeRule()

    @Test
    fun `displays user names correctly`() {
        val users = listOf("Alice", "Bob", "Charlie")

        composeTestRule.setContent {
            UserList(users = users, onClick = {})
        }

        // Assert that all user names are displayed
        users.forEach { user ->
            composeTestRule.onNodeWithText(user).assertExists()
        }
    }
}

2. Testing User Interactions

To test click events or other interactions:

Test Code

@Test
fun `clicking on a user triggers callback`() {
    val users = listOf("Alice", "Bob")
    var clickedUser = ""

    composeTestRule.setContent {
        UserList(users = users, onClick = { clickedUser = it })
    }

    // Simulate a click on "Alice"
    composeTestRule.onNodeWithText("Alice").performClick()

    // Verify the callback is triggered with the correct user
    assertEquals("Alice", clickedUser)
}

3. Testing Dynamic States

Jetpack Compose components often depend on state. To test dynamic behavior:

Composable with State

@Composable
fun Counter() {
    var count by remember { mutableStateOf(0) }

    Column(horizontalAlignment = Alignment.CenterHorizontally) {
        Text(text = "Count: $count", style = MaterialTheme.typography.h4)
        Button(onClick = { count++ }) {
            Text("Increment")
        }
    }
}

Test Code

@Test
fun `counter increments correctly`() {
    composeTestRule.setContent { Counter() }

    // Verify initial state
    composeTestRule.onNodeWithText("Count: 0").assertExists()

    // Perform click
    composeTestRule.onNodeWithText("Increment").performClick()

    // Verify updated state
    composeTestRule.onNodeWithText("Count: 1").assertExists()
}

Best Practices for Compose Testing

  1. Use Tags for Identifiers

    • Assign unique tags for complex or dynamic components using Modifier.testTag().

    • Example:

      Text(
          text = "Hello",
          modifier = Modifier.testTag("GreetingText")
      )

      In tests:

      composeTestRule.onNodeWithTag("GreetingText").assertExists()
  2. Mock External Dependencies

    • Use libraries like MockK or Mockito to simulate ViewModel or Repository behavior.

  3. Use Idling Resources

    • Ensure asynchronous operations are complete before assertions.

  4. Run Tests on CI/CD Pipelines

    • Automate test execution with Jenkins, GitHub Actions, or Bitrise.

  5. Test Edge Cases

    • Validate empty states, error messages, and extreme inputs.


Sumarry

Jetpack Compose simplifies UI development, and its robust testing tools ensure high-quality apps. By combining static content tests, interaction validations, and state management testing, you can build reliable and maintainable Compose applications. Start incorporating these testing techniques into your workflow to create apps that delight users and withstand changes.

More details: Testing in Jetpack Compose , Test your Compose layout

Thanks for checking out my article!  I’d love to hear your feedback. Was it helpful? Are there any areas I should expand on? Drop a comment below or DM me! Your opinion is important! 👇💬. Happy coding! 💻✨

Robolectric example in Android using kotlin


Robolectric is a unit test framework that de-fangs the Android SDK jar so you can test-drive the development of your Android app. Tests run inside the JVM on your workstation in
seconds. Robolectric help to make more efficient unit test.

Here are example how to test android code using robolectric.

First you have to add dependencies in app.gradle file,just like that as your latest robolectric version

testImplementation "org.robolectric:robolectric:3.3.2"

Now you have to write code in test file in unit testing section not in ui testing,


Then, Now you have add some kotlin code,


In Second kotlin code, which is pass some value from on activity one activity to another activity,




Rest of the layout file as your requirement, but you want to details, please see below git hub link
Run as test runner,

the you have to see, test will be passed.

Download and fork git hub code: https://github.com/dharmakshetri/RoboelectricKotlinExample

#HappyCoding #Kotlin #Robolectric #Android