Functions and properties can be declared as private
. These are only accessible
by other stuff inside of that class; they are inaccessible anything outside
of that class.
In this case, something()
is private
, so we cannot call it from main()
.
We can call something()
from somethingElse()
, as both of those are functions
on 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
class Foo {
2
private fun something() {
3
println("Hello, world!")
4
}
5
6
fun somethingElse() {
7
something()
8
}
9
}
10
11
fun main() {
12
val foo = Foo()
13
14
foo.somethingElse()
15
}
16