Scala String vs java.lang.String – type inference

This is a very good question! First, let me assure you that you can safely specify the return type.

Now, let’s look into it… yes, when left to inference, Scala infers java.lang.String, instead of just String. So, if you look up “String” in the ScalaDoc, you won’t find anything, which seems to indicate it is not a Scala class either. Well, it has to come from someplace, though.

Let’s consider what Scala imports by default. You can find it by yourself on the REPL:

scala> :imports
 1) import java.lang._             (155 types, 160 terms)
 2) import scala._                 (801 types, 809 terms)
 3) import scala.Predef._          (16 types, 167 terms, 96 are implicit)

The first two are packages — and, indeed, String can be found on java.lang! Is that it, then? Let’s check by instantiating something else from that package:

scala> val s: StringBuffer = new StringBuffer
s: java.lang.StringBuffer =

scala> val s: String = new String
s: String = ""

So, that doesn’t seem to be it. Now, it can’t be inside the scala package, or it would have been found when looking up on the ScalaDoc. So let’s look inside scala.Predef, and there it is!

type String = String

That means String is an alias for java.lang.String (which was imported previously). That looks like a cyclic reference though, but if you check the source, you’ll see it is defined with the full path:

type String        = java.lang.String

Next, you might want to ask why? Well, I don’t have any idea, but I suspect it is to make such an important class a little less dependent on the JVM.

Leave a Comment