I have the following code in my HomePageViewModel:
private val _overallStitchCount: MutableStateFlow<Int> = MutableStateFlow(0)
val overallStitchCount: StateFlow<Int> = _overallStitchCount
...
init {
projectRepo = projectRepository
projectRepo.refreshProjectData()
populateValues()
}
fun populateValues() {
_overallStitchCount.value = projectRepo.projectData.value.size
}
fun addProject() {
val projectCount = projectRepo.projectData.value.size
projectRepo.addProject(
project = Project(
uid = projectCount,
projectName = "Example Project $projectCount"
),
callback = { populateValues() }
)
}
As you can see, I'm using overallStitchCount to test what my database contains. Here's what I have in my ProjectRepository class:
private val _projectData: MutableStateFlow<List<Project>> = MutableStateFlow(listOf())
val projectData: StateFlow<List<Project>> = _projectData
...
init {
CoroutineScope(Dispatchers.IO).launch {
val data = getAllProjects()
if(data.isEmpty()) {
Log.i(LOG_TAG, "Generating example project data.")
generateExampleProjectData()
}
else {
_projectData.value = data
}
}
}
...
fun addProject(
project: Project,
callback: (() -> Unit)? = null,
) {
CoroutineScope(Dispatchers.IO).launch {
try {
projectDao.addProject(project)
_projectData.value = getAllProjects()
if(callback != null) callback()
}
catch(e: Exception) {
Log.e(LOG_TAG, "Exception: Could not create project ${project.projectName}. Reason: ${e.message}")
}
}
}
private fun generateExampleProjectData() {
val project = Project(
uid = 0,
projectName = "Example Project"
)
addProject(
project = project,
)
}
fun refreshProjectData(
) {
CoroutineScope(Dispatchers.IO).launch {
val data = getAllProjects()
if(data.size != _projectData.value.size) {
Log.i(LOG_TAG, "Projects has changed, refreshing.")
_projectData.value = getAllProjects()
}
}
}
fun getAllProjects(): MutableList<Project> {
return try {
projectDao.getAll()
} catch(e: Exception) {
Log.e(LOG_TAG, "Exception: ${e.message}")
mutableListOf()
} catch(e: SQLiteException) {
Log.e(LOG_TAG, "Exception: ${e.message}")
mutableListOf()
}
}
Now upon first launch of my app, the stitch count on my UI states 0. When at this point in time it should be saying 3.
However, the moment I tap my Add Project button on my UI, it would then if the database count was 3 would then say 4 which would be correct.
How would I change the code in order to update correctly on initial launch to read the correct count in the database?
I've finally fixed it (I think). I changed the
ProjectRepository
init
method to a fully fledged function instead with a callback like so:I then did the following with my
HomePageViewModel
init
:It's now updating as I expect it to at the launch of my app. along with any further updates I might have.