Designing a Vertical Bottom Navigation Bar in Compose Android Kotlin

 In mobile app design, navigation is crucial to providing a smooth and intuitive user experience. One common navigation pattern is the bottom navigation bar, where users can easily switch between different sections of the app. In this article, we'll explore how to design a bottom navigation bar with vertical icons and text using Jetpack Compose for Android.

This design style places the icon at the top with the text below it, stacked vertically. We'll ensure the navigation bar is responsive and the icons and text are spaced evenly across the screen, no matter the device size.

Why Use a Vertical Bottom Navigation Bar?

While traditional bottom navigation bars usually place icons and text horizontally, a vertical layout offers a unique aesthetic and user experience. It can also help make the design look cleaner and more compact, especially for apps with fewer navigation options.

A vertical stack of icons and text ensures clarity, readability, and accessibility. When icons and labels are aligned in a column, they can easily scale and adapt across different screen sizes.

Key Features of Our Design:

  1. Vertical Alignment: The icons are placed above the text, giving a clear, stacked look.
  2. Equal Space Distribution: Each item in the bottom navigation bar will take up equal space, ensuring a balanced layout.
  3. Customizable Icons: We'll use the built-in Material icons provided by Jetpack Compose for a consistent and professional look.

Let's Dive Into the Code

Below is the code to create a vertical bottom navigation bar with equal space distribution for each tab.

Full Code Implementation:

class MainActivity : ComponentActivity() {
    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        enableEdgeToEdge()
        setContent {
            ComposeBottomBarTheme {
                BottomNavBarExample()
            }
        }
    }
}

@OptIn(ExperimentalMaterial3Api::class)
@Composable
fun BottomNavBarExample() {
    var selectedTab by remember { mutableStateOf(0) }
    var title by remember { mutableStateOf("Home") }

    Scaffold(
        topBar = {
            // Using the TopAppBar from Material3
            TopAppBar(
                title = { Text(text = title) },
                colors = TopAppBarDefaults.smallTopAppBarColors(
                    containerColor = Color.White, // Background color of the app bar
                    titleContentColor = Color.Black // Color of the title
                )
            )
        },
        bottomBar = {
            BottomAppBar(
                modifier = Modifier.padding(16.dp),
                containerColor = Color.White
            ) {
                Row(
                    modifier = Modifier.fillMaxWidth(),
                    horizontalArrangement = Arrangement.SpaceAround
                ) {
                    // Home Tab
                    IconButton(
                        onClick = { selectedTab = 0 },
                        modifier = Modifier.weight(1f) // Ensures equal space distribution
                    ) {
                        Column(horizontalAlignment = Alignment.CenterHorizontally) {
                            Icon(
                                imageVector = Icons.Filled.Home,
                                contentDescription = "Home",
                                tint = if (selectedTab == 0) Color.Blue else Color.Gray
                            )
                            Text(
                                text = "Home",
                                color = if (selectedTab == 0) Color.Blue else Color.Gray,
                                style = MaterialTheme.typography.bodySmall
                            )
                        }
                    }

                    // Search Tab
                    IconButton(
                        onClick = { selectedTab = 1 },
                        modifier = Modifier.weight(1f) // Ensures equal space distribution
                    ) {
                        Column(horizontalAlignment = Alignment.CenterHorizontally) {
                            Icon(
                                imageVector = Icons.Filled.Search,
                                contentDescription = "Search",
                                tint = if (selectedTab == 1) Color.Blue else Color.Gray
                            )
                            Text(
                                text = "Search",
                                color = if (selectedTab == 1) Color.Blue else Color.Gray,
                                style = MaterialTheme.typography.bodySmall
                            )
                        }
                    }

                    // Notifications Tab
                    IconButton(
                        onClick = { selectedTab = 2 },
                        modifier = Modifier.weight(1f) // Ensures equal space distribution
                    ) {
                        Column(horizontalAlignment = Alignment.CenterHorizontally) {
                            Icon(
                                imageVector = Icons.Filled.Notifications,
                                contentDescription = "Notifications",
                                tint = if (selectedTab == 2) Color.Blue else Color.Gray
                            )
                            Text(
                                text = "Notifications",
                                color = if (selectedTab == 2) Color.Blue else Color.Gray,
                                style = MaterialTheme.typography.bodySmall
                            )
                        }
                    }

                    // Profile Tab
                    IconButton(
                        onClick = { selectedTab = 3 },
                        modifier = Modifier.weight(1f) // Ensures equal space distribution
                    ) {
                        Column(horizontalAlignment = Alignment.CenterHorizontally) {
                            Icon(
                                imageVector = Icons.Filled.AccountCircle,
                                contentDescription = "Profile",
                                tint = if (selectedTab == 3) Color.Blue else Color.Gray
                            )
                            Text(
                                text = "Profile",
                                color = if (selectedTab == 3) Color.Blue else Color.Gray,
                                style = MaterialTheme.typography.bodySmall
                            )
                        }
                    }
                }
            }
        }
    ) { paddingValues ->
        // Content based on selected tab with the provided padding values
        Column(modifier = Modifier.padding(paddingValues)) {
            when (selectedTab) {
                0 -> {
                    title = "Home"
                    Text("Home Content", modifier = Modifier.padding(16.dp))
                }
                1 -> {
                    title = "Search"
                    Text("Search Content", modifier = Modifier.padding(16.dp))
                }
                2 -> {
                    title = "Notifications"
                    Text("Notifications Content", modifier = Modifier.padding(16.dp))
                }
                3 -> {
                    title = "Profile"
                    Text("Profile Content", modifier = Modifier.padding(16.dp))
                }
            }
        }
    }
}

Benefits of This Approach:

  1. Responsiveness: The layout adjusts to different screen sizes and ensures equal space distribution across the available screen width.
  2. Clear Navigation: The vertical alignment of the icon and text improves readability and makes it easier for users to understand the app's navigation structure.
  3. Customizable: You can replace the icons and texts to match the requirements of your app. The layout will adapt accordingly.

Summary and Output:



By using Jetpack Compose's Column, IconButton, and Row, we can easily create a bottom navigation bar with vertical icons and text, ensuring equal space distribution across the screen. This approach provides flexibility, clear navigation, and responsiveness for your Android apps.

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! 💻✨

Simplify Your Code with Kotlin Data Classes

What is a Data Class in Kotlin?

A data class in Kotlin is a special type of class designed to hold data. Its primary purpose is to eliminate boilerplate code commonly associated with creating classes whose main functionality is to store and retrieve data. By simply adding the data keyword in front of a class declaration, Kotlin automatically provides several utility functions such as equals(), hashCode(), toString(), and copy(), along with support for component functions.

Why is the Data Class Important?

Data classes are important because they:

  1. Reduce Boilerplate Code: Automatically generate methods like equals(), hashCode(), and toString().

  2. Improve Readability: Provide a concise and readable way to declare data-holding classes.

  3. Enhance Immutability: Work seamlessly with immutability when used with val properties.

  4. Simplify Copying: Provide a copy() function to create modified copies of objects without changing the original instance.

Data Class vs Traditional Java Class

In Java, you often need to write extensive boilerplate code to create a class with comparable functionality to Kotlin’s data class. Let’s compare them side by side.

Traditional Java Class

Here is an example of a simple User class in Java:

public class User {
    private String name;
    private int age;

    public User(String name, int age) {
        this.name = name;
        this.age = age;
    }

    // Getters
    public String getName() {
        return name;
    }

    public int getAge() {
        return age;
    }

    // Setters
    public void setName(String name) {
        this.name = name;
    }

    public void setAge(int age) {
        this.age = age;
    }

    // toString method
    @Override
    public String toString() {
        return "User{name='" + name + "', age=" + age + "}";
    }

    // equals and hashCode methods
    @Override
    public boolean equals(Object o) {
        if (this == o) return true;
        if (o == null || getClass() != o.getClass()) return false;
        User user = (User) o;
        return age == user.age && Objects.equals(name, user.name);
    }

    @Override
    public int hashCode() {
        return Objects.hash(name, age);
    }
}

Kotlin Data Class

Here is the same User class implemented as a Kotlin data class:

data class User(val name: String, val age: Int)

Comparison

FeatureJava ClassKotlin Data Class
Boilerplate CodeRequires manual implementationMinimal declaration
toString()Manually implementedAutomatically generated
equals()/hashCode()Manually implementedAutomatically generated
Copying ObjectsManual creationcopy() method
Component FunctionsNot availableAutomatically available (name, age via componentN() functions)

Automatically Generated Functions

When you declare a data class, Kotlin automatically provides:

  1. equals()/hashCode() pair
  2. toString() of the form "User(id=1, name=John, email=john@example.com)"
  3. componentN() functions for destructuring
  4. copy() function for creating modified copies

Example Code in Kotlin

Let’s dive deeper into the functionalities of a data class in Kotlin:

// Defining a data class
data class User(val name: String, val age: Int)

fun main() {
    // Creating an instance of User
    val user1 = User(name = "Alice", age = 25)

    // Using toString()
    println(user1) // Output: User(name=Alice, age=25)

    // Using equals()
    val user2 = User(name = "Alice", age = 25)
    println(user1 == user2) // Output: true

    // Using hashCode()
    println(user1.hashCode()) // Outputs a hash code

    // Copying with modifications
    val user3 = user1.copy(age = 30)
    println(user3) // Output: User(name=Alice, age=30)

    // Destructuring declaration
    val (name, age) = user1
    println("Name: $name, Age: $age") // Output: Name: Alice, Age: 25
}

Additional Features of Data Classes

  1. Destructuring Declarations:

    Data classes automatically generate componentN() functions for each property in the order they are declared, enabling destructuring:

    val user = User("Bob", 29)
    val (name, age) = user
    println("Name: $name, Age: $age")
  2. Immutability: By using val for properties, you can ensure that the data in the object remains unchanged.

  3. Data Classes with Mutable Properties: If you need mutable properties, you can use var instead of val, though this may compromise immutability.

    data class MutableUser(var name: String, var age: Int)

Summary

Kotlin’s data classes provide an elegant and concise way to work with data-centric objects. They drastically reduce boilerplate code, improve readability, and enhance functionality compared to traditional Java classes. By embracing data classes, developers can focus more on the logic and less on mundane code, making Kotlin a preferred language for modern Android and JVM development.

"Was this article useful? Let me know your thoughts! 📣 Any suggestions for improvement? Drop a comment below, and I’ll take your feedback into account for future posts! 😊"

Understanding Hot and Cold Flows in Kotlin Coroutine Flow

 Kotlin's Flow API provides two distinct types of flows: Hot Flow and Cold Flow. Understanding their differences is crucial for efficient data stream handling in Android applications.Understanding these concepts is crucial for efficient data handling and resource management.

Cold Flow

Cold flows are the default type in Kotlin Flow. They start emitting values only when a collector starts collecting.

Key characteristics of Cold Flow:

  • Starts emitting values only when collection begins
  • Creates a new stream for each collector
  • Values are produced on demand
  • Execution is suspended between emissions
fun createColdFlow() = flow { println("Cold flow started") emit(1) delay(500) emit(2) delay(500) emit(3) } // Usage suspend fun testColdFlow() { val coldFlow = createColdFlow() // First collector println("First collector starting") coldFlow.collect { value -> println("First collector: $value") } // Second collector println("Second collector starting") coldFlow.collect { value -> println("Second collector: $value") } }

Output:

First collector starting Cold flow started First collector: 1 First collector: 2 First collector: 3 Second collector starting Cold flow started Second collector: 1 Second collector: 2 Second collector: 3

Hot Flow

Hot flows emit values regardless of collectors. They're implemented using SharedFlow or StateFlow.

Key characteristics of Hot Flow:

  • Emits values regardless of collectors
  • Shares the same stream among multiple collectors
  • Can maintain state (StateFlow)
  • May need proper scope management to avoid memory leaks
fun createHotFlow(): MutableSharedFlow<Int> { val sharedFlow = MutableSharedFlow<Int>() GlobalScope.launch { println("Hot flow started") sharedFlow.emit(1) delay(500) sharedFlow.emit(2) delay(500) sharedFlow.emit(3) } return sharedFlow } // Usage suspend fun testHotFlow() { val hotFlow = createHotFlow() // First collector launch { println("First collector starting") hotFlow.collect { value -> println("First collector: $value") } } delay(250) // Second collector launch { println("Second collector starting") hotFlow.collect { value -> println("Second collector: $value") } } }

Testing Example

class FlowTest { @Test fun testColdFlow() = runBlocking { val coldFlow = flow { emit(1) emit(2) emit(3) } val values = mutableListOf<Int>() coldFlow.collect { values.add(it) } assertEquals(listOf(1, 2, 3), values) } @Test fun testHotFlow() = runBlocking { val hotFlow = MutableSharedFlow<Int>() val values = mutableListOf<Int>() val job = launch { hotFlow.collect { values.add(it) } } hotFlow.emit(1) hotFlow.emit(2) hotFlow.emit(3) delay(100) job.cancel() assertEquals(listOf(1, 2, 3), values) } }

Why Use Different Flow Types?

  1. Cold Flow Use Cases:
    • Network requests
    • Database queries
    • File operations
    • Operations that need fresh data each time
  2. Hot Flow Use Cases:
    • UI state management (StateFlow)
    • Event broadcasting (SharedFlow)
    • Real-time updates
    • Sensor data streaming

Why It's Important

  1. Resource Efficiency
    • Cold Flow: Ideal for expensive operations that shouldn't be duplicated
    • Hot Flow: Perfect for sharing continuous updates across multiple UI components
  2. Use Cases
    • Cold Flow: API calls, database queries, file operations
    • Hot Flow: UI state management, real-time updates, sensor data
  3. Memory Management
    • Cold Flow: Automatically handles cleanup
    • Hot Flow: Requires careful scope management to prevent leaks

Summary

  • Cold flows execute for each collector independently, ensuring fresh data
  • Hot flows share emissions among multiple collectors
  • Cold flows are ideal for one-time operations
  • Hot flows excel in real-time updates and state management
  • Testing requires different approaches for each type
  • Understanding flow types is crucial for efficient resource usage and proper data streaming architecture

Updating UI from Background Threads: Best Practices for Android Kotlin Developers

In modern Android development, performing heavy calculations or long-running tasks on the main thread is a bad practice as it can cause the UI to freeze. Instead, these tasks should be offloaded to worker threads. However, updating the UI based on calculations running in a worker thread can be challenging. In this article, we explore multiple approaches—from traditional techniques to modern Compose-native methods—for updating the UI during such scenarios.



1. Using Handler and Thread (Traditional Approach)

This approach involves creating a worker thread and using a Handler to post updates to the main thread.

Code Example

val handler = Handler(Looper.getMainLooper())
Thread {
    for (i in 1..100) {
        Thread.sleep(50) // Simulate work
        val progress = i
        handler.post {
            // Update UI
            progressText = "Progress: $progress%"
        }
    }
}.start()

Pros:

  • Simple and straightforward.
  • No additional libraries are required.

Cons:

  • Verbose and error-prone.
  • Harder to manage lifecycle events.
  • Not well-suited for Compose.

2. Using AsyncTask (Deprecated)

AsyncTask was previously the go-to solution for background work. It provided methods to communicate results to the main thread.

Code Example

@Deprecated("Deprecated in API level 30")
class MyAsyncTask(private val onProgressUpdate: (String) -&gt; Unit) : AsyncTask&lt;Void, Int, Void&gt;() {
    override fun doInBackground(vararg params: Void?): Void? {
        for (i in 1..100) {
            Thread.sleep(50)
            publishProgress(i)
        }
        return null
    }

    override fun onProgressUpdate(vararg values: Int?) {
        val progress = values[0] ?: 0
        onProgressUpdate("Progress: $progress%")
    }
}

Pros:

  • Built-in methods for updating the UI.

Cons:

  • Deprecated since API 30.
  • Poor lifecycle awareness.

3. Using HandlerThread

HandlerThread allows you to create a background thread with a Looper for posting messages.

Code Example

val handlerThread = HandlerThread("MyWorkerThread").apply { start() }
val handler = Handler(handlerThread.looper)

handler.post {
    for (i in 1..100) {
        Thread.sleep(50)
        val progress = i
        Handler(Looper.getMainLooper()).post {
            progressText = "Progress: $progress%"
        }
    }
}

Pros:

  • Better than plain Handler and Thread.

Cons:

  • Requires manual lifecycle management.
  • Verbose.

4. Using LiveData

LiveData is lifecycle-aware and works well with Compose.

Code Example

val progressLiveData = MutableLiveData&lt;String&gt;()

viewModelScope.launch(Dispatchers.IO) {
    for (i in 1..100) {
        delay(50) // Simulate work
        progressLiveData.postValue("Progress: $i%")
    }
}

progressLiveData.observe(lifecycleOwner) { progress ->
    progressText = progress
}

Pros:

  • Lifecycle-aware.
  • Easy to integrate with Compose using observeAsState.

Cons:

  • Requires additional boilerplate in Compose.

5. Using StateFlow and CoroutineScope (Recommended Modern Approach)

StateFlow is a Compose-friendly and lifecycle-aware solution.

Code Example

val progressFlow = MutableStateFlow("Progress: 0%")

viewModelScope.launch(Dispatchers.IO) {
    for (i in 1..100) {
        delay(50) // Simulate work
        progressFlow.value = "Progress: $i%"
    }
}

@Composable
fun ProgressUI(progressFlow: StateFlow<String>) {
    val progress by progressFlow.collectAsState()
    Text(text = progress)
}

Pros:

  • Compose-friendly.
  • Lifecycle-aware.
  • Cleaner integration with UI.

Cons:

  • Requires familiarity with StateFlow and Coroutines.

6. Using Worker and WorkManager

If the task is suitable for background work that requires persistence, you can use WorkManager.

Code Example

class MyWorker(context: Context, params: WorkerParameters) : Worker(context, params) {
    override fun doWork(): Result {
        for (i in 1..100) {
            Thread.sleep(50)
            setProgressAsync(workDataOf("PROGRESS" to i))
        }
        return Result.success()
    }
}

@Composable
fun ProgressUI(workInfo: WorkInfo) {
    val progress = workInfo.progress.getInt("PROGRESS", 0)
    Text(text = "Progress: $progress%")
}

Pros:

  • Great for persistent background tasks.
  • Lifecycle-aware.

Cons:

  • Overhead for simple tasks.
  • Best suited for persistent tasks.

Which Approach is Best?

For modern Android development with Jetpack Compose, StateFlow with Coroutines is the best option. It is lifecycle-aware, Compose-friendly, and ensures clean code with less boilerplate. LiveData is a close second for projects already using it, but it’s less ideal for new Compose projects. Use WorkManager if persistence and task scheduling are required.

Why StateFlow?

  • Compose Integration: Works seamlessly with collectAsState in Compose.
  • Lifecycle Awareness: Automatically handles lifecycle changes.
  • Scalability: Suitable for simple to complex state management.

Choose the approach that aligns best with your project requirements, but for most Compose-based apps, StateFlow is the way to go!

Thank you for reading my latest article! I would greatly appreciate your feedback to improve my future posts. 💬 Was the information clear and valuable? Are there any areas you think could be improved? Please share your thoughts in the comments or reach out directly. Your insights are highly valued. 👇😊.  Happy coding! 💻✨

Code Challenge: Number of Islands in Kotlin

The Number of Islands problem is a common interview question that involves counting the number of islands in a 2D grid. Each island is made up of connected pieces of land (denoted as '1') surrounded by water (denoted as '0'). The challenge is to count how many separate islands exist in the grid, where an island is formed by horizontally or vertically adjacent lands.



We will discuss multiple ways to solve this problem, explaining their pros and cons. Let's dive into solving this problem using Kotlin.


Problem Definition

Given a 2D binary grid grid, return the number of islands. An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. The grid is surrounded by water on all sides.

Example 1:

Input:

[
  ["1", "1", "1", "1", "0"],
  ["1", "1", "0", "1", "0"],
  ["1", "1", "0", "0", "0"],
  ["0", "0", "0", "0", "0"]
]

Output:

1

Example 2:

Input:

[
  ["1", "1", "0", "0", "0"],
  ["1", "1", "0", "0", "0"],
  ["0", "0", "1", "0", "0"],
  ["0", "0", "0", "1", "1"]
]

Output:

3

Approach 1: Depth-First Search (DFS)

The most intuitive approach is to use Depth-First Search (DFS). We start from each land cell ('1'), mark it as visited (or change it to water '0'), and recursively check its adjacent cells (up, down, left, right). Every time we find an unvisited land cell, we count it as a new island.

Algorithm:

  1. Traverse the grid.
  2. If we find a '1', increment the island count and use DFS to mark the entire island as visited.
  3. For each DFS, recursively mark the neighboring land cells.

Kotlin Implementation:

fun numIslands(grid: Array<CharArray>): Int {
    if (grid.isEmpty()) return 0
    var count = 0

    // Define DFS function
    fun dfs(grid: Array<CharArray>, i: Int, j: Int) {
        // Return if out of bounds or at water
        if (i < 0 || i >= grid.size || j < 0 || j >= grid[0].size || grid[i][j] == '0') return
        // Mark the land as visited
        grid[i][j] = '0'
        // Visit all 4 adjacent cells
        dfs(grid, i + 1, j) // down
        dfs(grid, i - 1, j) // up
        dfs(grid, i, j + 1) // right
        dfs(grid, i, j - 1) // left
    }

    // Iterate over the grid
    for (i in grid.indices) {
        for (j in grid[i].indices) {
            if (grid[i][j] == '1') {
                // Found a new island
                count++
                dfs(grid, i, j)
            }
        }
    }
    return count
}

Time Complexity:

  • O(m * n), where m is the number of rows and n is the number of columns. Each cell is visited once.

Space Complexity:

  • O(m * n) in the worst case (if the entire grid is land), as we may need to store all cells in the call stack due to recursion.

Approach 2: Breadth-First Search (BFS)

We can also use Breadth-First Search (BFS). Instead of using recursion like in DFS, we use a queue to explore all adjacent cells iteratively. The process is similar, but the main difference lies in the order of exploration.

Algorithm:

  1. Start from an unvisited land cell ('1').
  2. Use a queue to explore all adjacent land cells and mark them as visited.
  3. Each BFS initiation represents a new island.

Kotlin Implementation:

fun numIslands(grid: Array<CharArray>): Int {
    if (grid.isEmpty()) return 0
    var count = 0
    val directions = arrayOf(intArrayOf(0, 1), intArrayOf(1, 0), intArrayOf(0, -1), intArrayOf(-1, 0))

    fun bfs(i: Int, j: Int) {
        val queue: LinkedList<Pair<Int, Int>>= LinkedList()
        queue.offer(Pair(i, j))
        grid[i][j] = '0' // Mark the starting cell as visited

        while (queue.isNotEmpty()) {
            val (x, y) = queue.poll()
            for (dir in directions) {
                val newX = x + dir[0]
                val newY = y + dir[1]
                if (newX in grid.indices && newY in grid[0].indices && grid[newX][newY] == '1') {
                    grid[newX][newY] = '0' // Mark as visited
                    queue.offer(Pair(newX, newY))
                }
            }
        }
    }

    for (i in grid.indices) {
        for (j in grid[i].indices) {
            if (grid[i][j] == '1') {
                count++
                bfs(i, j)
            }
        }
    }
    return count
}

Time Complexity:

  • O(m * n), where m is the number of rows and n is the number of columns. Each cell is visited once.

Space Complexity:

  • O(m * n), which is required for the queue in the worst case.

Approach 3: Union-Find (Disjoint Set)

The Union-Find (or Disjoint Set) approach is another efficient way to solve this problem. The idea is to treat each land cell as an individual component and then union adjacent land cells. Once all unions are complete, the number of islands is simply the number of disjoint sets.

Algorithm:

  1. Initialize each land cell as a separate island.
  2. For each neighboring land cell, perform a union operation.
  3. The number of islands will be the number of disjoint sets.

Kotlin Implementation:

class UnionFind(private val m: Int, private val n: Int) {
    private val parent = IntArray(m * n) { it }

    fun find(x: Int): Int {
        if (parent[x] != x) parent[x] = find(parent[x]) // Path compression
        return parent[x]
    }

    fun union(x: Int, y: Int) {
        val rootX = find(x)
        val rootY = find(y)
        if (rootX != rootY) parent[rootX] = rootY
    }

    fun getCount(): Int {
        return parent.count { it == it }
    }
}

fun numIslands(grid: Array<CharArray>): Int {
    if (grid.isEmpty()) return 0
    val m = grid.size
    val n = grid[0].size
    val uf = UnionFind(m, n)

    for (i in grid.indices) {
        for (j in grid[i].indices) {
            if (grid[i][j] == '1') {
                val index = i * n + j
                // Try to union with adjacent cells
                if (i + 1 &lt; m &amp;&amp; grid[i + 1][j] == '1') uf.union(index, (i + 1) * n + j)
                if (j + 1 &lt; n &amp;&amp; grid[i][j + 1] == '1') uf.union(index, i * n + (j + 1))
            }
        }
    }
    val islands = mutableSetOf&lt;Int&gt;()
    for (i in grid.indices) {
        for (j in grid[i].indices) {
            if (grid[i][j] == '1') {
                islands.add(uf.find(i * n + j))
            }
        }
    }
    return islands.size
}

Time Complexity:

  • O(m * n), as we perform a union operation for each adjacent land cell.

Space Complexity:

  • O(m * n) for the union-find parent array.

Calling in main():

fun main() {
    val grid1 = arrayOf(
        charArrayOf('1', '1', '1', '1', '0'),
        charArrayOf('1', '1', '0', '1', '0'),
        charArrayOf('1', '1', '0', '0', '0'),
        charArrayOf('0', '0', '0', '0', '0')
    )
    println("Number of Islands : ${numIslands(grid1)}")  // Output: 1
    
    val grid2 = arrayOf(
        charArrayOf('1', '1', '0', '0', '0'),
        charArrayOf('1', '1', '0', '0', '0'),
        charArrayOf('0', '0', '1', '0', '0'),
        charArrayOf('0', '0', '0', '1', '1')
    )
    println("Number of Islands : ${numIslands(grid2)}")  // Output: 3
}



Which Solution is Best?

  1. DFS/BFS (Approaches 1 & 2): These are the simplest and most intuitive solutions. Both have a time complexity of O(m * n), which is optimal for this problem. DFS uses recursion, which might run into issues with large grids due to stack overflow, but BFS avoids this problem by using an iterative approach. If you want simplicity and reliability, BFS is preferred.

  2. Union-Find (Approach 3): This approach is more advanced and has a similar time complexity of O(m * n). However, it can be more difficult to understand and implement. It also performs well with path compression and union by rank, but for this problem, the DFS/BFS approach is usually sufficient and easier to implement.

Conclusion

For this problem, BFS is the recommended solution due to its iterative nature, which avoids recursion issues with large grids, while still being efficient and easy to understand.


Full Problem description in LeetCode


Thank you for reading my latest article! I would greatly appreciate your feedback to improve my future posts. 💬 Was the information clear and valuable? Are there any areas you think could be improved? Please share your thoughts in the comments or reach out directly. Your insights are highly valued. 👇😊.  Happy coding! 💻✨