From ES6 to Scala: Advanced
Scala is a feature rich language that is easy to learn but takes time to master. Depending on your programming background, typically you start by writing Scala as you would’ve written the language you know best (JavaScript, Java or C# for example) and gradually learn more and more idiomatic Scala paradigms to use. In this section we cover some of the more useful design patterns and features, to get you started quickly.
Pattern matching
In the Basics part we already saw simple examples of pattern matching as a replacement for JavaScript’s switch
statement. However, it can be used for much more, for example checking the type of input.
ES6
Scala
Pattern matching uses something called partial functions which means it can be used in place of regular functions, for
example in a call to filter
or map
. You can also add a guard clause in the form of an if
, to limit the match. If
you need to match to a variable, use backticks to indicate that.
ES6
Scala
Destructuring
Where pattern matching really shines is at destructuring. This means matching to a more complex pattern and extracting values inside that structure. ES6 also supports destructuring (yay!) in assignments and function parameters, but not in matching.
ES6
Scala
In Scala the destructuring and rebuilding have nice symmetry making it easy to remember how to do it. Use _
to skip
values in destructuring.
In pattern matching the use of destructuring results in clean, simple and understandable code.
ES6
Scala
We could’ve implemented the Scala function using a filter
and foldLeft
, but it is more understandable using
collect
and pattern matching. It would be read
as “Collect every person with a last name equaling family
and extract the age of those persons. Then sum up the ages.”
Another good use case for pattern matching is regular expressions (also in ES6!). Let’s extract a date in different formats.
ES6
Scala
Here we use triple-quoted strings that allow us to write regex without escaping special characters. The string is
converted into a Regex
object with the .r
method. Because regexes extract strings, we need
to convert matched groups to integers ourselves.
Functions revisited
We covered the basic use functions in Part 1, but Scala, being a functional programming language, provides much more when it comes to functions. Let’s explore some of the more advanced features and how they compare to JavaScript.
Higher-order functions
Scala, as JavaScript, allows the definition of higher-order functions. These are functions that take other functions as parameters, or whose result is a function. Higher-order functions should be familiar to JavaScript developers, because they often appear in form of functions that take callbacks as parameters.
Typically higher-order functions are used to pass specific functionality to a general function, like in the case of
Array.prototype.filter
in ES6 or Seq.filter
in Scala. We can use this to build a function to calculate a minimum and
maximum from a sequence of values, using a function to extract the target value.
ES6
Scala
Call-by-Name
In some cases you want to defer the evaluation of a parameter value until when it’s actually used in the function. For this purpose Scala offers call-by-name parameters. This can be useful when dealing with an expensive computation that is only optionally used by the function. In JavaScript the closest thing to this is to wrap a value in an anonymous function with no arguments and pass that as a parameter, but that’s more verbose and error-prone. You need to remember to both wrap the value and call the function.
ES6
Scala
Recursive functions
Recursive functions can be very expressive, but they may also cause spurious stack overflows if the recursion gets too
deep. Scala automatically optimizes recursive functions that are tail recursive, allowing you to use them without
fear of overflowing the stack. To make sure your function is actually tail recursive, use the @tailrec
annotation,
which will cause the Scala compiler to report an error if your function is not tail recursive.
Before ES6, JavaScript did not support tail call optimization, nor optimizing tail recursive functions. If you use a
smart ES6 transpiler, it can actually convert a tail recursive function into a while
loop, but there are no checks
available to help you to verify the validity of tail recursion.
ES6
Scala
Partially applied functions
In Scala you can call a function with only some of its arguments and get back a function taking those missing arguments.
You do this by using _
in place of the actual parameter. In JavaScript you can achieve the same by using the
Function.prototype.bind
function (although it limits you to providing parameters from left to right). For example we
can define a function to create HTML tags by wrapping content within start and end tags.
ES6
Scala
Multiple parameter lists
Scala allows a function to be defined with multiple parameter lists. In Scala this is quite common as it provides some powerful secondary benefits besides the usual currying functionality. JavaScript does not directly support multiple parameter lists in its syntax, but you can emulate it by returning a chain of functions, or by using libraries like lodash that do it for you.
Let’s use currying to define the tag
function from previous example.
ES6
Scala
Multiple parameter lists also helps with type inference, meaning we don’t need to tell the compiler the types
explicitly. For example we can rewrite the minmaxBy
function as curried, which allows us to leave the Person
type
out when calling it, as it is automatically inferred from the first parameter. This is why methods like foldLeft
are
defined with multiple parameter lists.
Scala
Implicits
Being type safe is great in Scala, but sometimes the type system can be a bit prohibitive when you want to do something
else, like add methods to existing classes. To allow you to do this in a type safe manner, Scala provides implicits.
You can think of implicits as something that’s available in the scope when you need it, and the compiler can
automatically provide it. For example we can provide a function to automatically convert a JavaScript Date
into a Scala/Java Date
.
Scala
When these implicit conversion functions are in lexical scope, you can use JS and Scala dates interchangeably. Outside the scope they are not visible and you must use correct types or explicitly convert between each other.
Implicit conversions for “monkey patching”
The monkey patching term became famous among Ruby developers and it has been adopted into JavaScript to describe
a way of extending existing classes with new methods. It has several pitfalls in dynamic languages and is generally
not a recommended practice. Especially dangerous is to patch JavaScript’s host objects like String
or DOM.Node
. This
technique is, however, commonly used to provide support for new JavaScript functionality missing from older JS engines.
The practice is known as polyfilling or shimming.
In Scala providing extension methods via implicits is perfectly safe and even a recommended practice. The Scala
standard library does it all the time. For example did you notice the .r
or .toInt
functions that were used on
strings in the regex example? Both are extension methods coming from implicit classes.
Let’s use the convertToDate
we defined before and add a toDate
extension method to String
by defining an implicit
class.
ES6
Scala
Note that the JavaScript version modifies the global String
class (dangerous!), whereas the Scala version only
introduces a conversion from String
to a custom StrToDate
class providing an additional method. Implicit classes are
safe because they are lexically scoped, meaning the StrToDate
is not available in other parts of the program unless
explicitly imported. The toDate
method is not added to the String
class in any way, instead the compiler generates
appropriate code to call it when required. Basically "2010-10-09".toDate
is converted into new
StrToDate("2010-10-09").toDate
.
Scala IDEs are also smart enough to know what implicit extension methods are in scope and will show them to you next to the other methods.
Implicit extension methods are safe and easy to refactor. If you, say, rename or remove a method, the compiler will immediately give errors in places where you use that method. IDEs provide great tools for automatically renaming all instances when you make the change, keeping your code base operational. You can even do complex changes like add new method parameters or reorder them and the IDE can take care of the refactoring for you, safely and automatically, thanks to strict typing.
Finally we’ll make DOM’s NodeList
behave like a regular Scala collection to make it easier to work with them. Or to be
more accurate, we are extending DOMList[T]
which provides a type for the nodes. NodeList
is actually just a
DOMList[Node]
.
Scala
Defining just those three functions, we now have access to all the usual collection functionality like map
, filter
,
find
, slice
, foldLeft
, etc. This makes working with NodeList
s a lot easier and safer. The implicit class makes
use of Scala generics, providing implementation for all types that extend Node
. Note that NodeListSeq
is available as PimpedNodeList
in the scala-js-dom
library; just import org.scalajs.dom.ext._
to use it.
Scala
Futures
Writing asynchronous JavaScript code used to be painful due to the number of callbacks required to handle chained
asynchronous calls. This is affectionately known as callback hell. Then came the various Promise
libraries that
alleviated this issue a lot, but were not fully compatible with each other. ES6 standardizes the Promise
interface so that all implementations (ES6’s own included) can happily coexist.
In Scala a similar concept is the Future
. On the JVM, futures can be used for both parallel
and asynchronous processing, but under Scala.js only the latter is possible. Like a JavaScript Promise
, a Future
is a
placeholder object for a value that may not yet exist. Both Promise
and Future
can complete successfully, providing
a value, or fail with an error/exception. Let’s look at a typical use case of fetching data from server using AJAX.
ES6
Scala
The JavaScript code above is using jQuery to provide similar helper for making Ajax calls returning promises as is available in the Scala.js DOM library.
Here is a comparison between Scala’s Future
and JavaScript’s Promise
for the most commonly used methods.
Future | Promise | Notes |
---|---|---|
foreach(func) | then(func) | Executes func for its side-effects when the future completes. |
map(func) | then(func) | The result of func is wrapped in a new future. |
flatMap(func) | then(func) | func must return a future. |
recover(func) | catch(func) | Handles an error. The result of func is wrapped in a new future. |
recoverWith(func) | catch(func) | Handles an error. func must return a future. |
filter(predicate) | N/A | Creates a new future by filtering the value of the current future with a predicate. |
zip(that) | N/A | Zips the values of this and that future, and creates a new future holding the tuple of their results. |
Future.successful(value) | Promise.resolve(value) | Returns a successful future containing value |
Future.failed(exception) | Promise.reject(value) | Returns a failed future containing exception |
Future.sequence(iterable) | Promise.all(iterable) | Returns a future that completes when all of the futures in the iterable argument have been completed. |
Future.firstCompletedOf(iterable) | Promise.race(iterable) | Returns a future that completes as soon as one of the futures in the iterable completes. |
Note that Scala has different functions corresponding to JavaScript’s then
, mainly map
and flatMap
.
then
is not type-safe, because it will flatten promises “all the way down”, even if that was not your intention.
In contrast, map
never flattens, and flatMap
always flattens once, tracking the appropriate static result type.
foreach
is a slight variation of map
that does not return a new future.
It is typically used instead of map
to communicate the intent that the callback
is executed for its side-effects rather than its result value.
Futures from callbacks
Even though ES6 brought the standard promise API to browsers, all asynchronous functions still require the use of
callbacks. To convert a callback into a Future
in Scala you need to use a Promise
. Wait, what? Yes, in addition to
Future
, Scala also has a Promise
class which actually implements the Future
trait.
As an example, let’s convert the onload
event of an img
tag into a Future
.
ES6
Scala
Because the image might have already loaded when we create the promise, we must check for that separately and just return a completed future in that case.
Next we’ll add an onloadF
extension method to the HTMLImageElement
class, to make it really easy to
use the futurized version.
Scala
While we are playing with DOM images, let’s create a future that completes once all the images on the page have
finished loading. Here we’ll take advantage of the NodeListSeq
extension class to provide us with the map
method
on the NodeList
returned from querySelectorAll
.