2

Given the following code:

open class Foo {
    companion object {
        fun fez() {}
    }
}

class Bar : Foo() {
    companion object {
        fun baz() { fez() }
    }
}
  • baz() can call fez()
  • I can call Foo.fez()
  • I can call Bar.baz()
  • But, I cannot call Bar.fez()

How do I achieve the final behaviour?

Matthew Layton
  • 39,871
  • 52
  • 185
  • 313

1 Answers1

1

A companion object is a static member of its surrounding class:

public class Foo {
   public static final Foo.Companion Companion;

   public static final class Companion {
      public final void fez() {
      }

     //constructors
   }
}

The call to fez() is compiled to :

Foo.Companion.fez();

FYI: The shown Java code shows a representation of the bytecode generated by Kotlin.

As a result, you cannot call Bar.fez() because the Companion object in Bar does not have that method.

s1m0nw1
  • 76,759
  • 17
  • 167
  • 196