Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using Scala class defined in package object from Java

The following Scala example defines a class inside a package object:

package com.mycompany

package object test {
  class MyTest {
    def foo(): Int = {
      42
    }
  }
}

The following three classes are generated:

com/mycompany/test/package.class
com/mycompany/test/package$.class
com/mycompany/test/package$MyTest.class

The problem arises when trying to use the MyTest class from Java. I think that since package$MyTest contains a $ in the name, Java is not acknowledging its existence. Nevertheless, the package$ class is accessible.

Running javap on package$MyTest.class returns:

Compiled from "Test.scala"
public class com.mycompany.test.package$MyTest {
  public int foo();
  public com.mycompany.test.package$MyTest();
}

I've tried accessing the class using Eclipse, Intellij and Netbeans, without success. Is it possible to use Scala classes defined in package objects from Java?

like image 509
Georgi Khomeriki Avatar asked Apr 19 '14 12:04

Georgi Khomeriki


2 Answers

Defining a class inside the package object test is currently not implemented the same way as defining it inside the package test, although it probably should (this is being tracked as SI-4344).

Because of that, it is usually good practice to place into the package object only definitions that cannot be top level, like vals, defs, etc. (this is the whole point of package objects after all), and leave class/object definitions into a normal package definition:

package com.mycompany

package object test {
  // vals, defs, vars, etc.
  val foobar = 42
}

package test {
  // classes, objects, traits, etc.
  class MyTest {
    def foo(): Int = {
      42
    }
  }
}

This will produce a normal MyTest class, easily accessible from Java:

com/mycompany/test/MyTest.class
com/mycompany/test/package.class
com/mycompany/test/package$.class
like image 195
gourlaysama Avatar answered Sep 21 '22 10:09

gourlaysama


package$MyTest follows JVM convention for nested classes, so it would be visible as package.MyTest... except this isn't a legal name in Java. Which means it can't be accessed.

like image 32
Alexey Romanov Avatar answered Sep 19 '22 10:09

Alexey Romanov