将自定义设置器用于惰性委托

时间:2019-01-22 00:57:51

标签: android kotlin android-livedata mutablelivedata

我有很多重复的代码,并且由于我不是Kotlin的新手,所以我想学习并尝试尽可能多地利用它。我有许多惰性声明的MutableLiveData<Int>属性,在代码的某处,我正在检查每个属性,以确保实时数据的值永远不会低于0。我认为使用Kotlin的委托可以工作,但是我觉得我迷路了。

这是我的声明的摘要(默认值为0)。

    private val count: MutableLiveData<Int> by lazy {
        MutableLiveData<Int>().also { it.value = 0 }
    }

这是一些onClickListeners的代码段。

    btn_decrement.setOnClickListener {
        count.value?.run {
            if (this > 0) {
                count.value = this - 1
            }
        }
    }

我想做以下事情:

    private val d4Count: MutableLiveData<Int> by lazy {
        MutableLiveData<Int>().also { it.value = 0 }
    }
    set(value) {
        if (field.value?.toInt() - value < 0) field.value = 0 else field.value -= value
    }

但是Android Studio给我2个错误:

  1. “ val”属性不能有setter。这是有道理的,但是有一种方法可以保持count不变,但是可以将MutableLiveData<Int>的设置方法更改为类似于我的尝试?

  2. 委派的属性不能具有具有非默认实现的访问器。我真的不知道这意味着什么,但是我认为这对我实现自己想要的东西至关重要。

我该怎么做,还是我看错了?有没有更好的方法来做我想做的事?

2 个答案:

答案 0 :(得分:0)

首先,这不是您使用MutableLiveData的方式。您可以使用setValue(在主线程or postValue`(在任何线程上)设置值。

val d4Count = MutableLiveData<Int>()

status.value = 4
status.postValue(4)

如果要更改MutableLiveData的设置器,则可以扩展MutableLiveData(1)或创建设置器方法(2)。

(1)

class CustomIntLiveData: MutableLiveData<Int>() {
    override fun setValue(value: Int?) {
        super.setValue(processValue(value))
    }

    override fun postValue(value: Int?) {
        super.postValue(processValue(value))
    }

    private fun processValue(value: Int?) : Int {
        val currentValue = this.value
        return if (currentValue == null || value == null || currentValue - value < 0) {
            0
        } else {
            currentValue - value
        }
    }
}

(2)

fun setCount(value: Int?) {
    val currentValue = d4Count.value

    if (currentValue == null || value == null || currentValue - value < 0) {
        d4Count.value = 0
    } else {
        d4Count.value = currentValue - value
    }
}
  

委派的属性不能具有具有非默认实现的访问器。我真的不知道这意味着什么,但是我认为这对于我实现自己想要的东西至关重要。

这意味着如果您使用set,则不能使用by

答案 1 :(得分:0)

使用其他属性可以为您提供帮助:

class SomeClass {
    var count = 0
        set(value) { 
            if (field - value < 0) field = 0 else field -= value
            _count.value = field
        }

    private val _count: MutableLiveData<Int> by lazy {
        MutableLiveData<Int>().also { it.value = 0 }
    }
}

// Using additional property
val s = SomeClass()
s.count = 5 // this will set value to `count` and `_count` properties depending on the condition in the setter of `count` property.