0

今天我不得不使用一个扩展函数,它有一个接口作为谓词,一个种类Interface.whateverExtensionFunction() 和一个我有一个class ViewModel () :InterfaceInherithingFromAnotherInterface。背后的架构理念是保持我的 viewModel 整洁,并将一些重量级分配给扩展功能。我不明白为什么在我可以调用扩展函数的任何方法中进入我的 ViewModel,FruitColorsInterface.changeColors()如下面的代码中的方法cut()

不明白怎么可能有效地进入扩展函数,我可以调用接口方法

如果一个类实现了一个接口,这是一个实现接口方法的契约,而不是过多传递一个对象接口已经发生在这个扩展类中**

class testInterface(){

    @Test
    fun testInterface(){
AppleTrim().cut()
    }

}

class AppleTrimViewModel : FruitColorsInterface{
    override val red: String
        get() = TODO("not implemented") //To change initializer of created properties use File | Settings | File Templates.
    override val green: String
        get() = TODO("not implemented") //To change initializer of created properties use File | Settings | File Templates.

    override fun mixColors(): String {
        TODO("not implemented") //To change body of created functions use File | Settings | File Templates.
    }

    override fun move3d() {
        TODO("not implemented") //To change body of created functions use File | Settings | File Templates.
    }

    override fun spinFromTop(): Int {
        TODO("not implemented") //To change body of created functions use File | Settings | File Templates.
    }

    fun cut(){

        changeColors()
        //FruitColorsInterface.changeColors()//why this is error?

    }
}

interface FruitColorsInterface {
    val red :String
    val green:String

    fun mixColors(): String
    fun move3d()
    fun spinFromTop() :Int

}

fun FruitColorsInterface.changeColors(){
    println("Ehy")
    mixColors()//WHY IS THAT? 

}

如果我在 Java 中反编译,我会得到一个静态函数,其中传递了一个接口

    public static final void changeColors(@NotNull FruitColorsInterface $this$changeColors) {
          Intrinsics.checkParameterIsNotNull($this$changeColors, "$this$changeColors");
          String var1 = "Ehy";
          System.out.println(var1);
          $this$changeColors.mixColors();
       }
//and
   public final void cut() {
      Test_interfaceKt.changeColors(this);
   }
4

1 回答 1

1

在扩展函数的范围内,您有一个它扩展的类型的实例(在您的示例中它是FruitColorsInterface)可用作this- 隐式接收器。

使用该this实例,您可以调用该类型上可用的其他函数和属性,无论它们是成员还是扩展。

至于为什么只能在扩展函数体中调用mixColors()而不是this.mixColors()在扩展函数体中调用,是因为this隐式可用,与在成员函数体中一样,因此可以省略。

于 2019-11-28T02:12:00.310 回答