4

Here is my MutableStateFlow value I try to work with:

val songList: MutableStateFlow<MutableList<Song>> = MutableStateFlow(arrayListOf())

I need to observe changes (after methods like add, removeAt etc.) on my MutableList above but can't achieve that. My guess is since only the elements of the list change instead of the list itself, collect method doesn't get fired.

How can I achieve that using StateFlow if possible? If not, what is the correct way to do it?

Note that I need initial value of arrayListOf(), so LiveData probably won't be enough for me.

bugra
  • 55
  • 2
  • 4

3 Answers3

2

In your view model:

val songList: MutableStateFlow<MutableList<Song>> = MutableStateFlow(emptyList()) // modified

fun add(song: Song) {
    songList.update {
        songList.value.toMutableList().apply { this.add(song) }
    }
}

in a composable:

val songs = yourViewModel.songList.collectAsStateWithLifecycle()
fr1550n
  • 1,055
  • 12
  • 23
1

Solution:

  1. Create helper extension function:

    fun <T> List<T>.mapButReplace(targetItem: T, newItem: T) = map {
        if (it == targetItem) {
            newItem
        } else {
            it
        }
    }
    
  2. React on action (ex: click event):

     val newStudent = student.copy(isSelected = !student.isSelected)
    
     viewModel.updateStudents(student, newStudent)
    
  3. Handle in ViewModel:

     fun updateStudents(currentStudent: Student, newStudent: Student) {
         val newList = _students.value.mapButReplace(currentStudent, newStudent)
    
         _students.value = newList
     }
    
Sam Chen
  • 7,597
  • 2
  • 40
  • 73
  • Thank you for the answer. So, it turns out for me that there is no direct way when observing list items. – bugra Jan 29 '22 at 19:11
  • @bugra Compose has fixed this problem: https://stackoverflow.com/a/67252955/3466808. – Sam Chen Jan 30 '22 at 16:49
1

For updating the MutableList inside the Stateflow, you have to map the item based on conditions like below, which I have accomplished, and it's performing nicely.

 _userList.value = _userList.value.map {
                if (it?.userName == updatedUser.userName) updatedUser
                else it
            }

Here _userList is a MutableStateFlow @Sam Sen's explanation assisted me a lot with my workaround solution.

aslamhossin
  • 1,217
  • 12
  • 22