How Does "20 Seconds" Work in Scala?

This short article will show you how apparently magical constructs like 20.seconds works in Scala, although the Int type doesn't have such methods natively.

This article will make more sense if you know the basics of implicits, but then again, if you do know how implicits work, there's only one step to understanding how these seemingly magical methods work, so I'll cover everything you need to know.

You can read this article over at Rock the JVM or watch it on YouTube or in the video below: 


1. The "Problem"

The question we're addressing here is the following: the Int type has a very small set of methods and certainly the seconds method isn't one of them:
Scala

However, once we add a special import, it magically works:
Scala

So how does the magical import work?

2. Enriching Types

The answer is not in the import itself, but in what's imported — the types and values that are imported might as well be in scope, and methods like .seconds would work just as fine. It's their structure that provides the magic. To understand how they work, we need to go back to implicits.

I'm not going to talk about all the functionality that the implicit keyword does in Scala — we'll probably do that in another article — but we are going to focus on one kind of implicits: implicit classes. Implicit classes are one-argument wrappers, i.e. a class with one constructor argument, with regular methods, fields, etc, except that they have the implicit keyword in their declaration:
Scala

If we removed the implicit keyword there, this would be a pretty uninteresting class. Adding implicit will add some special powers. We can either say
Scala

or this:
Scala

This works although the fullStop method doesn't exist for the String class. Normally, the code would not compile, but the compiler will add an extra step of searching for any implicit wrapping or conversion of a String value that might have the fullStop method, which in our case it does. So in reality, the compiler will rewrite our last call as
Scala

which is what we (explicitly) wrote earlier. This pattern provides what we call extension methods - libraries like Cats use this all the time.

3. Importing

If an implicit class like this is not written in the scope where we use the "magical" method, the code will not compile until we bring that implicit class into scope. This means an import. Usually, libraries (including the standard library) packs implicits into "Ops"-like objects:
Scala

and then later in our code, when we import it, we'll also have access to the extension method:
Scala

The Scala duration package works in the same way: when you import scala.concurrent.duration._ you gain access to extension methods on the Int type that returns instances of Duration:
Scala