Functions and properties can be declared as protected
. These are only accessible
by other stuff inside of that class or from subclasses; they are inaccessible anything outside
of that class hierarchy.
In this case, something()
is protected
, so we cannot call it from main()
.
We can call something()
from somethingElse()
, as somethingElse()
is
implemented on a subclass of Foo
. And, since somethingElse()
is public (the default), we can call
somethingElse()
from main()
and therefore indirectly call something()
from
main()
.
You can learn more about this in:
Tags:
xxxxxxxxxx
1
open class Foo {
2
protected fun something() {
3
println("Hello, world!")
4
}
5
}
6
7
class Bar : Foo() {
8
fun somethingElse() {
9
something()
10
}
11
}
12
13
fun main() {
14
val notFoo = Bar()
15
16
notFoo.somethingElse()
17
}
18