Jump to content
Wikipedia The Free Encyclopedia

Scala (programming language)

From Wikipedia, the free encyclopedia
General-purpose programming language
For the music scale creation software, see Scala (software).
Scala
Paradigm Multi-paradigm: concurrent, functional, imperative, object-oriented
Designed by Martin Odersky
Developer Programming Methods Laboratory of École Polytechnique Fédérale de Lausanne
First appeared20 January 2004; 21 years ago (2004年01月20日)
Stable release
3.7.3[1]  Edit this on Wikidata / 9 September 2025; 42 days ago (9 September 2025)
Typing discipline Inferred, static, strong, structural
Implementation languageScala
Platform Java virtual machine (JVM)
JavaScript (Scala.js)
LLVM (Scala Native) (experimental)
License Apache 2.0[2]
Filename extensions .scala, .sc
Websitewww.scala-lang.org
Influenced by
Common Lisp,[3] Eiffel, Erlang, Haskell,[4] Java,[5] OCaml,[5] Oz, Pizza,[6] Scheme,[5] Smalltalk, Standard ML [5]
Influenced
Ceylon, Chisel, Fantom, F#, C#, Kotlin, Lasso, Red, Flix

Scala (/ˈskɑːlɑː/ SKAH-lah)[7] [8] is a strongly statically typed high-level general-purpose programming language that supports both object-oriented programming and functional programming. Designed to be concise,[9] many of Scala's design decisions are intended to address criticisms of Java.[6]

Scala source code can be compiled to Java bytecode and run on a Java virtual machine (JVM). Scala can also be transpiled to JavaScript to run in a browser, or compiled directly to a native executable. When running on the JVM, Scala provides language interoperability with Java so that libraries written in either language may be referenced directly in Scala or Java code.[10] Like Java, Scala is object-oriented, and uses a syntax termed curly-brace which is similar to the language C. Since Scala 3, there is also an option to use the off-side rule (indenting) to structure blocks, and its use is advised. Martin Odersky has said that this turned out to be the most productive change introduced in Scala 3.[11]

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 (but not higher-rank types), anonymous types, operator overloading, optional parameters, named parameters, raw strings, and an experimental exception-only version of algebraic effects that can be seen as a more powerful version of Java's checked exceptions.[12]

The name Scala is a portmanteau of scalable and language, signifying that it is designed to grow with the demands of its users.[13]

History

[edit ]

The design of Scala started in 2001 at the École Polytechnique Fédérale de Lausanne (EPFL) (in Lausanne, Switzerland) by Martin Odersky. It followed on from work on Funnel, a programming language combining ideas from functional programming and Petri nets.[14] Odersky formerly worked on Generic Java, and javac, Sun's Java compiler.[14]

After an internal release in late 2003, Scala was released publicly in early 2004 on the Java platform,[15] [6] [14] [16] A second version (v2.0) followed in March 2006.[6]

On 17 January 2011, the Scala team won a five-year research grant of over 2ドル.3 million from the European Research Council.[17] On 12 May 2011, Odersky and collaborators launched Typesafe Inc. (later renamed Lightbend Inc.), a company to provide commercial support, training, and services for Scala. Typesafe received a 3ドル million investment in 2011 from Greylock Partners.[18] [19] [20] [21]

Platforms and license

[edit ]

Scala runs on the Java platform (Java virtual machine) and is compatible with existing Java programs.[15] As Android applications are typically written in Java and translated from Java bytecode into Dalvik bytecode (which may be further translated to native machine code during installation) when packaged, Scala's Java compatibility makes it well-suited to Android development, the more so when a functional approach is preferred.[22]

The reference Scala software distribution, including compiler and libraries, is released under the Apache license.[23]

Other compilers and targets

[edit ]

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.[24] The compiler, in development since 2013, was announced as no longer experimental in 2015 (v0.6). Version v1.0.0-M1 was released in June 2018 and version 1.1.1 in September 2020.[25]

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.[26] [27]

A reference Scala compiler targeting the .NET Framework and its Common Language Runtime was released in June 2004,[14] but was officially dropped in 2012.[28]

Examples

[edit ]

"Hello World" example

[edit ]

The Hello World program written in Scala 3 has this form:

@maindefmain()=println("Hello, World!")

Unlike the stand-alone Hello World application for Java, there is no class declaration and nothing is declared to be static.

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("Hello, World!")

Scala includes an interactive shell and scripting support.[29] Saved in a file named HelloWorld2.scala, this can be run as a script using the command:

$ scala HelloWorld2.scala

Commands can also be entered directly into the Scala interpreter, using the option -e:

$ scala -e 'println("Hello, World!")'

Expressions can be entered interactively in the REPL:

$ scala
Welcome to Scala 2.12.2 (Java HotSpot(TM) 64-Bit Server VM, Java 1.8.0_131).
Type in expressions for evaluation. Or try :help.
scala> List(1, 2, 3).map(x => x * x)
res0: List[Int] = List(1, 4, 9)
scala>

Basic example

[edit ]

The following example shows the differences between Java and Scala syntax. The function mathFunction takes an integer, squares it, and then adds the cube root of that number to the natural log of that number, returning the result (i.e., n 2 / 3 + ln ( n 2 ) {\displaystyle n^{2/3}+\ln(n^{2})} {\displaystyle n^{2/3}+\ln(n^{2})}):

// Java:
intmathFunction(intnum){
intnumSquare=num*num;
return(int)(Math.cbrt(numSquare)+
Math.log(numSquare));
}
// Scala: Direct conversion from Java
// no import needed; scala.math
// already imported as `math`
defmathFunction(num:Int):Int=
varnumSquare:Int=num*num
return(math.cbrt(numSquare)+math.log(numSquare)).
asInstanceOf[Int]
// Scala: More idiomatic
// Uses type inference, omits `return` statement,
// uses `toInt` method, declares numSquare immutable
importmath.*
defmathFunction(num:Int)=
valnumSquare=num*num
(cbrt(numSquare)+log(numSquare)).toInt

Some syntactic differences in this code are:

  • Scala does not require semicolons (;) to end statements.
  • Value types are capitalized (sentence case): Int, Double, Boolean instead of int, 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 (indicates an immutable variable) or var (indicates a mutable variable).
  • The return operator is unnecessary in a function (although allowed); the value of the last executed statement or expression is normally the function's value.
  • Instead of the Java cast operator (Type) foo, Scala uses foo.asInstanceOf[Type], or a specialized function such as toDouble or toInt.
  • Function or method foo() can also be called as just foo; method thread.send(signo) can also be called as just thread send signo; and method foo.toString() can also be called as just foo toString.

These syntactic relaxations are designed to allow support for domain-specific languages.

Some other basic syntactic differences:

  • Array references are written like function calls, e.g. array(i) rather than array[i]. (Internally in Scala, the former expands into array.apply(i) which returns the reference)
  • Generic types are written as e.g. List[String] rather than Java's List<String>.
  • Instead of the pseudo-type void, Scala has the actual singleton class Unit (see below).

Example with classes

[edit ]

The following example contrasts the definition of classes in Java and Scala.

// Java:
publicclass Point{
privatedoublex,y;
publicPoint(doublex,doubley){
this.x=x;
this.y=y;
}

publicPoint(doublex,doubley,booleanaddToGrid){
this(x,y);

if(addToGrid)
grid.addPoint(this);
}

publicPoint(){
this(0.0,0.0);
}

privatevoidaddPoint(Pointp){
x+=p.x;
y+=p.y;
}

publicdoublegetX(){
returnx;
}

publicdoublegetY(){
returny;
}

doubledistanceToPoint(Pointother){
returndistanceBetweenPoints(x,y,
other.x,other.y);
}

privatestaticPointgrid=newPoint();

staticdoubledistanceBetweenPoints(
doublex1,doubley1,
doublex2,doubley2){
returnMath.hypot(x1-x2,y1-y2);
}
}
// Scala
classPoint(
varx:Double,vary:Double,
addToGrid:Boolean=false
):
importPoint.*

def+=(p:Point)=
x+=p.x
y+=p.y

if(addToGrid)
grid+=this

defthis()=this(0.0,0.0)

defdistanceToPoint(other:Point)=
distanceBetweenPoints(x,y,other.x,other.y)

endPoint

objectPoint:
privatevalgrid=newPoint()

defdistanceBetweenPoints(x1:Double,y1:Double,
x2:Double,y2:Double)=
math.hypot(x1-x2,y1-y2)

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 of class. 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.[15] (The underlying class for the singleton object has a $ appended. Hence, for class Foo with companion object object Foo, under the hood there's a class Foo$ containing the companion object's code, and one object of this class is created, using the singleton pattern.)
  • 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 or var modifier, fields are also defined with the same name, and automatically initialized from the class parameters. (Under the hood, external access to public fields always goes through accessor (getter) and mutator (setter) methods, which are automatically created. The accessor function has the same name as the field, which is why it's unnecessary in the above example to explicitly declare accessor methods.) Note that alternative constructors can also be declared, as in Java. Code that would go into the default constructor (other than initializing the member variables) goes directly at class level.
  • In Scala it is possible to define operators by using symbols as method names. In place of addPoint, the Scala example defines +=, which is then invoked with infix notation as grid += this.
  • Default visibility in Scala is public.

Features (with reference to Java)

[edit ]

Scala has the same compiling model as Java and C#, namely separate compiling and dynamic class loading, so that Scala code can call Java libraries.

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.[15] In fact, Scala code can be decompiled to readable Java code, with the exception of certain constructor operations. To the Java virtual machine (JVM), Scala code and Java code are indistinguishable. The only difference is one extra runtime library, scala-library.jar.[30]

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#.

Syntactic flexibility

[edit ]

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(num) 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 (with a few exceptions made for things like parens, brackets and braces that must be handled specially); the only special treatment that such symbol-named methods undergo concerns the handling of precedence.
  • Methods apply and update have syntactic short forms. foo()—where foo is a value (singleton object or class instance)—is short for foo.apply(), and foo() = 42 is short for foo.update(42). Similarly, foo(42) is short for foo.apply(42), and foo(4) = 2 is short for foo.update(4, 2). This is used for collection classes and extends to many other cases, such as STM cells.
  • Scala distinguishes between no-parens (def foo = 42) and empty-parens (def foo() = 42) 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 of foo.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 as Nil.::(2).::(4), the first form corresponding visually to the result (a list with first element 4 and second element 2).
  • Class body variables can be transparently implemented as separate getter and setter methods. For trait FooLike { var bar: Int }, an implementation may be objectFooextendsFooLike{privatevarx=0;defbar=x;defbar_=(value:Int){x=value}}}}. The call site will still be able to use a concise foo.bar = 42.
  • The use of curly braces instead of parentheses is allowed in method calls. This allows pure library implementations of new control structures.[31] For example, breakable { ... if (...) break() ... } looks as if breakable 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(4) { math.random } is the same as Vector.fill(4)(math.random). The curly braces variant allows the expression to span multiple lines.
  • For-expressions (explained further down) can accommodate any type that defines monadic methods such as map, flatMap and filter.

By themselves, these may seem like questionable choices, but collectively they serve the purpose of allowing domain-specific languages to be defined in Scala without needing to extend the compiler. For example, Erlang's special syntax for sending a message to an actor, i.e. actor ! message can be (and is) implemented in a Scala library without needing language extensions.

Unified type system

[edit ]

Java makes a sharp distinction between primitive types (e.g. int and boolean) and reference types (any class). Only reference types are part of the inheritance scheme, deriving from java.lang.Object. In Scala, all types inherit from a top-level class Any, whose immediate children are AnyVal (value types, such as Int and Boolean) and AnyRef (reference types, as in Java). This means that the Java distinction between primitive types and boxed types (e.g. int vs. Integer) 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

[edit ]

Instead of the Java "foreach" loops for looping through an iterator, Scala has for-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:

vals=for(x<-1to25ifx*x>50)yield2*x

The result of running it is the following vector:

Vector(16, 18, 20, 22, 24, 26, 28, 30, 32, 34, 36, 38, 40, 42, 44, 46, 48, 50)

(Note that the expression 1 to 25 is not special syntax. The method to is rather defined in the standard Scala library as an extension method on integers, using a technique known as implicit conversions[32] that allows new methods to be added to existing types.)

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 (as objects, rather than strings).
valdem_mentions=for
(mention,times)<-mentions
account<-accounts.get(mention)
ifaccount.party=="Democratic"
yield(account,times)

Expression (mention, times) <- mentions is an example of pattern matching (see below). 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 (from the variable mentions) 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

[edit ]

While supporting all of the object-oriented features available in Java (and in fact, augmenting them in various ways), 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:

Everything is an expression

[edit ]

Unlike C or Java, but similar to languages such as Lisp, Scala makes no distinction between statements and expressions. All statements are in fact expressions that evaluate to some value. Functions that would be declared as returning 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 (e.g. the throw operator or a function that always exits non-locally using an exception) logically have return type Nothing, a special type containing no objects; that is, a bottom type, i.e. a subclass of every possible type. (This in turn makes type Nothing compatible with every type, allowing type inference to function correctly.)[33]

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:

// Java:
charhexDigit=(char)(x>=10?x+'A'-10:x+'0');
// Scala:
valhexDigit=(ifx>=10thenx+'A'-10elsex+'0').toChar

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 sign

defprintValue(x:String):Unit=
println("I ate a %s".format(x))

or equivalently (with type inference, and omitting the unnecessary newline):

defprintValue(x:String)=println("I ate a %s"formatx)

Type inference

[edit ]

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 are val x = "foo" (for an immutable constant or immutable object) or var x = 1.5 (for a variable whose value can later be changed). 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 (most notably, function parameters, and the return types of recursive functions), e.g.

defformatApples(x:Int)="I ate %d apples".format(x)

or (with a return type declared for a recursive function)

deffactorial(x:Int):Int=
ifx==0then1
elsex*factorial(x-1)

Anonymous functions

[edit ]

In Scala, functions are objects, and a convenient syntax exists for specifying anonymous functions. An example is the expression x => 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 (lambda(x)(<x2)). 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:Int)=>x<2 or even (x:Int)=>(x<2):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. (It is even possible to modify such variables if they are mutable, and the modified value will be available the next time the anonymous function is called.)

An even shorter form of anonymous function uses placeholder variables: For example, the following:

list map { x => sqrt(x) }

can be written more concisely as

list map { sqrt(_) }

or even

list map sqrt

Immutability

[edit ]

Scala enforces a distinction between immutable and mutable variables. Mutable variables are declared using the var keyword and immutable values are declared using the val keyword. A variable declared using the val keyword cannot be reassigned in the same way that a variable declared using the final keyword can't be reassigned in Java. vals 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.[34] 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.[35]

Lazy (non-strict) evaluation

[edit ]

Evaluation is strict ("eager") 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 ("lazy") with the lazy 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 (such as the type Stream, a non-strict linked list), 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 (that in turn triggers a request to a server, possibly located somewhere else on the web) only happens when the elements are actually needed.

Tail recursion

[edit ]

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.[36] Trampoline support has been provided by the Scala library with the object scala.util.control.TailCalls since Scala 2.8.0 (released 14 July 2010). A function may optionally be annotated with @tailrec, in which case it will not compile unless it is tail recursive.[37]

An example of this optimization could be implemented using the factorial definition. For instance, the recursive version of the factorial:

deffactorial(n:Int):Int=
ifn==0then1
elsen*factorial(n-1)

Could be optimized to the tail recursive version like this:

@tailrec
deffactorial(n:Int,accum:Int):Int=
ifn==0thenaccum
elsefactorial(n-1,n*accum)

However, this could compromise composability with other functions because of the new argument on its definition, so it is common to use closures to preserve its original signature:

deffactorial(n:Int):Int=

@tailrec
defloop(current:Int,accum:Int):Int=

ifcurrent==0thenaccum
elseloop(current-1,current*accum)

loop(n,1)// Call to the closure using the base case

endfactorial

This ensures tail call optimization and thus prevents a stack overflow error.

Case classes and pattern matching

[edit ]

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 (rather than just simple types like integers, Booleans and strings), 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. (From the perspective of Scala, a case class is simply a normal class for which the compiler automatically adds certain behaviors that could also be provided manually, e.g., definitions of methods providing for deep comparisons and hashing, and destructuring a case class on its constructor parameters during pattern matching.)

An example of a definition of the quicksort algorithm using pattern matching is this:

defqsort(list:List[Int]):List[Int]=listmatch
caseNil=>Nil
casepivot::tail=>
val(smaller,rest)=tail.partition(_<pivot)
qsort(smaller):::pivot::qsort(rest)

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. (Tuples differ from other types of containers, e.g. lists, in that they are always of fixed size and the elements can be of differing types — although here they are both the same.) 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 :: (which adds an element onto the beginning of a list, similar to cons in Lisp and Scheme) and ::: (which appends two lists together, similar to append in Lisp and Scheme) 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:

qsort(smaller) ::: pivot :: qsort(rest)

could also be written thus:

qsort(rest).::(pivot).:::(qsort(smaller))

in more standard method-call notation. (Methods that end with a colon are right-associative and bind to the object to the right.)

Partial functions

[edit ]

In the pattern-matching example above, the body of the match 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
casenfe:NumberFormatException=>{println(nfe);List(0)}
case_=>Nil

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:

valqsort:List[Int]=>List[Int]=
caseNil=>Nil
casepivot::tail=>
val(smaller,rest)=tail.partition(_<pivot)
qsort(smaller):::pivot::qsort(rest)

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. (Note that the single parameter of the partial function is never explicitly declared or named.) However, we can still call this variable exactly as if it were a normal function:

scala>qsort(List(6,2,5,9))
res32:List[Int]=List(2,5,6,9)

Object-oriented extensions

[edit ]

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 (the same methods must be reimplemented in every implementation), 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 (Scala's equivalent to Java's constructor 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:

abstractclassWindow:
// abstract
defdraw()
classSimpleWindowextendsWindow:
defdraw()
println("in SimpleWindow")
// draw a basic window
traitWindowDecorationextendsWindow
traitHorizontalScrollbarDecorationextendsWindowDecoration:
// "abstract override" is needed here for "super()" to work because the parent
// function is abstract. If it were concrete, regular "override" would be enough.
abstractoverridedefdraw()
println("in HorizontalScrollbarDecoration")
super.draw()
// now draw a horizontal scrollbar
traitVerticalScrollbarDecorationextendsWindowDecoration:
abstractoverridedefdraw()
println("in VerticalScrollbarDecoration")
super.draw()
// now draw a vertical scrollbar
traitTitleDecorationextendsWindowDecoration:
abstractoverridedefdraw()
println("in TitleDecoration")
super.draw()
// now draw the title bar

A variable may be declared thus:

valmywin=newSimpleWindowwithVerticalScrollbarDecorationwithHorizontalScrollbarDecorationwithTitleDecoration

The result of calling mywin.draw() is:

inTitleDecoration
inHorizontalScrollbarDecoration
inVerticalScrollbarDecoration
inSimpleWindow

In other words, the call to draw first executed the code in TitleDecoration (the last trait mixed in), then (through the super() calls) 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

[edit ]

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.[38] In particular, the type system supports:

Scala is able to infer types by use. This makes most static type declarations optional. Static types need not be explicitly declared unless a compiler error indicates the need. In practice, some static type declarations are included for the sake of code clarity.

Type enrichment

[edit ]

A common technique in Scala, known as "enrich my library"[39] (originally termed "pimp my library" by Martin Odersky in 2006;[32] concerns were raised about this phrasing due to its negative connotations[40] and immaturity[41] ), 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 (typically, a class) 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:

objectMyExtensions:
extension(i:Int)
defisEven=i%2==0
defisOdd=!i.isEven
importMyExtensions.*// bring implicit enrichment into scope
4.isEven// -> true

Importing the members of MyExtensions brings the implicit conversion to extension class IntPredicates into scope.[42]

Concurrency

[edit ]

Scala's standard library includes support for futures and promises, in addition to the standard Java concurrency APIs. Originally, it also included support for the actor model, which is now available as a separate source-available platform Akka [43] licensed by Lightbend Inc. Akka actors may be distributed or combined with software transactional memory (transactors). Alternative communicating sequential processes (CSP) implementations for channel-based message passing are Communicating Scala Objects,[44] 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 ! (exclamation point) method to send a message.[45] The following example shows an EchoServer that can receive messages and then print them.

valechoServer=actor(newAct:
become:
casemsg=>println("echo "+msg)
)
echoServer!"hi"

Scala also comes with built-in support for data-parallel programming in the form of Parallel Collections[46] integrated into its Standard Library since version 2.9.0.

The following example shows how to use Parallel Collections to improve performance.[47]

valurls=List("https://scala-lang.org","https://github.com/scala/scala")
deffromURL(url:String)=scala.io.Source.fromURL(url)
.getLines().mkString("\n")
valt=System.currentTimeMillis()
urls.par.map(fromURL(_))// par returns parallel implementation of a collection
println("time: "+(System.currentTimeMillis-t)+"ms")

Besides futures and promises, actor support, and data parallelism, Scala also supports asynchronous programming with software transactional memory, and event streams.[48]

Cluster computing

[edit ]

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

[edit ]

There are several ways to test code in Scala. ScalaTest supports multiple testing styles and can integrate with Java-based testing frameworks.[49] ScalaCheck is a library similar to Haskell's QuickCheck.[50] specs2 is a library for writing executable software specifications.[51] ScalaMock provides support for testing high-order and curried functions.[52] JUnit and TestNG are popular testing frameworks written in Java.

Versions

[edit ]
Version Released Features
1.0.0-b2[53] 8 December 2003
1.1.0-b1[53] 19 February 2004
  • scala.Enumeration
  • Scala license was changed to the revised BSD license
1.1.1[53] 23 March 2004
  • Support for Java static inner classes
  • Library class improvements to Iterable, Array, xml.Elem, Buffer
1.2.0[53] 9 June 2004
  • Views
  • XML literals (to "be dropped in the near future, to be replaced with XML string interpolation"[54] )
1.3.0[53] 16 September 2004
  • Support for Microsoft .NET
  • Method closures
  • Type syntax for parameterless methods changed from [] T to => T
1.4.0[53] 20 June 2005
  • Attributes
  • match keyword replaces match method
  • Experimental support for runtime types
2.0[55] 12 March 2006
  • Compiler completely rewritten in Scala
  • Experimental support for Java generics
  • implicit and requires keywords
  • match keyword only allowed infix operator
  • with connective is only allowed following an extends clause
  • Newlines can be used as statement separators in place of semicolons
  • Regular expression match patterns restricted to sequence patterns only
  • For-comprehensions admit value and pattern definitions
  • Class parameters may be prefixed by val or var
  • Private visibility has qualifiers
2.1.0[53] 17 March 2006
  • sbaz tool integrated in the Scala distribution
  • match keyword replaces match method
  • Experimental support for runtime types
2.1.8[56] 23 August 2006
  • Protected visibility has qualifiers
  • Private members of a class can be referenced from the companion module of the class and vice versa
  • Implicit lookup generalised
  • Typed pattern match tightened for singleton types
2.3.0[57] 23 November 2006
  • Functions returning Unit don't have to explicitly state a return type
  • Type variables and types are distinguished between in pattern matching
  • All and AllRef renamed to Nothing and Null
2.4.0[58] 9 March 2007
  • private and protected modifiers accept a [this] qualifier
  • Tuples can be written with round brackets
  • Primary constructor of a class can now be marked private or protected
  • Attributes changed to annotations with new syntax
  • Self aliases
  • Operators can be combined with assignment
2.5.0[59] 2 May 2007
  • Type parameters and abstract type members can also abstract over type constructors
  • Fields of an object can be initialized before parent constructors are called
  • Syntax change for comprehensions
  • Implicit anonymous functions (with underscores for parameters)
  • Pattern matching of anonymous functions extended to support any arty
2.6.0[60] 27 July 2007
  • Existential types
  • Lazy values
  • Structural types
2.7.0[61] 7 February 2008
  • Java generic types supported by default
  • Case classes functionality extended
2.8.0[62] 14 Jul 2010
  • Revision the common, uniform, and all-encompassing framework for collection types.
  • Type specialisation
  • Named and default arguments
  • Package objects
  • Improved annotations
2.9.0[63] 12 May 2011
  • Parallel collections
  • Thread safe App trait replaces Application trait
  • DelayedInit trait
  • Java interop improvements
2.10[64] 4 January 2013
  • Value classes[65]
  • Implicit classes[66]
  • String interpolation[67]
  • Futures and promises[68]
  • Dynamic and applyDynamic[69]
  • Dependent method types:
    • defidentity(x:AnyRef):x.type=x// the return type says we return exactly what we got
  • New bytecode emitter based on ASM:
    • Can target JDK 1.5, 1.6 and 1.7
    • Emits 1.6 bytecode by default
    • Old 1.5 backend is deprecated
  • A new pattern matcher: rewritten from scratch to generate more robust code (no more exponential blow-up)
    • code generation and analyses are now independent (the latter can be turned off with -Xno-patmat-analysis)
  • Scaladoc improvements
    • Implicits (-implicits flag)
    • Diagrams (-diagrams flag, requires graphviz)
    • Groups (-groups)
  • Modularized language features[70]
  • Parallel collections[71] are now configurable with custom thread pools
  • Akka actors now part of the distribution
    • scala.actors have been deprecated and the akka implementation is now included in the distribution.
  • Performance improvements
    • Faster inliner
    • Range#sum is now O(1)
  • Update of ForkJoin library
  • Fixes in immutable TreeSet/TreeMap
  • Improvements to PartialFunctions
  • Addition of ??? and NotImplementedError
  • Addition of IsTraversableOnce + IsTraversableLike type classes for extension methods
  • Deprecations and cleanup
  • Floating point and octal literal syntax deprecation
  • Removed scala.dbc

Experimental features

2.10.2[74] 6 June 2013
2.10.3[75] 1 October 2013
2.10.4[76] 18 March 2014
2.10.5[77] 5 March 2015
2.11.0[78] 21 April 2014
  • Collection performance improvements
  • Compiler performance improvements
2.11.1[79] 20 May 2014
2.11.2[80] 22 July 2014
2.11.4[81] 31 October 2014
2.11.5[82] 8 January 2015
2.11.6[83] 5 March 2015
2.11.7[84] 23 June 2015
2.11.8[85] 8 March 2016
2.11.11[86] 18 April 2017
2.11.12[87] 13 November 2017
2.12.0[88] 3 November 2016
2.12.1[89] 5 December 2016
2.12.2[86] 18 April 2017
2.12.3[90] 26 July 2017
2.12.4[91] 17 October 2017
2.12.5[92] 15 March 2018
2.12.6[93] 27 April 2018
2.12.7[94] 27 September 2018
2.12.8[95] 4 December 2018
  • First Scala 2.12 release with the license changed to Apache v2.0
2.12.9[96] 5 August 2019
2.12.10[97] 10 September 2019
2.12.11[98] 16 March 2020
2.12.12[99] 13 July 2020
2.12.13[100] 12 January 2021
2.12.14[101] 28 May 2021
2.12.15[102] 14 Sep 2021
2.12.16[103] 10 June 2022
2.12.17[104] 16 September 2022
2.12.18[105] 7 June 2023
2.12.19[106] 25 February 2024
2.13.0[107] 11 June 2019
  • Standard collections library redesigned
  • Literal types
  • Partial type unification
  • By-name implicits
  • Compiler optimizations
2.13.1[108] 18 September 2019
2.13.2[109] 22 April 2020
2.13.3[110] 25 June 2020
2.13.4[111] 19 November 2020
2.13.5[112] 22 February 2021
2.13.6[113] 17 May 2021
2.13.7[114] 1 November 2021
2.13.8[115] 12 January 2022
2.13.9[116] 21 September 2022
2.13.10[117] 13 October 2022
2.13.11[118] 7 June 2023
2.13.12[119] 11 September 2023
2.13.13[120] 26 February 2024
2.13.14[121] 1 May 2024
2.13.15[122] 25 Sep 2024
3.0.0[123] 13 May 2021
3.0.1[124] 31 July 2021
3.0.2[125] 7 September 2021
3.1.0[126] 21 October 2021
3.1.1[127] 1 February 2022
3.1.2[128] 12 April 2022
3.1.3[129] 21 June 2022
3.2.0[130] 5 September 2022
3.2.1[131] 7 November 2022
3.2.2[132] 30 January 2023
3.3.0[133] 30 May 2023
3.3.1[134] 7 September 2023
3.3.2[135] 29 February 2024
3.3.3[136] 29 February 2024
3.4.0[136] 29 February 2024
3.4.1[137] 29 March 2024
3.4.2[138] 16 May 2024

Comparison with other JVM languages

[edit ]

Scala is often compared with Groovy and Clojure, two other programming languages also using the JVM. Substantial differences between these languages exist 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 that 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[38] 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 thus is generally slower, to allow greater programming flexibility and simplicity. Regarding speed differences, current versions of Groovy and Clojure allow 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.[citation needed ]

Adoption

[edit ]

Language rankings

[edit ]

Back in 2013, when Scala was in version 2.10, the ThoughtWorks Technology Radar, which is an opinion based biannual report of a group of senior technologists,[139] recommended Scala adoption in its languages and frameworks category.[140]

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.".[141]

In the 2018 edition of the State of Java survey,[142] which collected data from 5160 developers on various Java-related topics, Scala places third in terms of use of alternative languages on the JVM. Relative to the prior year's edition of the survey, Scala's use among alternative JVM languages fell from 28.4% to 21.5%, overtaken by Kotlin, which rose from 11.4% in 2017 to 28.8% in 2018. The Popularity of Programming Language Index,[143] which tracks searches for language tutorials, ranked Scala 15th in April 2018 with a small downward trend, and 17th in Jan 2021. This makes Scala the 3rd most popular JVM-based language after Java and Kotlin, ranked 12th.

The RedMonk Programming Language Rankings, which establishes rankings based on the number of GitHub projects and questions asked on Stack Overflow, in January 2021 ranked Scala 14th.[144] Here, Scala was placed inside a second-tier group of languages–ahead of Go, PowerShell, and Haskell, and behind Swift, Objective-C, Typescript, and R.

The TIOBE index [145] of programming language popularity employs internet search engine rankings and similar publication counting to determine language popularity. In September 2021, it showed Scala in 31st place. In this ranking, Scala was ahead of Haskell (38th) and Erlang, but below Go (14th), Swift (15th), and Perl (19th).

As of 2022[update] , JVM-based languages such as Clojure, Groovy, and Scala are highly ranked, but still significantly less popular than the original Java language, which is usually ranked in the top three places.[144] [145]

Companies

[edit ]

Criticism

[edit ]

In November 2011, Yammer moved away from Scala for reasons that included the learning curve for new team members and incompatibility from one version of the Scala compiler to the next.[175] In March 2015, former VP of the Platform Engineering group at Twitter Raffi Krikorian, stated that he would not have chosen Scala in 2011 due to its learning curve.[176] The same month, LinkedIn SVP Kevin Scott stated their decision to "minimize [their] dependence on Scala".[177]

See also

[edit ]
  • sbt, a widely used build tool for Scala projects
  • Spark Framework is designed to handle and process big-data, and it solely supports Scala
  • Neo4j is a java spring framework supported by Scala with domain-specific functionality, analytical capabilities, graph algorithms, and many more
  • Play!, an open-source Web application framework that supports Scala
  • Akka, an open-source toolkit for building concurrent and distributed applications
  • Chisel, an open-source language built on Scala that is used for hardware design and generation.[178]

References

[edit ]
  1. ^ "Release 3.7.3". 9 September 2025. Retrieved 16 September 2025.
  2. ^ "Notice file". GitHub . 2019年01月24日. Retrieved 2019年12月04日.
  3. ^ "Scala Macros".
  4. ^ Fogus, Michael (6 August 2010). "MartinOdersky take(5) toList". Send More Paramedics. Retrieved 2012年02月09日.
  5. ^ a b c d Odersky, Martin (11 January 2006). "The Scala Experiment - Can We Provide Better Language Support for Component Systems?" (PDF). Retrieved 2016年06月22日.
  6. ^ a b c d Odersky, Martin; et al. (2006). "An Overview of the Scala Programming Language" (PDF) (2nd ed.). École Polytechnique Fédérale de Lausanne (EPFL). Archived (PDF) from the original on 2020年07月09日.
  7. ^ Odersky, Martin (2008). Programming in Scala. Mountain View, California: Artima. p. 3. ISBN 9780981531601 . Retrieved 12 June 2014.
  8. ^ Wampler, Dean; Payne, Alex (15 September 2009). Programming Scala: Scalability = Functional Programming + Objects. O'Reilly Media, Inc. p. 7. ISBN 978-1-4493-7926-1 . Retrieved 13 May 2024. The creators of Scala actually pronounce it scah-lah, like the Italian word for "stairs." The two "a"s are pronounced the same.
  9. ^ Potvin, Pascal; Bonja, Mario (24 September 2015). SDL 2013: Model-Driven Dependability Engineering. Lecture Notes in Computer Science. Vol. 7916. arXiv:1509.07326 . doi:10.1007/978-3-642-38911-5. ISBN 978-3-642-38910-8. S2CID 1214469.
  10. ^ "Frequently Asked Questions: Java Interoperability". Scala-lang.org. Retrieved 2015年02月06日.
  11. ^ Martin Odersky (17 June 2020). Martin Odersky: A Scala 3 Update (video). YouTube. Event occurs at 36:35–45:08. Archived from the original on 2021年12月21日. Retrieved 2021年04月24日.
  12. ^ "Effect expt". scala. Retrieved 2022年07月31日.
  13. ^ Loverdo, Christos (2010). Steps in Scala: An Introduction to Object-Functional Programming. Cambridge University Press. p. xiii. ISBN 9781139490948 . Retrieved 31 July 2014.
  14. ^ a b c d Odersky, Martin (9 June 2006). "A Brief History of Scala". Artima.com.
  15. ^ a b c d Odersky, M.; Rompf, T. (2014). "Unifying functional and object-oriented programming with Scala". Communications of the ACM. 57 (4): 76. doi:10.1145/2591013 .
  16. ^ Martin Odersky, "The Scala Language Specification Version 2.7"
  17. ^ "Scala Team Wins ERC Grant" . Retrieved 4 July 2015.
  18. ^ "Commercial Support for Scala". 2011年05月12日. Retrieved 2011年08月18日.
  19. ^ "Why We Invested in Typesafe: Modern Applications Demand Modern Tools". 2011年05月12日. Retrieved 2018年05月08日.
  20. ^ "Open-source Scala gains commercial backing". 2011年05月12日. Retrieved 2011年10月09日.
  21. ^ "Cloud computing pioneer Martin Odersky takes wraps off his new company Typesafe". 2011年05月12日. Retrieved 2011年08月24日.
  22. ^ "Scala on Android". Archived from the original on 20 June 2016. Retrieved 8 June 2016.
  23. ^ "Scala 2.12.8 is now available!". 2018年12月04日. Retrieved 2018年12月09日.
  24. ^ "Scala Js Is No Longer Experimental | The Scala Programming Language". Scala-lang.org. 5 February 2015. Retrieved 28 October 2015.
  25. ^ "Releases · scala-js/Scala-js". GitHub .
  26. ^ Krill, Paul (15 March 2017). "Scaled-down Scala variant cuts ties to the JVM". InfoWorld . Retrieved 21 March 2017.
  27. ^ Krill, Paul (2016年05月11日). "Scala language moves closer to bare metal". InfoWorld .
  28. ^ Expunged the .net backend. by paulp · Pull Request #1718 · scala/scala · GitHub. Github.com (2012年12月05日). Retrieved on 2013年11月02日.
  29. ^ "Getting Started with Scala". Scala-lang.org. 15 July 2008. Retrieved 31 July 2014.
  30. ^ "Home". Blog.lostlake.org. Archived from the original on 31 August 2010. Retrieved 2013年06月25日.
  31. ^ Scala's built-in control structures such as if or while cannot be re-implemented. There is a research project, Scala-Virtualized, that aimed at removing these restrictions: Adriaan Moors, Tiark Rompf, Philipp Haller and Martin Odersky. Scala-Virtualized. Proceedings of the ACM SIGPLAN 2012 workshop on Partial evaluation and program manipulation, 117–120. July 2012.
  32. ^ a b "Pimp my Library". Artima.com. 2006年10月09日. Retrieved 2013年06月25日.
  33. ^ "Expressions | Scala 2.13". scala-lang.org. Retrieved 2021年05月24日.
  34. ^ "Mutable and Immutable Collections - Scala Documentation" . Retrieved 30 April 2020.
  35. ^ "Collections - Concrete Immutable Collection Classes - Scala Documentation" . Retrieved 4 July 2015.
  36. ^ Dougherty, Rich. "Rich Dougherty's blog" . Retrieved 4 July 2015.
  37. ^ "TailCalls - Scala Standard Library API (Scaladoc) 2.10.2 - scala.util.control.TailCalls". Scala-lang.org. Retrieved 2013年06月25日.
  38. ^ a b "Java and Scala's Type Systems are Unsound" (PDF).
  39. ^ Giarrusso, Paolo G. (2013). "Reify your collection queries for modularity and speed!". Proceedings of the 12th annual international conference on Aspect-oriented software development. ACM. arXiv:1210.6284 . Bibcode:2012arXiv1210.6284G. Also known as pimp-my-library pattern
  40. ^ Gilbert, Clint (2011年11月15日). "What is highest priority for Scala to succeed in corporate world (Should be in scala-debate?) ?". Scala-lang.org. Retrieved 2019年05月08日.
  41. ^ "Should we "enrich" or "pimp" Scala libraries?". stackexchange.com. 17 June 2013. Retrieved 15 April 2016.
  42. ^ Implicit classes were introduced in Scala 2.10 to make method extensions more concise. This is equivalent to adding a method implicit def IntPredicate(i: Int) = new IntPredicate(i). The class can also be defined as implicit class IntPredicates(val i: Int) extends AnyVal { ... }, producing a so-called value class, also introduced in Scala 2.10. The compiler will then eliminate actual instantiations and generate static methods instead, allowing extension methods to have virtually no performance overhead.
  43. ^ What is Akka?, Akka online documentation
  44. ^ Sufrin, Bernard (2008). "Communicating Scala Objects". In Welch, P. H.; Stepney, S.; Polack, F.A.C.; Barnes, F. R. M.; McEwan, A.A.; Stiles, G.S.; Broenink, J. F.; Sampson, A. T. (eds.). Communicating Process Architectures 2008: WoTUG-31 (PDF). IOS Press. ISBN 978-1586039073.
  45. ^ Yan, Kay. "Scala Tour" . Retrieved 4 July 2015.
  46. ^ "Parallelcollections - Overview - Scala Documentation". Docs.scala-lang.org. Retrieved 2013年06月25日.
  47. ^ Yan, Kay. "Scala Tour" . Retrieved 4 July 2015.
  48. ^ Learning Concurrent Programming in Scala, Aleksandar Prokopec, Packt Publishing
  49. ^ Kops, Micha (2013年01月13日). "A short Introduction to ScalaTest". hascode.com. Retrieved 2014年11月07日.
  50. ^ Nilsson, Rickard (2008年11月17日). "ScalaCheck 1.5". Scala-lang.org. Retrieved 2014年11月07日.
  51. ^ "Build web applications using Scala and the Play Framework". workwithplay.com. 2013年05月22日. Retrieved 2014年11月07日.
  52. ^ Butcher, Paul (2012年06月04日). "ScalaMock 3.0 Preview Release". paulbutcher.com. Archived from the original on 2014年11月08日. Retrieved 2014年11月07日.
  53. ^ a b c d e f g "Scala Change History". Scala-lang.org. Archived from the original on 2007年10月09日.
  54. ^ "Dropped: XML Literals". dotty.epfl.ch. Retrieved 2021年03月05日.
  55. ^ "Changes in Version 2.0 (12-Mar-2006)". Scala-lang.org. 2006年03月12日. Retrieved 2014年11月07日.
  56. ^ "Changes in Version 2.1.8 (23-Aug-2006)". Scala-lang.org. 2006年08月23日. Retrieved 2014年11月07日.
  57. ^ "Changes in Version 2.3.0 (23-Nov-2006)". Scala-lang.org. 2006年11月23日. Retrieved 2014年11月07日.
  58. ^ "Changes in Version 2.4.0 (09-Mar-2007)". Scala-lang.org. 2007年03月09日. Retrieved 2014年11月07日.
  59. ^ "Changes in Version 2.5 (02-May-2007)". Scala-lang.org. 2007年05月02日. Retrieved 2014年11月07日.
  60. ^ "Changes in Version 2.6 (27-Jul-2007)". Scala-lang.org. 2007年06月27日. Retrieved 2014年11月07日.
  61. ^ "Changes in Version 2.7.0 (07-Feb-2008)". Scala-lang.org. 2008年02月07日. Retrieved 2014年11月07日.
  62. ^ "Changes in Version 2.8.0 (14-Jul-2010)". Scala-lang.org. 2010年07月10日. Retrieved 2014年11月07日.
  63. ^ "Changes in Version 2.9.0 (12-May-2011)". Scala-lang.org. 2011年05月12日. Retrieved 2014年11月07日.
  64. ^ "Changes in Version 2.10.0". Scala-lang.org. 2013年01月04日. Retrieved 2014年11月07日.
  65. ^ Harrah, Mark. "Value Classes and Universal Traits". Scala-lang.org. Retrieved 2014年11月07日.
  66. ^ Suereth, Josh. "SIP-13 - Implicit classes". Scala-lang.org. Archived from the original on 2014年11月08日. Retrieved 2014年11月07日.
  67. ^ Suereth, Josh. "String Interpolation". Scala-lang.org. Retrieved 2014年11月07日.
  68. ^ Haller, Philipp; Prokopec, Aleksandar. "Futures and Promises". Scala-lang.org. Retrieved 2014年11月07日.
  69. ^ "SIP-17 - Type Dynamic". Scala-lang.org. Archived from the original on 2014年11月08日. Retrieved 2014年11月07日.
  70. ^ "SIP-18 - Modularizing Language Features". Scala-lang.org. Archived from the original on 2014年11月08日. Retrieved 2014年11月07日.
  71. ^ Prokopec, Aleksandar; Miller, Heather. "Parallel Collections". Scala-lang.org. Retrieved 2014年11月07日.
  72. ^ Miller, Heather; Burmako, Eugene. "Reflection Overview". Scala-lang.org. Retrieved 2014年11月07日.
  73. ^ Burmako, Eugene. "Def Macros". Scala-lang.org. Retrieved 2014年11月07日.
  74. ^ "Scala 2.10.2 is now available!". Scala-lang.org. 2013年06月06日. Archived from the original on 2014年11月08日. Retrieved 2014年11月07日.
  75. ^ "Scala 2.10.3 is now available!". Scala-lang.org. 2013年10月01日. Archived from the original on 2014年11月08日. Retrieved 2014年11月07日.
  76. ^ "Scala 2.10.4 is now available!". Scala-lang.org. 2014年03月18日. Retrieved 2015年01月07日.
  77. ^ "Scala 2.10.5 is now available!". Scala-lang.org. 2015年03月04日. Retrieved 2015年03月23日.
  78. ^ "Scala 2.11.0 is now available!". Scala-lang.org. 2014年04月21日. Retrieved 2014年11月07日.
  79. ^ "Scala 2.11.1 is now available!". Scala-lang.org. 2014年05月20日. Retrieved 2014年11月07日.
  80. ^ "Scala 2.11.2 is now available!". Scala-lang.org. 2014年07月22日. Retrieved 2014年11月07日.
  81. ^ "Scala 2.11.4 is now available!". Scala-lang.org. 2014年10月30日. Retrieved 2014年11月07日.
  82. ^ "Scala 2.11.5 is now available!". Scala-lang.org. 2015年01月08日. Retrieved 2015年01月22日.
  83. ^ "Scala 2.11.6 is now available!". Scala-lang.org. 2015年03月05日. Retrieved 2015年03月12日.
  84. ^ "Scala 2.11.7 is now available!". Scala-lang.org. 2015年06月23日. Retrieved 2015年07月03日.
  85. ^ "Scala 2.11.8 is now available!". Scala-lang.org. 2016年03月08日. Retrieved 2016年03月09日.
  86. ^ a b "Three new releases and more GitHub goodness!". Scala-lang.org. 2017年04月18日. Retrieved 2017年04月19日.
  87. ^ "Security update: 2.12.4, 2.11.12, 2.10.7 (CVE-2017-15288)". Scala-lang.org. 2017年11月13日. Retrieved 2018年05月04日.
  88. ^ "Scala 2.12.0 is now available!". Scala-lang.org. 2016年11月03日. Retrieved 2017年01月08日.
  89. ^ "Scala 2.12.1 is now available!". Scala-lang.org. 2016年12月05日. Retrieved 2017年01月08日.
  90. ^ "Scala 2.12.3 is now available!". Scala-lang.org. 2017年07月26日. Retrieved 2017年08月16日.
  91. ^ "Scala 2.12.4 is now available!". Scala-lang.org. 2017年10月18日. Retrieved 2017年10月26日.
  92. ^ "Scala 2.12.5 is now available!". Scala-lang.org. 2018年03月15日. Retrieved 2018年03月20日.
  93. ^ "Scala 2.12.6 is now available!". Scala-lang.org. 2018年04月27日. Retrieved 2018年05月04日.
  94. ^ "Scala 2.12.7 is now available!". Scala-lang.org. 2018年09月27日. Retrieved 2018年10月09日.
  95. ^ "Scala 2.12.8 is now available!". Scala-lang.org. 2018年12月04日. Retrieved 2018年12月09日.
  96. ^ "Scala 2.12.9 is now available!". Scala-lang.org. 2019年08月05日. Retrieved 2021年01月20日.
  97. ^ "Scala 2.12.10 is now available!". Scala-lang.org. 2019年09月10日. Retrieved 2021年01月20日.
  98. ^ "Scala 2.12.11 is now available!". Scala-lang.org. 2020年03月16日. Retrieved 2021年01月20日.
  99. ^ "Scala 2.12.12 is now available!". Scala-lang.org. 2020年07月13日. Retrieved 2021年01月20日.
  100. ^ "Scala 2.12.13 is now available!". Scala-lang.org. 2021年01月12日. Retrieved 2021年01月20日.
  101. ^ "Scala 2.12.14 is now available!". Scala-lang.org. 2021年05月28日. Retrieved 2022年04月15日.
  102. ^ "Scala 2.12.15 is now available!". Scala-lang.org. 2021年09月14日. Retrieved 2022年06月19日.
  103. ^ "Scala 2.12.16 is now available!". Scala-lang.org. 2022年06月10日. Retrieved 2022年06月19日.
  104. ^ "Scala 2.12.17 is now available!". Scala-lang.org. 2022年06月10日. Retrieved 2022年09月16日.
  105. ^ "Scala 2.12.18 is now available!". Scala-lang.org. 2022年06月10日. Retrieved 2023年06月07日.
  106. ^ "Scala 2.12.19 is now available!". Scala-lang.org. 2024年02月25日. Retrieved 2024年08月12日.
  107. ^ "Scala 2.13.0 is now available!". Scala-lang.org. 2019年06月11日. Retrieved 2018年06月17日.
  108. ^ "Scala 2.13.1 is now available!". Scala-lang.org. 2019年09月18日. Retrieved 2021年01月20日.
  109. ^ "Scala 2.13.2 is now available!". Scala-lang.org. 2020年04月22日. Retrieved 2021年01月20日.
  110. ^ "Scala 2.13.3 is now available!". Scala-lang.org. 2020年06月25日. Retrieved 2021年01月20日.
  111. ^ "Scala 2.13.4 is now available!". Scala-lang.org. 2020年11月19日. Retrieved 2021年01月20日.
  112. ^ "Scala 2.13.5 is now available!". Scala-lang.org. 2021年02月22日. Retrieved 2021年02月26日.
  113. ^ "Scala 2.13.6 is now available!". Scala-lang.org. 2021年05月17日. Retrieved 2022年04月15日.
  114. ^ "Scala 2.13.7 is now available!". Scala-lang.org. 2021年11月01日. Retrieved 2022年04月15日.
  115. ^ "Scala 2.13.8 is now available!". Scala-lang.org. 2022年01月12日. Retrieved 2022年04月15日.
  116. ^ "Scala 2.13.9 is now available!". Scala-lang.org. 2022年09月21日. Retrieved 2023年08月28日.
  117. ^ "Scala 2.13.10 is now available!". Scala-lang.org. 2022年10月13日. Retrieved 2023年08月28日.
  118. ^ "Scala 2.13.11 is now available!". Scala-lang.org. 2023年06月07日. Retrieved 2023年08月28日.
  119. ^ "Scala 2.13.12 is now available!". Scala-lang.org. 2023年09月11日. Retrieved 2024年08月12日.
  120. ^ "Scala 2.13.13 is now available!". Scala-lang.org. 2024年02月26日. Retrieved 2024年08月12日.
  121. ^ "Scala 2.13.14 is now available!". Scala-lang.org. 2024年05月01日. Retrieved 2024年08月12日.
  122. ^ "Scala 2.13.15 is now available!". Scala-lang.org. 2024年09月25日. Retrieved 2024年12月05日.
  123. ^ "Scala 3 is here!". Scala-lang.org. 2021年05月14日. Retrieved 2021年05月26日.
  124. ^ "Scala 3.0.1 and 3.0.2-RC1 are here!". Scala-lang.org. 2021年07月31日. Retrieved 2024年08月12日.
  125. ^ "Scala 3.0.2 released!". Scala-lang.org. 2021年09月07日. Retrieved 2024年08月12日.
  126. ^ "Scala 3.1.0 released!". Scala-lang.org. 2021年10月21日. Retrieved 2024年08月12日.
  127. ^ "Scala 3.1.1 and forward compatibility news". Scala-lang.org. 2022年02月01日. Retrieved 2024年08月12日.
  128. ^ "Scala 3.1.2 released!". Scala-lang.org. 2022年04月12日. Retrieved 2024年08月12日.
  129. ^ "Scala 3.1.3 released!". Scala-lang.org. 2022年06月21日. Retrieved 2024年08月12日.
  130. ^ "Scala 3.2.0 released!". Scala-lang.org. 2022年09月05日. Retrieved 2024年08月12日.
  131. ^ "Scala 3.2.1 released!". Scala-lang.org. 2022年11月07日. Retrieved 2024年08月12日.
  132. ^ "Scala 3.2.2 is now available!". Scala-lang.org. 2023年01月30日. Retrieved 2024年08月12日.
  133. ^ "Scala 3.3.0 released!". Scala-lang.org. 2023年05月30日. Retrieved 2024年08月12日.
  134. ^ "Scala 3.3.1 LTS is now available!". Scala-lang.org. 2023年09月07日. Retrieved 2024年08月12日.
  135. ^ "Scala 3.3.2". github.com. 2024年02月29日. Retrieved 2024年08月12日.
  136. ^ a b "Scala 3.4.0 and 3.3.3 LTS released!". Scala-lang.org. 2024年02月29日. Retrieved 2024年08月12日.
  137. ^ "Scala 3.4.1 is now available!". Scala-lang.org. 2024年03月29日. Retrieved 2024年08月12日.
  138. ^ "Scala 3.4.2 is now available!". Scala-lang.org. 2024年05月16日. Retrieved 2024年08月12日.
  139. ^ "ThoughtWorks Technology Radar FAQ".
  140. ^ "ThoughtWorks Technology Radar MAY 2013" (PDF).
  141. ^ "Scala, the good parts".
  142. ^ "The State of Java in 2018".
  143. ^ "Popularity of Programming Language Index".
  144. ^ a b O'Grady, Stephen (1 March 2021). "The RedMonk Programming Language Rankings: January 2021". RedMonk.
  145. ^ a b "TIOBE Index for May 2021".
  146. ^ Greene, Kate (1 April 2009). "The Secret Behind Twitter's Growth, How a new Web programming language is helping the company handle its increasing popularity". Technology Review. MIT. Retrieved 6 April 2009.
  147. ^ Breck, Colin; Link, Percy (2020年03月23日). "Tesla Virtual Power Plant (Architecture and Design)" . Retrieved 2023年03月28日.
  148. ^ "Apache Kafka source code at GitHub". Apache Software Foundation. Retrieved 29 March 2023.
  149. ^ "Play Framework, Akka and Scala at Gilt Groupe". Lightbend. 15 July 2013. Retrieved 16 July 2016.
  150. ^ "Scala, Lift, and the Future". Archived from the original on 13 January 2016. Retrieved 4 July 2015.
  151. ^ Saeta, Brennan (2014年02月17日). "Why we love Scala at Coursera". Coursera Engineering. Retrieved 2023年09月21日.
  152. ^ "Apple Engineering PM Jarrod Nettles on Twitter". Jarrod Nettles. Retrieved 2016年03月11日.
  153. ^ "30 Scala job openings at Apple". Alvin Alexander. Retrieved 2016年03月11日.
  154. ^ David Reid & Tania Teixeira (26 February 2010). "Are people ready to pay for online news?". BBC. Retrieved 2010年02月28日.
  155. ^ "Guardian switching from Java to Scala". Heise Online. 2011年04月05日. Retrieved 2011年04月05日.
  156. ^ "Guardian.co.uk Switching from Java to Scala". InfoQ.com. 2011年04月04日. Retrieved 2011年04月05日.
  157. ^ Roy, Suman; Sundaresan, Krishna (2014年05月13日). "Building Blackbeard: A Syndication System Powered By Play, Scala and Akka". The New York Times . Retrieved 2014年07月20日.
  158. ^ Pavley, John (2013年08月11日). "Sneak Peek: HuffPost Brings Real Time Collaboration to the Newsroom". Huffington Post . Retrieved 2014年07月20日.
  159. ^ Binstock, Andrew (2011年07月14日). "Interview with Scala's Martin Odersky". Dr. Dobb's Journal . Retrieved 2012年02月10日.
  160. ^ Synodinos, Dionysios G. (2010年10月11日). "LinkedIn Signal: A Case Study for Scala, JRuby and Voldemort". InfoQ.
  161. ^ "Real-life Meetups Deserve Real-time APIs".
  162. ^ "Real time updating comes to the Remember The Milk web app".
  163. ^ "WHAT IS SCALA". 8 March 2023. Archived from the original on 2023年03月17日. Retrieved 2023年03月17日.
  164. ^ Novet, Jordan (2015年06月04日). "Airbnb announces Aerosolve, an open-source machine learning software package" . Retrieved 2016年03月09日.
  165. ^ Kops, Alexander (2015年12月14日). "Zalando Tech: From Java to Scala in Less Than Three Months" . Retrieved 2016年03月09日.
  166. ^ Calçado, Phil (2014年06月13日). "Building Products at SoundCloud—Part III: Microservices in Scala and Finagle" . Retrieved 2016年03月09日.
  167. ^ "Customer Case Studies: SoundCloud". Concurrent Inc. 2014年11月18日. Retrieved 2016年03月09日.
  168. ^ Scala at Morgan Stanley (video). Skills Matter. 2015年12月03日. Retrieved 2016年03月11日.
  169. ^ Greg Soltis (2015年12月03日). SF Scala, Greg Soltis: High Performance Services in Scala (video). Skills Matter. Archived from the original on 2021年12月21日. Retrieved 2016年03月11日.
  170. ^ Lee Mighdoll. "Scala jobs at Nest" . Retrieved 2016年03月11日.
  171. ^ Nurun. "Nurun Launches Redesigned Transactional Platform With Walmart Canada" . Retrieved 2013年12月11日.
  172. ^ Horie, André K. (2017年01月31日). "Rewriting Duolingo's engine in Scala" . Retrieved 2017年02月03日.
  173. ^ "HMRC GitHub repository". GitHub .
  174. ^ "Meet M1 Finance, A ScalaCon Gold Sponsor". ScalaCon. Retrieved 2023年09月02日.
  175. ^ Hale, Coda (29 November 2011). "The Rest of the Story". codahale.com. Retrieved 7 November 2013.
  176. ^ Krikorian, Raffi (17 March 2015). O'Reilly Software Architecture Conference 2015 Complete Video Compilation: Re-Architecting on the Fly - Raffi Krikorian - Part 3 (video). O'Reilly Media. Event occurs at 4:57. Retrieved 8 March 2016. What I would have done differently four years ago is use Java and not used Scala as part of this rewrite. [...] it would take an engineer two months before they're fully productive and writing Scala code.[permanent dead link ]
  177. ^ Scott, Kevin (11 Mar 2015). "Is LinkedIn getting rid of Scala?". quora.com. Retrieved 25 January 2016.
  178. ^ "Chisel: Constructing Hardware in a Scala Embedded Language". UC Berkeley APSIRE. Retrieved 27 May 2020.

Further reading

[edit ]
Wikibooks has a book on the topic of: Scala
Platforms
Technologies
Oracle
Platform
Major
third-party
History
JVM
languages
Community
Conferences
Organizations
People

AltStyle によって変換されたページ (->オリジナル) /