在没有LifecycleOwner的自定义视图中设置LiveData观察器

时间:2018-09-14 15:55:36

标签: android mvvm android-architecture-components android-livedata android-viewmodel

我正在尝试使用新的Android体系结构组件,并且在尝试将MVVM模型用于自定义视图时遇到了障碍。

基本上,我已经创建了一个自定义视图来封装通用UI,并且在整个应用程序中都使用了各自的逻辑。我可以在自定义视图中设置ViewModel,但随后必须使用observeForever()或在自定义视图中手动设置一个LifecycleOwner,如下所示,但似乎都不正确。

选项1)使用observeForever()

活动

class MyActivity : AppCompatActivity() {

    lateinit var myCustomView : CustomView

    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        myCustomView = findViewById(R.id.custom_view)
        myCustomView.onAttach()
    }

    override fun onStop() {
        myCustomView.onDetach()
    }
}

自定义视图

class (context: Context, attrs: AttributeSet) : RelativeLayout(context,attrs){

    private val viewModel = CustomViewModel()

    fun onAttach() {
        viewModel.state.observeForever{ myObserver }
    }

    fun onDetach() {
        viewModel.state.removeObserver{ myObserver }
    }
}

选项2)从“活动”设置lifecycleOwner

活动

class MyActivity : AppCompatActivity() {

    lateinit var myCustomView : CustomView

    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        myCustomView = findViewById(R.id.custom_view)
        myCustomView.setLifeCycleOwner(this)
    }
}

自定义视图

class (context: Context, attrs: AttributeSet) : RelativeLayout(context,attrs){

    private val viewModel = CustomViewModel()

    fun setLifecycleOwner(lifecycleOwner: LifecycleOwner) {
        viewModel.state.observe(lifecycleOwner)
    }
}

我只是滥用模式和组件吗?我觉得应该有一种更干净的方法来将多个子视图中的复杂视图组合在一起,而不用将它们绑定到Activity / Fragment

2 个答案:

答案 0 :(得分:2)

1个选项- 出于良好的意图,您仍然必须做一些手动工作-例如,调用onAttach \ onDetach架构组件的主要目的是防止这样做。

2个选项- 我认为更好,但我想将您的逻辑约束在ViewModelView上是有点错误的。我相信您可以在Activity/Fragment内部执行相同的逻辑,而无需将ViewModel和LifecycleOwner传递给CustomView。单一方法updateData足以满足此目的。

因此,在这种特殊情况下,我会说这是对架构组件的过度使用。

答案 1 :(得分:0)

通过将活动的一些引用传递给视图并调用 onAttach/onDetach 来手动管理视图的生命周期是没有意义的,因为我们已经在创建视图时提供了上下文。

我在 NavigationView 中有一个片段,在视图寻呼机中有其他片段,更像是嵌套片段层次结构。

我在这些顶级片段中有一些自定义视图,当自定义视图直接在顶级片段中时,我可以得到这样的观察者

viewModel.itemLiveData.observe((context as ContextWrapper).baseContext as LifecycleOwner,
   binding.item.text = "some text from view model"         
}

当我将自定义视图作为活动的直接子级时,我将其直接设置为

viewModel.itemLiveData.observe(context as LifecycleOwner,
   binding.item.text = "some text from view model"         
}

在这些活动中,如果我有一个片段并且它有一些自定义视图并且我使用第二种方法,我会得到一个 ClassCastException(),我必须在不同的地方重用这些自定义视图,包括活动和片段(这就是拥有自定义视图的想法)

所以我写了一个扩展函数来设置 LifeCycleOwner

fun Context.getLifecycleOwner(): LifecycleOwner {
    return try {
        this as LifecycleOwner
    } catch (exception: ClassCastException) {
        (this as ContextWrapper).baseContext as LifecycleOwner
    }
}

现在我只是简单地将其设置为

viewModel.itemLiveData.observe(context.getLifecycleOwner(),
   binding.item.text = "some text from view model"         
}