Scala (programming language)
Scala is a general-purpose programming language providing support for both object-oriented programming and functional programming. The language has a strong static type system. Designed to be concise, many of Scala's design decisions are aimed to address criticisms of Java.
Scala source code is intended to be compiled to Java bytecode, so that the resulting executable code runs on a Java virtual machine. Scala provides language interoperability with Java, so that libraries written in either language may be referenced directly in Scala or Java code. Like Java, Scala is object-oriented, and uses a curly-brace syntax reminiscent of the C programming language. Unlike Java, Scala has many features of functional programming languages like Scheme, Standard ML and Haskell, including currying, immutability, lazy evaluation, and pattern matching. It also has an advanced type system supporting algebraic data types, covariance and contravariance, higher-order types, and anonymous types. Other features of Scala not present in Java include operator overloading, optional parameters, named parameters, and raw strings. Conversely, a feature of Java not in Scala is checked exceptions, which has proved controversial.
The name Scala is a portmanteau of scalable and language, signifying that it is designed to grow with the demands of its users.
History
The design of Scala started in 2001 at the École Polytechnique Fédérale de Lausanne by Martin Odersky. It followed on from work on Funnel, a programming language combining ideas from functional programming and Petri nets. Odersky formerly worked on Generic Java, and javac, Sun's Java compiler.After an internal release in late 2003, Scala was released publicly in early 2004 on the Java platform, A second version followed in March 2006.
On 17 January 2011, the Scala team won a five-year research grant of over €2.3 million from the European Research Council. On 12 May 2011, Odersky and collaborators launched Typesafe Inc., a company to provide commercial support, training, and services for Scala. Typesafe received a $3 million investment in 2011 from Greylock Partners.
Platforms and license
Scala runs on the Java platform and is compatible with existing Java programs. As Android applications are typically written in Java and translated from Java bytecode into Dalvik bytecode when packaged, Scala's Java compatibility makes it well-suited to Android development, more so when a functional approach is preferred.The reference Scala software distribution, including compiler and libraries, is released under the Apache license.
Other compilers and targets
Scala.js is a Scala compiler that compiles to JavaScript, making it possible to write Scala programs that can run in web browsers or Node.js. The compiler was in development since 2013, was announced as no longer experimental in 2015. Version v1.0.0-M1 was released in June 2018, but in 2019 was still as M7.Scala Native is a Scala compiler that targets the LLVM compiler infrastructure to create executable code that uses a lightweight managed runtime, which uses the Boehm garbage collector. The project is led by Denys Shabalin and had its first release, 0.1, on 14 March 2017. Development of Scala Native began in 2015 with a goal of being faster than just-in-time compilation for the JVM by eliminating the initial runtime compilation of code and also providing the ability to call native routines directly.
A reference Scala compiler targeting the.NET Framework and its Common Language Runtime was released in June 2004, but was officially dropped in 2012.
Examples
"Hello World" example
The Hello World program written in Scala has this form:object HelloWorld extends App
Unlike the stand-alone Hello World application for Java, there is no class declaration and nothing is declared to be static; a singleton object created with the object keyword is used instead.
When the program is stored in file HelloWorld.scala, the user compiles it with the command:
$ scalac HelloWorld.scala
and runs it with
$ scala HelloWorld
This is analogous to the process for compiling and running Java code. Indeed, Scala's compiling and executing model is identical to that of Java, making it compatible with Java build tools such as Apache Ant.
A shorter version of the "Hello World" Scala program is:
println
Scala includes interactive shell and scripting support. Saved in a file named
HelloWorld2.scala
, this can be run as a script with no prior compiling using:$ scala HelloWorld2.scala
Commands can also be entered directly into the Scala interpreter, using the option :
$ scala -e 'println'
Expressions can be entered interactively in the REPL:
$ scala
Welcome to Scala 2.12.2.
Type in expressions for evaluation. Or try :help.
scala> List.map
res0: List = List
scala>
Basic example
The following example shows the differences between Java and Scala syntax:Some syntactic differences in this code are:
- Scala does not require semicolons to end statements.
- Value types are capitalized:
Int, Double, Boolean
instead ofint, double, boolean
. - Parameter and return types follow, as in Pascal, rather than precede as in C.
- Methods must be preceded by
def
. - Local or class variables must be preceded by
val
orvar
. - The
return
operator is unnecessary in a function ; the value of the last executed statement or expression is normally the function's value. - Instead of the Java cast operator
foo
, Scala usesfoo.asInstanceOf
, or a specialized function such astoDouble
ortoInt
. - Instead of Java's
import foo.*;
, Scala usesimport foo._
. - Function or method
foo
can also be called as justfoo
; methodthread.send
can also be called as justthread send signo
; and methodfoo.toString
can also be called as justfoo toString
.
Some other basic syntactic differences:
- Array references are written like function calls, e.g.
array
rather thanarray
. - Generic types are written as e.g.
List
rather than Java'sList<String>
. - Instead of the pseudo-type
void
, Scala has the actual singleton classUnit
.Example with classes
The code above shows some of the conceptual differences between Java and Scala's handling of classes:
- Scala has no static variables or methods. Instead, it has singleton objects, which are essentially classes with only one instance. Singleton objects are declared using
object
instead ofclass
. It is common to place static variables and methods in a singleton object with the same name as the class name, which is then known as a companion object. - In place of constructor parameters, Scala has class parameters, which are placed on the class, similar to parameters to a function. When declared with a
val
orvar
modifier, fields are also defined with the same name, and automatically initialized from the class parameters. and mutator Note that alternative constructors can also be declared, as in Java. Code that would go into the default constructor goes directly at class level. - Default visibility in Scala is
public
.Features (with reference to Java)
Scala's operational characteristics are the same as Java's. The Scala compiler generates byte code that is nearly identical to that generated by the Java compiler. In fact, Scala code can be decompiled to readable Java code, with the exception of certain constructor operations. To the Java virtual machine, Scala code and Java code are indistinguishable. The only difference is one extra runtime library,
scala-library.jar
.Scala adds a large number of features compared with Java, and has some fundamental differences in its underlying model of expressions and types, which make the language theoretically cleaner and eliminate several corner cases in Java. From the Scala perspective, this is practically important because several added features in Scala are also available in C#. Examples include:
Syntactic flexibility
As mentioned above, Scala has a good deal of syntactic flexibility, compared with Java. The following are some examples:- Semicolons are unnecessary; lines are automatically joined if they begin or end with a token that cannot normally come in this position, or if there are unclosed parentheses or brackets.
- Any method can be used as an infix operator, e.g.
"%d apples".format
and"%d apples" format num
are equivalent. In fact, arithmetic operators like+
and<<
are treated just like any other methods, since function names are allowed to consist of sequences of arbitrary symbols ; the only special treatment that such symbol-named methods undergo concerns the handling of precedence. - Methods
apply
andupdate
have syntactic short forms.foo
—wherefoo
is a value —is short forfoo.apply
, andfoo = 42
is short forfoo.update
. Similarly,foo
is short forfoo.apply
, andfoo = 2
is short forfoo.update
. This is used for collection classes and extends to many other cases, such as STM cells. - Scala distinguishes between no-parens and empty-parens methods. When calling an empty-parens method, the parentheses may be omitted, which is useful when calling into Java libraries that do not know this distinction, e.g., using
foo.toString
instead offoo.toString
. By convention, a method should be defined with empty-parens when it performs side effects. - Method names ending in colon expect the argument on the left-hand-side and the receiver on the right-hand-side. For example, the
4 :: 2 :: Nil
is the same asNil.::.::
, the first form corresponding visually to the result. - Class body variables can be transparently implemented as separate getter and setter methods. For
trait FooLike
, an implementation may be. The call site will still be able to use a concisefoo.bar = 42
. - The use of curly braces instead of parentheses is allowed in method calls. This allows pure library implementations of new control structures. For example,
breakable
looks as ifbreakable
was a language defined keyword, but really is just a method taking a thunk argument. Methods that take thunks or functions often place these in a second parameter list, allowing to mix parentheses and curly braces syntax:Vector.fill
is the same asVector.fill
. The curly braces variant allows the expression to span multiple lines. - For-expressions can accommodate any type that defines monadic methods such as
map
,flatMap
andfilter
.
actor ! message
can be implemented in a Scala library without needing language extensions.Unified type system
Java makes a sharp distinction between primitive types and reference types. Only reference types are part of the inheritance scheme, deriving fromjava.lang.Object
. In Scala, all types inherit from a top-level class Any
, whose immediate children are AnyVal
and AnyRef
. This means that the Java distinction between primitive types and boxed types is not present in Scala; boxing and unboxing is completely transparent to the user. Scala 2.10 allows for new value types to be defined by the user.For-expressions
Instead of the Java "foreach" loops for looping through an iterator, Scala hasfor
-expressions, which are similar to list comprehensions in languages such as Haskell, or a combination of list comprehensions and generator expressions in Python. For-expressions using the yield
keyword allow a new collection to be generated by iterating over an existing one, returning a new collection of the same type. They are translated by the compiler into a series of map
, flatMap
and filter
calls. Where yield
is not used, the code approximates to an imperative-style loop, by translating to foreach
.A simple example is:
val s = for yield 2*x
The result of running it is the following vector:
A more complex example of iterating over a map is:
// Given a map specifying Twitter users mentioned in a set of tweets,
// and number of times each user was mentioned, look up the users
// in a map of known politicians, and return a new map giving only the
// Democratic politicians.
val dem_mentions = for yield
Expression
<- mentions
is an example of pattern matching. Iterating over a map returns a set of key-value tuples, and pattern-matching allows the tuples to easily be destructured into separate variables for the key and value. Similarly, the result of the comprehension also returns key-value tuples, which are automatically built back up into a map because the source object is a map. Note that if mentions
instead held a list, set, array or other collection of tuples, exactly the same code above would yield a new collection of the same type.Functional tendencies
While supporting all of the object-oriented features available in Java, Scala also provides a large number of capabilities that are normally found only in functional programming languages. Together, these features allow Scala programs to be written in an almost completely functional style and also allow functional and object-oriented styles to be mixed.Examples are:
- No distinction between statements and expressions
- Type inference
- Anonymous functions with capturing semantics
- Immutable variables and objects
- Lazy evaluation
- Delimited continuations
- Higher-order functions
- Nested functions
- Currying
- Pattern matching
- Algebraic data types
- Tuples
Everything is an expression
void
in C or Java, and statements like while
that logically do not return a value, are in Scala considered to return the type Unit
, which is a singleton type, with only one object of that type. Functions and operators that never return at all logically have return type Nothing
, a special type containing no objects; that is, a bottom type, i.e. a subclass of every possible type. Similarly, an
if-then-else
"statement" is actually an expression, which produces a value, i.e. the result of evaluating one of the two branches. This means that such a block of code can be inserted wherever an expression is desired, obviating the need for a ternary operator in Scala:For similar reasons,
return
statements are unnecessary in Scala, and in fact are discouraged. As in Lisp, the last expression in a block of code is the value of that block of code, and if the block of code is the body of a function, it will be returned by the function.To make it clear that all functions are expressions, even methods that return
Unit
are written with an equals signdef printValue: Unit =
or equivalently :
def printValue = println
Type inference
Due to type inference, the type of variables, function return values, and many other expressions can typically be omitted, as the compiler can deduce it. Examples areval x = "foo"
or var x = 1.5
. Type inference in Scala is essentially local, in contrast to the more global Hindley-Milner algorithm used in Haskell, ML and other more purely functional languages. This is done to facilitate object-oriented programming. The result is that certain types still need to be declared, e.g.def formatApples = "I ate %d apples".format
or
def factorial: Int =
if
1
else
x*factorial
Anonymous functions
In Scala, functions are objects, and a convenient syntax exists for specifying anonymous functions. An example is the expressionx => x < 2
, which specifies a function with one parameter, that compares its argument to see if it is less than 2. It is equivalent to the Lisp form )
. Note that neither the type of x
nor the return type need be explicitly specified, and can generally be inferred by type inference; but they can be explicitly specified, e.g. as => x < 2
or even => : Boolean
.Anonymous functions behave as true closures in that they automatically capture any variables that are lexically available in the environment of the enclosing function. Those variables will be available even after the enclosing function returns, and unlike in the case of Java's anonymous inner classes do not need to be declared as final.
An even shorter form of anonymous function uses placeholder variables: For example, the following:
can be written more concisely as
or even
Immutability
Scala enforces a distinction between immutable and mutable variables. Mutable variables are declared using thevar
keyword and immutable values are declared using the val
keyword.A variable declared using the
val
keyword can not be reassigned in the same way that a variable declared using the final
keyword can't be reassigned in Java. It should be noted however that val
's are only shallowly immutable, that is, an object referenced by a val is not guaranteed to itself be immutable.Immutable classes are encouraged by convention however, and the Scala standard library provides a rich set of immutable collection classes.
Scala provides mutable and immutable variants of most collection classes, and the immutable version is always used unless the mutable version is explicitly imported.
The immutable variants are persistent data structures that always return an updated copy of an old object instead of updating the old object destructively in place.
An example of this is immutable linked lists where prepending an element to a list is done by returning a new list node consisting of the element and a reference to the list tail.
Appending an element to a list can only be done by prepending all elements in the old list to a new list with only the new element.
In the same way, inserting an element in the middle of a list will copy the first half of the list, but keep a reference to the second half of the list. This is called structural sharing.
This allows for very easy concurrency — no locks are needed as no shared objects are ever modified.
Lazy (non-strict) evaluation
Evaluation is strict by default. In other words, Scala evaluates expressions as soon as they are available, rather than as needed. However, it is possible to declare a variable non-strict with thelazy
keyword, meaning that the code to produce the variable's value will not be evaluated until the first time the variable is referenced. Non-strict collections of various types also exist, and any collection can be made non-strict with the view
method. Non-strict collections provide a good semantic fit to things like server-produced data, where the evaluation of the code to generate later elements of a list only happens when the elements are actually needed.Tail recursion
Functional programming languages commonly provide tail call optimization to allow for extensive use of recursion without stack overflow problems. Limitations in Java bytecode complicate tail call optimization on the JVM. In general, a function that calls itself with a tail call can be optimized, but mutually recursive functions cannot. Trampolines have been suggested as a workaround. Trampoline support has been provided by the Scala library with the objectscala.util.control.TailCalls
since Scala 2.8.0. A function may optionally be annotated with @tailrec
, in which case it will not compile unless it is tail recursive.Case classes and pattern matching
Scala has built-in support for pattern matching, which can be thought of as a more sophisticated, extensible version of a switch statement, where arbitrary data types can be matched, including arbitrary nesting. A special type of class known as a case class is provided, which includes automatic support for pattern matching and can be used to model the algebraic data types used in many functional programming languages.An example of a definition of the quicksort algorithm using pattern matching is this:
def qsort: List = list match
The idea here is that we partition a list into the elements less than a pivot and the elements not less, recursively sort each part, and paste the results together with the pivot in between. This uses the same divide-and-conquer strategy of mergesort and other fast sorting algorithms.
The
match
operator is used to do pattern matching on the object stored in list
. Each case
expression is tried in turn to see if it will match, and the first match determines the result. In this case, Nil
only matches the literal object Nil
, but pivot :: tail
matches a non-empty list, and simultaneously destructures the list according to the pattern given. In this case, the associated code will have access to a local variable named pivot
holding the head of the list, and another variable tail
holding the tail of the list. Note that these variables are read-only, and are semantically very similar to variable bindings established using the let
operator in Lisp and Scheme.Pattern matching also happens in local variable declarations. In this case, the return value of the call to
tail.partition
is a tuple — in this case, two lists. Pattern matching is the easiest way of fetching the two parts of the tuple.The form
_ < pivot
is a declaration of an anonymous function with a placeholder variable; see the section above on anonymous functions.The list operators
::
and :::
both appear. Despite appearances, there is nothing "built-in" about either of these operators. As specified above, any string of symbols can serve as function name, and a method applied to an object can be written "infix"-style without the period or parentheses. The line above as written:could also be written thus:
in more standard method-call notation.
Partial functions
In the pattern-matching example above, the body of thematch
operator is a partial function, which consists of a series of case
expressions, with the first matching expression prevailing, similar to the body of a switch statement. Partial functions are also used in the exception-handling portion of a try
statement:try catch
Finally, a partial function can be used alone, and the result of calling it is equivalent to doing a
match
over it. For example, the prior code for quicksort can be written thus:val qsort: List => List =
Here a read-only variable is declared whose type is a function from lists of integers to lists of integers, and bind it to a partial function. However, we can still call this variable exactly as if it were a normal function:
res32: List = List
Object-oriented extensions
Scala is a pure object-oriented language in the sense that every value is an object. Data types and behaviors of objects are described by classes and traits. Class abstractions are extended by subclassing and by a flexible mixin-based composition mechanism to avoid the problems of multiple inheritance.Traits are Scala's replacement for Java's interfaces. Interfaces in Java versions under 8 are highly restricted, able only to contain abstract function declarations. This has led to criticism that providing convenience methods in interfaces is awkward, and extending a published interface in a backwards-compatible way is impossible. Traits are similar to mixin classes in that they have nearly all the power of a regular abstract class, lacking only class parameters, since traits are always mixed in with a class. The
super
operator behaves specially in traits, allowing traits to be chained using composition in addition to inheritance. The following example is a simple window system:abstract class Window
class SimpleWindow extends Window
trait WindowDecoration extends Window
trait HorizontalScrollbarDecoration extends WindowDecoration
trait VerticalScrollbarDecoration extends WindowDecoration
trait TitleDecoration extends WindowDecoration
A variable may be declared thus:
val mywin = new SimpleWindow with VerticalScrollbarDecoration with HorizontalScrollbarDecoration with TitleDecoration
The result of calling
mywin.draw
is:in TitleDecoration
in HorizontalScrollbarDecoration
in VerticalScrollbarDecoration
in SimpleWindow
In other words, the call to
draw
first executed the code in TitleDecoration
, then threaded back through the other mixed-in traits and eventually to the code in Window
, even though none of the traits inherited from one another. This is similar to the decorator pattern, but is more concise and less error-prone, as it doesn't require explicitly encapsulating the parent window, explicitly forwarding functions whose implementation isn't changed, or relying on run-time initialization of entity relationships. In other languages, a similar effect could be achieved at compile-time with a long linear chain of implementation inheritance, but with the disadvantage compared to Scala that one linear inheritance chain would have to be declared for each possible combination of the mix-ins.Expressive type system
Scala is equipped with an expressive static type system that mostly enforces the safe and coherent use of abstractions. The type system is, however, not sound. In particular, the type system supports:- Classes and abstract types as object members
- Structural types
- Path-dependent types
- Compound types
- Explicitly typed self references
- Generic classes
- Polymorphic methods
- Upper and lower type bounds
- Variance
- Annotation
- Views
Type enrichment
A common technique in Scala, known as "enrich my library", allows new methods to be used as if they were added to existing types. This is similar to the C# concept of extension methods but more powerful, because the technique is not limited to adding methods and can, for instance, be used to implement new interfaces. In Scala, this technique involves declaring an implicit conversion from the type "receiving" the method to a new type that wraps the original type and provides the additional method. If a method cannot be found for a given type, the compiler automatically searches for any applicable implicit conversions to types that provide the method in question.This technique allows new methods to be added to an existing class using an add-on library such that only code that imports the add-on library gets the new functionality, and all other code is unaffected.
The following example shows the enrichment of type
Int
with methods isEven
and isOdd
:object MyExtensions
import MyExtensions._ // bring implicit enrichment into scope
4.isEven // -> true
Importing the members of
MyExtensions
brings the implicit conversion to extension class IntPredicates
into scope.Concurrency
Scala's standard library includes support for the actor model, in addition to the standard Java concurrency APIs. Lightbend Inc. provides a platform that includes Akka, a separate open-source framework that provides actor-based concurrency. Akka actors may be distributed or combined with software transactional memory. Alternative communicating sequential processes implementations for channel-based message passing are Communicating Scala Objects, or simply via JCSP.An Actor is like a thread instance with a mailbox. It can be created by
system.actorOf
, overriding the receive
method to receive messages and using the !
method to send a message.The following example shows an EchoServer that can receive messages and then print them.
val echoServer = actor
echoServer ! "hi"
Scala also comes with built-in support for data-parallel programming in the form of Parallel Collections integrated into its Standard Library since version 2.9.0.
The following example shows how to use Parallel Collections to improve performance.
val urls = List
def fromURL = scala.io.Source.fromURL
.getLines.mkString
val t = System.currentTimeMillis
urls.par.map // par returns parallel implementation of a collection
println
Besides actor support and data-parallelism, Scala also supports asynchronous programming with Futures and Promises, software transactional memory, and event streams.
Cluster computing
The most well-known open-source cluster-computing solution written in Scala is Apache Spark. Additionally, Apache Kafka, the publish–subscribe message queue popular with Spark and other stream processing technologies, is written in Scala.Testing
There are several ways to test code in Scala. ScalaTest supports multiple testing styles and can integrate with Java-based testing frameworks. ScalaCheck is a library similar to Haskell's QuickCheck. specs2 is a library for writing executable software specifications. ScalaMock provides support for testing high-order and curried functions. JUnit and TestNG are popular testing frameworks written in Java.Versions
Comparison with other JVM languages
Scala is often compared with Groovy and Clojure, two other programming languages also using the JVM. Substantial differences between these languages are found in the type system, in the extent to which each language supports object-oriented and functional programming, and in the similarity of their syntax to the syntax of Java.Scala is statically typed, while both Groovy and Clojure are dynamically typed. This makes the type system more complex and difficult to understand but allows almost all type errors to be caught at compile-time and can result in significantly faster execution. By contrast, dynamic typing requires more testing to ensure program correctness and is generally slower in order to allow greater programming flexibility and simplicity. Regarding speed differences, current versions of Groovy and Clojure allow for optional type annotations to help programs avoid the overhead of dynamic typing in cases where types are practically static. This overhead is further reduced when using recent versions of the JVM, which has been enhanced with an invoke dynamic instruction for methods that are defined with dynamically typed arguments. These advances reduce the speed gap between static and dynamic typing, although a statically typed language, like Scala, is still the preferred choice when execution efficiency is very important.
Regarding programming paradigms, Scala inherits the object-oriented model of Java and extends it in various ways. Groovy, while also strongly object-oriented, is more focused in reducing verbosity. In Clojure, object-oriented programming is deemphasised with functional programming being the main strength of the language. Scala also has many functional programming facilities, including features found in advanced functional languages like Haskell, and tries to be agnostic between the two paradigms, letting the developer choose between the two paradigms or, more frequently, some combination thereof.
Regarding syntax similarity with Java, Scala inherits much of Java's syntax, as is the case with Groovy. Clojure on the other hand follows the Lisp syntax, which is different in both appearance and philosophy. However, learning Scala is also considered difficult because of its many advanced features. This is not the case with Groovy, despite its also being a feature-rich language, mainly because it was designed to be mainly a scripting language.
Adoption
Language rankings
, all JVM-based languages are significantly less popular than the original Java language, which is usually ranked first or second, and which is also simultaneously evolving over time.The Popularity of Programming Language Index, which tracks searches for language tutorials, ranked Scala 15th in April 2018 with a small downward trend. This makes Scala the most popular JVM-based language after Java, although immediately followed by Kotlin, a JVM-based language with a strong upward trend ranked 16th.
The TIOBE index of programming language popularity employs internet search engine rankings and similar publication-counting to determine language popularity. As of April 2018, it shows Scala in 34th place, having dropped four places over the last two years, but–as mentioned under "Bugs & Change Requests"–TIOBE is aware of issues with its methodology of using search terms which might not be commonly used in some programming language communities. In this ranking Scala is ahead of some functional languages like Haskell, Erlang, but below other languages like Swift, Perl, Go and Clojure.
The ThoughtWorks Technology Radar, which is an opinion based biannual report of a group of senior technologists, recommended Scala adoption in its languages and frameworks category in 2013. In July 2014, this assessment was made more specific and now refers to a "Scala, the good parts", which is described as "To successfully use Scala, you need to research the language and have a very strong opinion on which parts are right for you, creating your own definition of Scala, the good parts.".
The RedMonk Programming Language Rankings, which establishes rankings based on the number of GitHub projects and questions asked on Stack Overflow, ranks Scala 14th. Here, Scala is placed inside a second-tier group of languages–ahead of Go, PowerShell and Haskell, and behind Swift, Objective-C, Typescript and R. However, in its 2018 report, the Rankings noted a drop of Scala's rank for the third time in a row, questioning "how much of the available oxygen for Scala is consumed by Kotlin as the latter continues to rocket up these rankings".
In the 2018 edition of the "State of Java" survey, which collected data from 5160 developers on various Java-related topics, Scala places third in terms of usage of alternative languages on the JVM. Compared to the last year's edition of the survey, Scala's usage among alternative JVM languages fell by almost a quarter, overtaken by Kotlin, which rose from 11.4% in 2017 to 28.8% in 2018.
Companies
- In April 2009, Twitter announced that it had switched large portions of its backend from Ruby to Scala and intended to convert the rest.
- Gilt uses Scala and Play Framework.
- Foursquare uses Scala and Lift.
- Coursera uses Scala and Play Framework.
- Apple Inc. uses Scala in certain teams, along with Java and the Play framework.
- The Guardian newspaper's high-traffic website guardian.co.uk announced in April 2011 that it was switching from Java to Scala,
- The New York Times revealed in 2014 that its internal content management system Blackbeard is built using Scala, Akka and Play.
- The Huffington Post newspaper started to employ Scala as part of its contents delivery system Athena in 2013.
- Swiss bank UBS approved Scala for general production usage.
- LinkedIn uses the Scalatra microframework to power its Signal API.
- Meetup uses Unfiltered toolkit for real-time APIs.
- Remember the Milk uses Unfiltered toolkit, Scala and Akka for public API and real-time updates.
- Verizon seeking to make "a next-generation framework" using Scala.
- Airbnb develops open-source machine-learning software "Aerosolve", written in Java and Scala.
- Zalando moved its technology stack from Java to Scala and Play.
- SoundCloud uses Scala for its back-end, employing technologies such as Finagle, Scalding and Spark.
- Databricks uses Scala for the Apache Spark Big Data platform.
- Morgan Stanley uses Scala extensively in their finance and asset-related projects.
- There are teams within Google/Alphabet Inc. that use Scala, mostly due to acquisitions such as Firebase and Nest.
- Walmart Canada Uses Scala for their back-end platform.
- Duolingo uses Scala for their back-end module that generates lessons.
- HMRC uses Scala for many UK Government Tax applications.
Criticism