java – android 2方式数据绑定示例不能像描述的那样工作

我读了关于2路
android数据绑定的
this article

我注意到代码有点模糊,并决定实现可行的示例并将其放在github上,因此其他人将更容易深入研究它.但按照本文提供的说明,我无法使其工作.

在我的例子中,我只有切换器和自定义控件的主要活动,也有切换器.因此,当我检查主切换器时,它会正确刷新所有内容并按预期工作,但是当我检查/取消选中内部切换器时,它不会影响主视图模型和活动中的任何内容 – 因此双向绑定无法正常工作.

请帮我找出发生这种情况的原因并解决问题.

代码已修复,现在至少在Android Studio 2.2 beta 1中按预期工作.

Link to the code sample on github

最佳答案 你几乎把所有东西都搞定了.在CustomSwitcher中,内部切换器的值发生更改时没有通知.您必须侦听该更改并调用onValChanged回调.

这是你的代码:

public CustomSwitcher(Context context, AttributeSet attrs) {
    super(context, attrs);
    this.binding = CustomSwitcherBinding.inflate(LayoutInflater.from(context), this, true);
}

public void setVm(boolean vmVal){
    this.vm = vmVal;
    this.binding.setItem(vm);
}

膨胀的绑定不会直接通知自定义切换器,因此您必须侦听事件.然后你必须打电话给听众.您还必须避免无限循环,通过确保您没有设置与已存在的值相同的值来反复通知相同的值.

public CustomSwitcher(Context context, AttributeSet attrs) {
    super(context, attrs);
    this.binding = CustomSwitcherBinding.inflate(LayoutInflater.from(context), this, true);
    this.binding.addOnPropertyChangedCallback(new Observable.OnPropertyChangedCallback() {
        @Override
        public void onPropertyChanged(Observable sender, int propertyId) {
            if (propertyId == BR.item) {
                setVm(binding.getItem());
            }
        }
    });
}

public void setVm(boolean vmVal){
    if (vmVal != this.vm) {
        this.vm = vmVal;
        this.binding.setItem(vm);
        if (this.onValChanged != null) {
            this.onValChanged.onValChanged(this, vmVal);
        }
    }
}
点赞