活动接收意图
class AddNoteActivity : AppCompatActivity() {
private lateinit var addViewModel: NoteViewModel
private lateinit var titleEditText: TextInputEditText
private lateinit var contentEditText: TextInputEditText
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContentView(R.layout.activity_add_note_activty)
setSupportActionBar(toolbar)
addViewModel = ViewModelProviders.of(this).get(NoteViewModel::class.java)
titleEditText = findViewById(R.id.itemTitle)
contentEditText = findViewById(R.id.itemNote)
val extra = intent.extras
if (extra != null) {
val uuid = extra.getLong("UUID")
val note: Notes? = addViewModel.getNote(uuid)
titleEditText.setText(note!!.title)
contentEditText.setText(note.note)
}
}
}
NoteViewModel类
class NoteViewModel(application: Application) : AndroidViewModel(application) {
companion object {
private var note: Notes = Notes(0, "", "test title", "test ontent")
}
fun getNote(uuid: Long?): Notes {
val job = async(CommonPool) {
getNoteAsyncTask(notesDatabase).execute(uuid)
}
runBlocking { job.await() }
return note
}
class getNoteAsyncTask(database: NotesDatabase) : AsyncTask<Long, Unit, Unit>() {
private val db: NotesDatabase = database
override fun doInBackground(vararg params: Long?) {
note = db.notesDataDao().getNote(params[0])
}
}
}
如果我传递一个intent来从数据库中获取一个带有uuid的Note对象并在titleEditText和contentEditText中设置接收到的数据,那么Note中的数据集来自于我们点击RecyclerView中的Note项时调用的先前意图。在第一次单击Note项时,我得到了我设置为“test title”和“test content”的默认值。
前面提到的是大部分时间的行为。有时,titleEditText和contentEditText中的数据集是正确的Note对象。
有人可以告诉我我做错了什么吗?如何更正我的应用行为?
答案 0 :(得分:1)
不幸的是,您使用视图模型向视图提供数据的方式存在很大错误(AddNoteActivity
)。
基本上,您的视图永远不会等待获取数据,因为它始终会收到默认值。发生这种情况是因为AsyncTask
在其自己的线程池上运行,因此协程立即完成并返回默认值。
您应该考虑使用LiveData向视图发布新对象并重构视图模型。
因此,您需要对数据库进行同步查询并观察对注释的更改,而不是为其设置getter。当然,在现实生活中,在用户等待时让不同类型的状态能够显示微调器可能是个好主意。但这是另一个大问题。因此,为了简单起见,请考虑将视图模型更改为:
class NoteViewModel(private val database: NotesDatabase) : ViewModel { // you do not need an application class here
private val _notes = MutableLiveData<Notes>()
val notes: LiveData<Notes> = _notes
fun loadNotes(uuid: Long) {
launch(CommonPool) {
val notes = database.notesDataDao().getNote(uuid)
_notes.setValue(notes)
}
}
}
然后,您可以观察活动中备注字段的更改。
class AddNoteActivity : AppCompatActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
// ...
val noteViewModel = ViewModelProviders.of(this).get(NoteViewModel::class.java)
noteViewModel.notes.observe(this, Observer {
title.text = it.title
content.text = it.note
})
}
}
此外,您需要使用ViewModelProvider.Factory来创建视图模型并正确地将依赖项注入其中。尽量避免在那里设置上下文,因为它使测试更加困难。