Skip to content

Commit 5d007a2

Browse files
authored
Merge pull request #237 from retronym/topic/xasync
Use compiler integrated async phase under -Xasync
2 parents 8b3a647 + 4d33d8a commit 5d007a2

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

55 files changed

+818
-7523
lines changed

.travis.yml

+2-2
Original file line numberDiff line numberDiff line change
@@ -5,8 +5,8 @@ import: scala/scala-dev:travis/default.yml
55
language: scala
66

77
scala:
8-
- 2.12.11
9-
- 2.13.2
8+
- 2.12.12
9+
- 2.13.3
1010

1111
env:
1212
- ADOPTOPENJDK=8

README.md

+64-62
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,20 @@
11
# scala-async [![Build Status](https://travis-ci.org/scala/scala-async.svg?branch=master)](https://travis-ci.org/scala/scala-async) [<img src="https://img.shields.io/maven-central/v/org.scala-lang.modules/scala-async_2.12.svg?label=latest%20release%20for%202.12">](http://search.maven.org/#search%7Cga%7C1%7Cg%3Aorg.scala-lang.modules%20a%3Ascala-async_2.12) [<img src="https://img.shields.io/maven-central/v/org.scala-lang.modules/scala-async_2.13.svg?label=latest%20release%20for%202.13">](http://search.maven.org/#search%7Cga%7C1%7Cg%3Aorg.scala-lang.modules%20a%3Ascala-async_2.13)
22

3-
## Supported Scala versions
4-
5-
This branch (version series 0.10.x) targets Scala 2.12 and 2.13. `scala-async` is no longer maintained for older versions.
3+
A DSL to enable a direct style of programming with when composing values wrapped in Scala `Future`s.
64

75
## Quick start
86

97
To include scala-async in an existing project use the library published on Maven Central.
108
For sbt projects add the following to your build definition - build.sbt or project/Build.scala:
119

10+
### Use a modern Scala compiler
11+
12+
As of scala-async 1.0, Scala 2.12.12+ or 2.13.3+ are required.
13+
14+
### Add dependency
15+
16+
#### SBT Example
17+
1218
```scala
1319
libraryDependencies += "org.scala-lang.modules" %% "scala-async" % "0.10.0"
1420
libraryDependencies += "org.scala-lang" % "scala-reflect" % scalaVersion.value % Provided
@@ -17,28 +23,58 @@ libraryDependencies += "org.scala-lang" % "scala-reflect" % scalaVersion.value %
1723
For Maven projects add the following to your <dependencies> (make sure to use the correct Scala version suffix
1824
to match your project’s Scala binary version):
1925

26+
#### Maven Example
27+
2028
```scala
2129
<dependency>
22-
<groupId>org.scala-lang.modules</groupId>
23-
<artifactId>scala-async_2.12</artifactId>
24-
<version>0.10.0</version>
30+
<groupId>org.scala-lang.modules</groupId>
31+
<artifactId>scala-async_2.13</artifactId>
32+
<version>1.0.0</version>
2533
</dependency>
2634
<dependency>
27-
<groupId>org.scala-lang</groupId>
28-
<artifactId>scala-reflect</artifactId>
29-
<version>2.12.11</version>
30-
<scope>provided</scope>
35+
<groupId>org.scala-lang</groupId>
36+
<artifactId>scala-reflect</artifactId>
37+
<version>2.13.3</version>
38+
<scope>provided</scope>
3139
</dependency>
3240
```
3341

34-
After adding scala-async to your classpath, write your first `async` block:
42+
### Enable compiler support for `async`
43+
44+
Add the `-Xasync` to the Scala compiler options.
45+
46+
#### SBT Example
47+
```scala
48+
scalaOptions += "-Xasync"
49+
```
50+
51+
#### Maven Example
52+
53+
```xml
54+
<project>
55+
...
56+
<plugin>
57+
<groupId>net.alchim31.maven</groupId>
58+
<artifactId>scala-maven-plugin</artifactId>
59+
<version>4.4.0</version>
60+
<configuration>
61+
<args>
62+
<arg>-Xasync</arg>
63+
</args>
64+
</configuration>
65+
</plugin>
66+
...
67+
</project>
68+
```
69+
70+
### Start coding
3571

3672
```scala
3773
import scala.concurrent.ExecutionContext.Implicits.global
3874
import scala.async.Async.{async, await}
3975

4076
val future = async {
41-
val f1 = async { ...; true }
77+
val f1: Future[Boolean] = async { ...; true }
4278
val f2 = async { ...; 42 }
4379
if (await(f1)) await(f2) else 0
4480
}
@@ -93,6 +129,22 @@ def combined: Future[Int] = async {
93129
}
94130
```
95131

132+
## Limitations
133+
134+
### `await` must be directly in the control flow of the async expression
135+
136+
The `await` cannot be nested under a local method, object, class or lambda:
137+
138+
```
139+
async {
140+
List(1).foreach { x => await(f(x) } // invali
141+
}
142+
```
143+
144+
### `await` must be not be nested within `try` / `catch` / `finally`.
145+
146+
This implementation restriction may be lifted in future versions.
147+
96148
## Comparison with direct use of `Future` API
97149

98150
This computation could also be expressed by directly using the
@@ -119,53 +171,3 @@ The `async` approach has two advantages over the use of
119171
required at each generator (`<-`) in the for-comprehension.
120172
This reduces the size of generated code, and can avoid boxing
121173
of intermediate results.
122-
123-
## Comparison with CPS plugin
124-
125-
The existing continuations (CPS) plugin for Scala can also be used
126-
to provide a syntactic layer like `async`. This approach has been
127-
used in Akka's [Dataflow Concurrency](http://doc.akka.io/docs/akka/2.3-M1/scala/dataflow.html)
128-
(now deprecated in favour of this library).
129-
130-
CPS-based rewriting of asynchronous code also produces a closure
131-
for each suspension. It can also lead to type errors that are
132-
difficult to understand.
133-
134-
## How it works
135-
136-
- The `async` macro analyses the block of code, looking for control
137-
structures and locations of `await` calls. It then breaks the code
138-
into 'chunks'. Each chunk contains a linear sequence of statements
139-
that concludes with a branching decision, or with the registration
140-
of a subsequent state handler as the continuation.
141-
- Before this analysis and transformation, the program is normalized
142-
into a form amenable to this manipulation. This is called the
143-
"A Normal Form" (ANF), and roughly means that:
144-
- `if` and `match` constructs are only used as statements;
145-
they cannot be used as an expression.
146-
- calls to `await` are not allowed in compound expressions.
147-
- Identify vals, vars and defs that are accessed from multiple
148-
states. These will be lifted out to fields in the state machine
149-
object.
150-
- Synthesize a class that holds:
151-
- an integer representing the current state ID.
152-
- the lifted definitions.
153-
- an `apply(value: Try[Any]): Unit` method that will be
154-
called on completion of each future. The behavior of
155-
this method is determined by the current state. It records
156-
the downcast result of the future in a field, and calls the
157-
`resume()` method.
158-
- the `resume(): Unit` method that switches on the current state
159-
and runs the users code for one 'chunk', and either:
160-
a) registers the state machine as the handler for the next future
161-
b) completes the result Promise of the `async` block, if at the terminal state.
162-
- an `apply(): Unit` method that starts the computation.
163-
164-
## Limitations
165-
166-
- See the [neg](https://github.com/scala/async/tree/master/src/test/scala/scala/async/neg) test cases
167-
for constructs that are not allowed in an `async` block.
168-
- See the [issue list](https://github.com/scala/async/issues?state=open) for which of these restrictions are planned
169-
to be dropped in the future.
170-
- See [#32](https://github.com/scala/async/issues/32) for why `await` is not possible in closures, and for suggestions on
171-
ways to structure the code to work around this limitation.

build.sbt

+1-1
Original file line numberDiff line numberDiff line change
@@ -4,13 +4,13 @@ ScalaModulePlugin.scalaModuleOsgiSettings
44
name := "scala-async"
55

66
libraryDependencies += "org.scala-lang" % "scala-reflect" % scalaVersion.value % "provided"
7-
libraryDependencies += "org.scala-lang" % "scala-compiler" % scalaVersion.value % "test" // for ToolBox
87
libraryDependencies += "junit" % "junit" % "4.12" % "test"
98
libraryDependencies += "com.novocode" % "junit-interface" % "0.11" % "test"
109

1110
ScalaModulePlugin.enableOptimizer
1211
testOptions += Tests.Argument(TestFrameworks.JUnit, "-q", "-v", "-s")
1312
scalacOptions in Test ++= Seq("-Yrangepos")
13+
scalacOptions ++= List("-deprecation" , "-Xasync")
1414

1515
parallelExecution in Global := false
1616

pending/run/fallback0/MinimalScalaTest.scala

Whitespace-only changes.

src/main/scala/scala/async/Async.scala

+32-3
Original file line numberDiff line numberDiff line change
@@ -13,8 +13,9 @@
1313
package scala.async
1414

1515
import scala.language.experimental.macros
16-
import scala.concurrent.{Future, ExecutionContext}
16+
import scala.concurrent.{ExecutionContext, Future}
1717
import scala.annotation.compileTimeOnly
18+
import scala.reflect.macros.whitebox
1819

1920
/**
2021
* Async blocks provide a direct means to work with [[scala.concurrent.Future]].
@@ -50,14 +51,42 @@ object Async {
5051
* Run the block of code `body` asynchronously. `body` may contain calls to `await` when the results of
5152
* a `Future` are needed; this is translated into non-blocking code.
5253
*/
53-
def async[T](body: => T)(implicit execContext: ExecutionContext): Future[T] = macro internal.ScalaConcurrentAsync.asyncImpl[T]
54+
def async[T](body: => T)(implicit execContext: ExecutionContext): Future[T] = macro asyncImpl[T]
5455

5556
/**
5657
* Non-blocking await the on result of `awaitable`. This may only be used directly within an enclosing `async` block.
5758
*
5859
* Internally, this will register the remainder of the code in enclosing `async` block as a callback
5960
* in the `onComplete` handler of `awaitable`, and will *not* block a thread.
6061
*/
61-
@compileTimeOnly("`await` must be enclosed in an `async` block")
62+
@compileTimeOnly("[async] `await` must be enclosed in an `async` block")
6263
def await[T](awaitable: Future[T]): T = ??? // No implementation here, as calls to this are translated to `onComplete` by the macro.
64+
65+
def asyncImpl[T: c.WeakTypeTag](c: whitebox.Context)
66+
(body: c.Tree)
67+
(execContext: c.Tree): c.Tree = {
68+
import c.universe._
69+
if (!c.compilerSettings.contains("-Xasync")) {
70+
c.abort(c.macroApplication.pos, "The async requires the compiler option -Xasync (supported only by Scala 2.12.12+ / 2.13.3+)")
71+
} else try {
72+
val awaitSym = typeOf[Async.type].decl(TermName("await"))
73+
def mark(t: DefDef): Tree = {
74+
import language.reflectiveCalls
75+
c.internal.asInstanceOf[{
76+
def markForAsyncTransform(owner: Symbol, method: DefDef, awaitSymbol: Symbol, config: Map[String, AnyRef]): DefDef
77+
}].markForAsyncTransform(c.internal.enclosingOwner, t, awaitSym, Map.empty)
78+
}
79+
val name = TypeName("stateMachine$async")
80+
q"""
81+
final class $name extends _root_.scala.async.FutureStateMachine(${execContext}) {
82+
// FSM translated method
83+
${mark(q"""override def apply(tr$$async: _root_.scala.util.Try[_root_.scala.AnyRef]) = ${body}""")}
84+
}
85+
new $name().start() : ${c.macroApplication.tpe}
86+
"""
87+
} catch {
88+
case e: ReflectiveOperationException =>
89+
c.abort(c.macroApplication.pos, "-Xasync is provided as a Scala compiler option, but the async macro is unable to call c.internal.markForAsyncTransform. " + e.getClass.getName + " " + e.getMessage)
90+
}
91+
}
6392
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,80 @@
1+
/*
2+
* Scala (https://www.scala-lang.org)
3+
*
4+
* Copyright EPFL and Lightbend, Inc.
5+
*
6+
* Licensed under Apache License 2.0
7+
* (http://www.apache.org/licenses/LICENSE-2.0).
8+
*
9+
* See the NOTICE file distributed with this work for
10+
* additional information regarding copyright ownership.
11+
*/
12+
package scala.async
13+
14+
import java.util.Objects
15+
16+
import scala.util.{Failure, Success, Try}
17+
import scala.concurrent.{ExecutionContext, Future, Promise}
18+
19+
/** The base class for state machines generated by the `scala.async.Async.async` macro.
20+
* Not intended to be directly extended in user-written code.
21+
*/
22+
abstract class FutureStateMachine(execContext: ExecutionContext) extends Function1[Try[AnyRef], Unit] {
23+
Objects.requireNonNull(execContext)
24+
25+
type F = scala.concurrent.Future[AnyRef]
26+
type R = scala.util.Try[AnyRef]
27+
28+
private[this] val result$async: Promise[AnyRef] = Promise[AnyRef]();
29+
private[this] var state$async: Int = 0
30+
31+
/** Retrieve the current value of the state variable */
32+
protected def state: Int = state$async
33+
34+
/** Assign `i` to the state variable */
35+
protected def state_=(s: Int): Unit = state$async = s
36+
37+
/** Complete the state machine with the given failure. */
38+
// scala-async accidentally started catching NonFatal exceptions in:
39+
// https://github.com/scala/scala-async/commit/e3ff0382ae4e015fc69da8335450718951714982#diff-136ab0b6ecaee5d240cd109e2b17ccb2R411
40+
// This follows the new behaviour but should we fix the regression?
41+
protected def completeFailure(t: Throwable): Unit = {
42+
result$async.complete(Failure(t))
43+
}
44+
45+
/** Complete the state machine with the given value. */
46+
protected def completeSuccess(value: AnyRef): Unit = {
47+
result$async.complete(Success(value))
48+
}
49+
50+
/** Register the state machine as a completion callback of the given future. */
51+
protected def onComplete(f: F): Unit = {
52+
f.onComplete(this)(execContext)
53+
}
54+
55+
/** Extract the result of the given future if it is complete, or `null` if it is incomplete. */
56+
protected def getCompleted(f: F): Try[AnyRef] = {
57+
if (f.isCompleted) {
58+
f.value.get
59+
} else null
60+
}
61+
62+
/**
63+
* Extract the success value of the given future. If the state machine detects a failure it may
64+
* complete the async block and return `this` as a sentinel value to indicate that the caller
65+
* (the state machine dispatch loop) should immediately exit.
66+
*/
67+
protected def tryGet(tr: R): AnyRef = tr match {
68+
case Success(value) =>
69+
value.asInstanceOf[AnyRef]
70+
case Failure(throwable) =>
71+
completeFailure(throwable)
72+
this // sentinel value to indicate the dispatch loop should exit.
73+
}
74+
75+
def start[T](): Future[T] = {
76+
// This cast is safe because we know that `def apply` does not consult its argument when `state == 0`.
77+
Future.unit.asInstanceOf[Future[AnyRef]].onComplete(this)(execContext)
78+
result$async.future.asInstanceOf[Future[T]]
79+
}
80+
}

0 commit comments

Comments
 (0)