Showing posts with label Kotlin Tutorials. Show all posts
Showing posts with label Kotlin Tutorials. Show all posts

Debounce Operator in Kotlin

When developing Android applications, especially ones that involve user interaction, it’s common to deal with situations where rapid user input or system events trigger multiple updates. This can lead to unnecessary computations, network calls, or UI updates, which affect performance and degrade the user experience.

To handle this issue effectively, Kotlin Flow provides a powerful operator known as debounce. This operator allows you to prevent unnecessary emissions by ensuring that a flow only emits a value if there’s a specified delay without any further emissions. In this article, we’ll explore how the debounce operator works and how to leverage it in Android development using Kotlin Coroutines.


What is the debounce Operator?

The debounce operator ensures that only the last value is emitted after a certain amount of idle time. If a flow emits values continuously within a short period, the operator will delay the emission until the flow has stopped emitting for a predefined duration.

This is particularly useful in scenarios like:

  • Search functionality: When a user types a search query, you want to wait until the user has stopped typing for a certain period before making an API call.
  • Text field input: Preventing multiple rapid updates to the UI or server requests while a user types.
  • Event handling: When multiple events are emitted within a short duration (e.g., button clicks), the debounce operator can limit the number of events handled.

How Does debounce Work?

Let’s break down how the debounce operator works:

  1. Value Emission: The flow emits values over time.
  2. Idle Period: When a new value is emitted, the timer is reset.
  3. Delay Period: The flow will wait for the specified time before emitting the latest value.
  4. Only Last Value: If another value is emitted during the idle period, the previous value will be discarded, and the timer resets.

This ensures that only the last emitted value after a specified delay is considered.


Syntax of debounce

The syntax for using the debounce operator in Kotlin Flow is simple:

flow.debounce(timeoutMillis)
  • timeoutMillis: The time (in milliseconds) to wait for new emissions before emitting the most recent value.

Example: Implementing to Implement in an Android Search Feature

Let’s look at an example of how the debounce operator can be used to implement search functionality in an Android app.

Step 1: Setting Up the Search Flow

Imagine we have a search bar where the user types text, and we want to fetch results from the server after the user stops typing for a brief period. Here’s how you can use debounce in your ViewModel.

ViewModel Code:

class SearchViewModel : ViewModel() {

    private val _searchQuery = MutableStateFlow("")
    val searchResults: StateFlow<List<String>> get() = _searchQuery
        .debounce(500)  // Wait for 500ms of idle time before emitting
        .flatMapLatest { query ->
            // Simulate a network request
            fetchSearchResults(query)
        }
        .stateIn(viewModelScope, SharingStarted.Lazily, emptyList())

    // Simulating a network call or repository interaction
    private fun fetchSearchResults(query: String): Flow<List<String>> = flow {
        // Simulating network delay
        delay(1000)
        // Returning mock data
        emit(listOf("Result 1", "Result 2", "Result 3"))
    }

    fun onSearchQueryChanged(query: String) {
        _searchQuery.value = query
    }
}

Step 2: Observing in the UI (Activity or Fragment)

In the Activity or Fragment, you would collect the searchResults state and update the UI based on the search results.

class SearchFragment : Fragment(R.layout.fragment_search) {

    private val viewModel: SearchViewModel by viewModels()

    override fun onViewCreated(view: View, savedInstanceState: Bundle?) {
        super.onViewCreated(view, savedInstanceState)

        val searchBar = view.findViewById<EditText>(R.id.search_bar)

        // Observe the search results
        lifecycleScope.launchWhenStarted {
            viewModel.searchResults.collect { results ->
                // Update the UI with the results
                updateRecyclerView(results)
            }
        }

        // Handle text input with debounce
        searchBar.addTextChangedListener { text ->
            viewModel.onSearchQueryChanged(text.toString())
        }
    }

    private fun updateRecyclerView(results: List<String>) {
        // Update RecyclerView or UI with search results
        // Adapter setup for displaying the search results
    }
}

In this code:

  1. ViewModel: We use MutableStateFlow to capture the search query input. The debounce(500) ensures that the flow will only emit after 500 milliseconds of no new emissions (i.e., no new characters typed).
  2. Fetching Results: Once the debounce period ends, we use flatMapLatest to fetch the search results from a repository (simulated with a delay).
  3. UI: The Fragment observes the search results and updates the UI with the results from the flow.

Why Use debounce in Android?

  1. Improve Performance: Preventing multiple API calls or data processing tasks that may arise from rapid user input (e.g., search queries, button clicks).
  2. Reduce Redundant Work: If the user changes input quickly, the app will only respond to the final input after the debounce period, reducing unnecessary operations.
  3. Smooth User Experience: It helps create a smoother user experience by avoiding overloading the system with requests or operations on every keystroke or event.

Conclusion

The debounce operator in Kotlin Flow is a powerful tool for managing rapid user input, events, or data emissions in Android development. Introducing a delay between events ensures that your app only responds to the final event after a specified idle period, reducing redundant operations and improving performance.


Bonus Tip: You can also combine debounce with other flow operators, such as distinctUntilChanged, retry, or combine, to further enhance its functionality and effectively handle more complex use cases.


Thanks for reading! I'd love to know what you think about the article. Did it resonate with you?  Any suggestions for improvement? I’m always open to hearing your feedback to improve my posts! ðŸ‘‡. Happy coding! ðŸ’»

Hot Flow vs Cold Flow in Kotlin Coroutines

In Kotlin Coroutines, Flow can be categorized into Cold Flows and Hot Flows based on how they emit values and manage their state.


Cold Flow

  • Definition: A Cold Flow is lazy and starts emitting values only when an active collector exists.
  • Behavior: Every time a new collector subscribes, the flow restarts and produces fresh data.
  • Examples: flow {}, flowOf(), asFlow(), channelFlow {}.

Example of Cold Flow in Jetpack Compose

@Composable
fun ColdFlowExample() {
    val flow = flow {
        for (i in 1..5) {
            delay(1000)
            emit(i)
        }
    }

    val scope = rememberCoroutineScope()
    var text by remember { mutableStateOf("Waiting...") }

    LaunchedEffect(Unit) {
        flow.collect { value ->
            text = "Cold Flow Emitted: $value"
        }
    }

    Text(text = text, fontSize = 20.sp, modifier = Modifier.padding(16.dp))
}

Explanation

  • The flow emits values every second.
  • When LaunchedEffect starts, the collector receives values.
  • Each new collector gets fresh emissions from the beginning.

Hot Flow

  • Definition: A Hot Flow emits values continuously, even without collectors.
  • Behavior: The emission does not restart for every collector.
  • Examples: StateFlow, SharedFlow, MutableStateFlow, MutableSharedFlow.

Example of Hot Flow using StateFlow in Jetpack Compose

class HotFlowViewModel : ViewModel() {
    private val _stateFlow = MutableStateFlow(0) // Initial state
    val stateFlow: StateFlow<Int> = _stateFlow.asStateFlow()

    init {
        viewModelScope.launch {
            while (true) {
                delay(1000)
                _stateFlow.value += 1
            }
        }
    }
}

@Composable
fun HotFlowExample(viewModel: HotFlowViewModel = viewModel()) {
    val count by viewModel.stateFlow.collectAsState()

    Text(text = "Hot Flow Counter: $count", fontSize = 20.sp, modifier = Modifier.padding(16.dp))
}

Explanation

  • MutableStateFlow holds a state that is updated every second.
  • Even if no collectors exist, stateFlow keeps its last emitted value.
  • When collectAsState() is called, it emits the latest value instead of restarting.

Key Differences

Feature Cold Flow Hot Flow
Starts Emitting When collected Immediately (even without collectors)
Replays Values No (new collector starts fresh) Yes (new collector gets the latest value)
Examples flow {}, flowOf(), asFlow() StateFlow, SharedFlow
Use Case Fetching fresh data from API UI State management

Cold vs Hot Flow with SharedFlow

If you want hot flow behavior but also want to replay some past emissions, use SharedFlow.

Example using SharedFlow

class SharedFlowViewModel : ViewModel() {
    private val _sharedFlow = MutableSharedFlow<Int>(replay = 2) // Replays last 2 values
    val sharedFlow: SharedFlow<Int> = _sharedFlow.asSharedFlow()

    init {
        viewModelScope.launch {
            var count = 0
            while (true) {
                delay(1000)
                _sharedFlow.emit(count++)
            }
        }
    }
}

@Composable
fun SharedFlowExample(viewModel: SharedFlowViewModel = viewModel()) {
    val scope = rememberCoroutineScope()
    var text by remember { mutableStateOf("Waiting...") }

    LaunchedEffect(Unit) {
        scope.launch {
            viewModel.sharedFlow.collect { value ->
                text = "Shared Flow Emitted: $value"
            }
        }
    }

    Text(text = text, fontSize = 20.sp, modifier = Modifier.padding(16.dp))
}

Explanation

  • MutableSharedFlow is a hot flow that emits values every second.
  • It replays the last 2 values for new collectors.
  • Unlike StateFlow, it does not hold a default value.

When to Use What?

Use Case Recommended Flow
Fetching fresh API data Cold Flow
UI state that persists across collectors StateFlow
Broadcasting events to multiple collectors SharedFlow

Conclusion

  • Cold Flow is useful when you need fresh emissions per collection (like API calls).
  • Hot Flow (StateFlow, SharedFlow) is useful for UI state management and broadcasting updates.
  • Use StateFlow for single state holder and SharedFlow for event-based broadcasting.

Count Occurrences in List item and String in KOTLIN

 



Here is some way to find out how to count list item from the list, only first char in list and many more;

1. Count first character with start particular char on list 

fun countOccurrencesOnlyFirstCharUsingCount() {
val list = listOf("one", "two", "three", "four", "five", "six",
"seven", "eight", "nine", "ten")
val char = 't'
val count = list.count { it.startsWith(char) }
println("$char => $count")
}

output:

/*
t => 3
*/

2. Count occurrence first all characters on list

fun countOccurrencesFirstCharUsingGroupingBy() {
val list = listOf("one", "two", "three", "four", "five", "six", "seven", "eight", "nine", "ten")
val frequenciesByFirstChar = list.groupingBy { it.first() }.eachCount()
println(frequenciesByFirstChar) // {o=1, t=3, f=2, s=2, e=1, n=1}
}

output:

/*
{o=1, t=3, f=2, s=2, e=1, n=1}
*/


3. Count occurrence of word in list by using groupingBy and eachCount

fun countOccurrencesUsingGroupingBy() {
val list = listOf("usa", "china","japan","usa", "canada","usa","canada", "japan", "india","japan")
println(list.groupingBy { it }.eachCount())

}

output:

/*
{usa=3, china=1, japan=3, canada=2, india=1}
*/

4. Count occurrence of word in list by using  MutableMap and for loop

fun countOccurrencesUsingMutableMap() {
val list = listOf("usa", "china","japan","usa", "canada","usa","canada", "japan", "india","japan")
val countMap : MutableMap<String, Int> = HashMap()
for (item in list){
var count = countMap[item]
if (count == null) count = 0
countMap[item] = count + 1
}
println(countMap)
}

output:

/*
{usa=3, china=1, canada=2, japan=3, india=1}
*/

5. Count occurrence of word in list by using distinctCollections and, frequency

fun countOccurrencesUsingCollection() {
val list:List<String> = listOf("usa", "china","japan","usa", "canada","usa","canada", "japan", "india","japan")
for(i in list.distinct()){
println( "$i => ${Collections.frequency( list, i)}")
}
}

output:

/*
usa => 3
china => 1
japan => 3
canada => 2
india => 1
*/

6. Count occurrence of word in list without (expect) banned word or list   (.filterNotgroupingBy ,  eachCount)

with help fo HashSet.

fun countOccurrencesUsingGroupingByBannedItem() {
val list = listOf("usa", "china","japan","usa", "canada","usa","canada", "japan", "india","japan")

val banned = setOf("china","india")
var bannedSet = banned.toHashSet()

val wordCount = list.filterNot { it in bannedSet }.groupingBy { it } .eachCount()
println(wordCount)
}

output:

/*
{usa=3, japan=3, canada=2}
*/


HAPPY CODING :) 

FizzBuzz solutions in KOTLIN


 

The FizzBuzz problem is a classic test given in coding interviews. The task is simple: Print integers 1 to N, but print “Fizz” if an integer is divisible by 3, “Buzz” if an integer is divisible by 5, and “FizzBuzz” if an integer is divisible by both 3 and 5.

Doing a "3 and 5" test makes the code more readable -- with more duplication:

  if (theNumber is divisible by 3) and (theNumber is divisible by 5) then
	print "FizzBuzz"
  else if (theNumber is divisible by 3) then
	print "Fizz"
  else if (theNumber is divisible by 5) then
	print "Buzz"
  else /* theNumber is not divisible by 3 or 5 */
	print theNumber
  end if


Here is some way of doing fizzbuzz solutions

1. Print FizBuzz using when

//".......Using when......."
fun printFizzBuzzWhen() {
for (i in 1..30) {
val result: String =
when {
i % 15 == 0 -> "FizzBuzz"
i % 3 == 0 -> "Fizz"
i % 5 == 0 -> "Buzz"
else -> "$i"
}
print("$result ")
}
}

output:

1 2 Fizz 4 Buzz Fizz 7 8 Fizz Buzz 11 Fizz 13 14 FizzBuzz 16 17 Fizz 19 Buzz Fizz 22 23 Fizz Buzz 26 Fizz 28 29 FizzBuzz


2. Print on List using map

//".......Using map and print on list......."
fun printFizzBuzzMapOf() {
println((1..30)
.map {
i -> mapOf(0 to i,
i % 3 to "Fizz",
i % 5 to "Buzz",
i % 15 to "FizzBuzz")[0] })
}

output:

[1, 2, Fizz, 4, Buzz, Fizz, 7, 8, Fizz, Buzz, 11, Fizz, 13, 14, FizzBuzz, 16, 17, Fizz, 19, Buzz, Fizz, 22, 23, Fizz, Buzz, 26, Fizz, 28, 29, FizzBuzz]

3. Check number is FIZZ or BUZZ or FIZZBUZZ or not (return number)

/--------find fizz or buzz or fizzbuzz-----------------
fun findFizzBuzzWhen(num: Int): String {
return when {
(num % 3 == 0 && num % 5 == 0) -> "FizzBuzz"
(num % 3 == 0) -> "Fizz"
(num % 5 == 0) -> "Buzz"
else -> "$num"
}
}
println("${findFizzBuzzWhen(15)}");

output: FizzBuzz


Learn more about fizzbuzz sotluion: https://wiki.c2.com/?FizzBuzzTest




Regular Expression Example in KOTLIN - Check EMAIL address and more

 


Represents a compiled regular expression. Provides functions to match strings in text with a pattern, replace the found occurrences and split text around matches.

Here are some examples;


1. Check Email address valid or not (using matches )

println(".....email pattern check....")
val emails = listOf("abc_d@gmail.com", "test!@hotmail.com","abc_d@mailcom",
"343434ffsdkfs#mail", "p6060606@gmail.com","_testmaail$@last.com")

val emailPattern = "[a-zA-Z0-9._-]+@[a-zA-Z0-9-]+\\.[a-zA-Z.]{2,18}".toRegex()

emails.forEach { email ->
if (emailPattern.matches(email)) {
println("$email matches")
} else {
println("$email does not match")
}
}

output:

/* .....email pattern check....
abc_d@gmail.com matches
test!@hotmail.com does not match
abc_d@mailcom does not match
343434ffsdkfs#mail does not match
p6060606@gmail.com matches
_testmaail$@last.com does not match
*/

2.  Find the exact substring(partially word) inside the words in list

 - containsMatchIn

matches

val testWords = listOf("test", "testified", "testing", "techtest",
"exam","labtest", "roadtest", "protest", "tstom", "testimonials")

val pattern = "test".toRegex()

println("*********particular sub string inside the string************")
println("containsMatchIn function")

testWords.forEach{ word ->
if(pattern.containsMatchIn(word)){
println("$word matches")
}else{
println("$word not matches")
}
}



println("********* exact string to another string ************")
println("matches function")

testWords.forEach { word ->
if (pattern.matches(word)) {
println("$word matches")
}else{
println("$word not matches")
}
}

output

/**********particular sub string inside the string************
containsMatchIn function
test matches
testified matches
testing matches
techtest matches
exam not matches
labtest matches
roadtest matches
protest matches
tstom not matches
testimonials matches
********* exact string to another string ************
matches function
test matches
testified not matches
testing not matches
techtest not matches
exam not matches
labtest not matches
roadtest not matches
protest not matches
tstom not matches
testimonials not matches */

3. Find only only from the string or sentence - findAll

findAll
println("....find only numbers.....")
val findNumInText = "Use numerals, however, when the number modifies a unit of measure, time, proportion, etc.: 2 inches, 5-minute delay, 65 mph, 23 years old, page 23, 2 percent. "

val patternN = "\\d+".toRegex()
val founds = patternN.findAll(findNumInText)

founds.forEach { num ->
val foundValue = num.value
println(foundValue)
}

output

/*....find only numbers.....
2
5
65
23
23
2*/

4. Find particular word and its indices in sentence 

println("...Find particular word and its indices in sentence...using\\\\b operator......")
val sent = "But you never know now do you now do you now do you."
val patternIs = "\\byou\\b".toRegex()
val matchesIS = patternIs.findAll(sent)
matchesIS.forEach { word ->
val value = word.value
val index = word.range
println("$value found at indexes: $index")
}

output:

/* ...Find particular word and its indices in sentence...using\\b operator......
you found at indexes: 4..6
you found at indexes: 26..28
you found at indexes: 37..39
you found at indexes: 48..50
*/


If you want know more about regex, please check out this: 

https://kotlinlang.org/api/latest/jvm/stdlib/kotlin.text/-regex/

https://docs.oracle.com/javase/8/docs/api/java/util/regex/Pattern.html