Edgar
Edgar

Reputation: 1

how save data to database after fetching data from server using room in kotlin coroutines?

I am developing news app I want to save data to database after fetching data from server using room but I am just confused I have followed tutorial but their logics is different how can I save data properly so that after getting data from server and I can save data to database?

below my SportNewsDatabase.kt

@Database(entities = [Article::class], version = 1, exportSchema = false)
abstract class SportNewsDatabase : RoomDatabase() {

    abstract fun sportNewsDao(): SportNewsDao

    companion object {
        private var instance: SportNewsDatabase? = null
        fun getInstance( context: Context): SportNewsDatabase? {
            if (instance == null) {
                synchronized(SportNewsDatabase::class.java) {
                    instance = Room.databaseBuilder(context.applicationContext, SportNewsDatabase::class.java, "article_database")
                        .fallbackToDestructiveMigration()
                        .build()
                }
            }
            return instance
        }
    }


}

below SportNewsDao.kt

@Dao interface SportNewsDao {

@Query("SELECT * FROM  article")
fun getAllData(): LiveData<List<Article>>

@Insert
 suspend fun addAll(article: List<Article>)


@Update
 suspend fun updateArticle(article: Article)

@Delete
 suspend fun deleteArticle(article: Article)

}

below my repository class
interface NewsRepository {
    // Suspend is used to await the result from Deferred
    suspend fun getNewsList(): UseCaseResult<List<Article>>
     var sportNewsDao: SportNewsDao
}



fun insertArticle(article: List<Article>){
    val insertArticles 
}


@Suppress("UNCHECKED_CAST")
class NewsRepositoryImpl(private val sportsNewsApi: SportNewsInterface) : NewsRepository {
    override suspend fun getNewsList(): UseCaseResult<List<Article>> {

        return try {
            val result = sportsNewsApi.getNewsAsync().body()!!.articles

            UseCaseResult.Success(result)
        } catch (ex: Exception) {
            UseCaseResult.Error(ex)
        }
    }
}

below MainViewModel.kt where I am using Kotlin coroutines

@Suppress("UNCHECKED_CAST")
class MainViewModel(val newsRepository: NewsRepository) : ViewModel(), CoroutineScope {
    // Coroutine's background job
    val job = Job()
    // Define default thread for Coroutine as Main and add job
    override val coroutineContext: CoroutineContext = Dispatchers.Main + job

    val showLoading = MutableLiveData<Boolean>()
    val sportList = MutableLiveData<List<Article>>()
    val showError = SingleLiveEvent<String>()

    fun loadNews() {
        // Show progressBar during the operation on the MAIN (default) thread
        showLoading.value = true
        // launch the Coroutine
        launch {
            // Switching from MAIN to IO thread for API operation
            // Update our data list with the new one from API
            val result = withContext(Dispatchers.IO) {
                newsRepository?.getNewsList()
            }
            // Hide progressBar once the operation is done on the MAIN (default) thread
            showLoading.value = false
            when (result) {

                is UseCaseResult.Success<*> -> {
                    sportList.value = result.data as List<Article>
                }
                is Error -> showError.value = result.message
            }
        }
    }

    override fun onCleared() {
        super.onCleared()
        // Clear our job when the linked activity is destroyed to avoid memory leaks
        job.cancel()
    }
}

Upvotes: 0

Views: 1746

Answers (1)

Magde
Magde

Reputation: 26

@sashabeliy

Hi, i think i have the solution of your problem but i am not a expert in mvvm and coroutine so if someone have a better solution i take it :)

For my app i launch the the download in the main thread and only when i get the response i use Dispatchers.IO for insert in Room the data received.

In ViewModel

fun downLoadPDV(last_update : String) : LiveData<List<PDV>> { return repositoryPDV.downloadPDV(last_update) }

In Repository

fun downloadPDV(last_update : String ): LiveData<List<PDV>> {
    val mutableLiveData: MutableLiveData<List<PDV>> = MutableLiveData()
    val apiService: ApiInterface = RetrofitClient.getRetrofitClient().create(ApiInterface::class.java)

    apiService.CallListPDV(last_update)?.enqueue(object :
        Callback<List<PDV>> {
        override fun onResponse(
            call: Call<List<PDV>>,
            response: Response<List<PDV>>
        ) {
            Log.e(ContentValues.TAG, "Download PDV Success => $response")

            if (response.isSuccessful && response.body() != null) {

                mutableLiveData.setValue(response.body());

                GlobalScope.launch(Dispatchers.IO) {
                    for (pdv in response.body()!!) {
                        insertPDV(pdv)
                    }
                }
            }
        }

        override fun onFailure(call: Call<List<PDV>>, t: Throwable) {
            Log.e(ContentValues.TAG, "[Error] Download PDV Fail --> $call")
        }
    })
    return mutableLiveData
}

I return the Data download for update the UI and inform the user of how many items was downloaded

Upvotes: 1

Related Questions