This post presents the next major version of specs2,
- what are the motivations for a major version?
- what are the main benefits and changes?
- when will it be available?
The motivations
I started working on this new version a bit more than one year ago now. I had lots of different reasons for giving
The Open Source reason
As a programmer I have all sorts of shortcomings. I have always been amazed by other people taking a look at my code and spotting obvious deficiencies either big or small (for example @jedws introduced named threads to me, much easier for debugging!). I want to maximize the possibility that other people will jump in to fix and extend the library as necessary (and be able to go on holidays for 3 weeks without a laptop :-)). Improving the code base can only help other people review my implementation.
The Design reason
In
- I want fragments to be executed concurrently while being printed in sequence
- the fragments should also be displayed as soon as executed
- I want to be able to recreate a view of the sequence of fragments as a tree to be displayed in IDEs like Eclipse and Intellij
This is all done and working in
One of these reporters is a HTML reporter and I’ve always wanted to improve it. This was not something I was eager to change given the situation 1 year ago. Luckily scalaz-stream
version 0.2 came out in December 2013 and allowed me to try out new ideas.
The Functional Programming reason
The major difference between specs and
I hadn’t fully grasped how to use the IO
monad to structure my program. Fortunately I happen to work with the terrific @markhibberd and he showed me how to use a proper monad stack to track IO
effects but also how to thread in configuration data and track errors.
The main benefits and changes
First of all, a happy maintainer! That goes without saying but my ability to fix bugs and add features will be improved a lot if I can better reason about the code :-).
Now for users…
For casual users there should be no changes! If you just use org.specs2.Specification
or org.specs2.mutable.Specification
with no other traits, you should not see any change (except in the User Guide, see below). For “advanced” users there are new benefits and API changes (in no particular order).
Refactored user guide
The existing User Guide has been divided into a lot more pages (around 60) and follows a pedagogical progression:
a Quick Start presenting a simple specification (and the mandatory link to the installation page)
some links from the Quick Start to the most common concepts: what is the structure of a Specification? Which matchers are available? How to run a Specification?
then, on each other page there is a presentation focusing on one topic plus additional links:
"Now learn how to..."
(what is the next thing you will probably need?) and"If you want to know more"
(what is some more advanced topic that is related to this one?)
In addition to this refactoring there are some “tools” to help users find faster what they are looking for:
a search box
reference pages to summarize in one place some topics (matchers and run arguments for example)
a
Troubleshooting
page with the most common issues
You can have a first look at it here.
Generalized Reader pattern
One consequence of the “functional” re-engineering is that the environment is now available at different levels. By “environment”, I mean the org.specs.specification.core.Env
class which gives you access to all the components necessary to execute a specification, among which:
- the command line arguments
- the
lineLogger
used to log results to the console (from Sbt) - the
systemLogger
used to log issues when instantiating the Specification for example - the execution environment, containing a reference to the thread pool used to execute the examples
- the
statsRepository
to get and store execution statistics - the
fileSystem
which mediates all interactions with the file system (to read and write files)
I doubt that you will ever need all of this, but parts of the environment can be useful. For example, you can define the structure of your Specification based on command line arguments:
class MySpec extends Specification with CommandLineArguments { def is(args: CommandLine) = s2"""
Do something here with a command line parameter ${args.valueOr("parameter1", "not found")}
"""
}
The CommandLineArguments
uses your definition of the def is(args: CommandLine): Fragments
method to build a more general method Env => Fragments
which is the internal representation of a Specification (fragments that depend on the environment). This means that now you don’t have to skip examples based on condition (isDatabaseAvailable
for example), you can simply remove them!
You can also use the environment, or part of it, to define examples:
class MySpec extends Specification { def is = s2"""
Here are some examples using the environment.
You can access
the full environment $e1
the command line arguments $e2
the execution context to create a Scala future $e3
the executor service to create a Scalaz future $e4
"""
def e1 = { env: Env =>
env.statisticsRepository.getStatistics(getClass.getName).runOption.flatten.foreach { stats =>
println("the previous results for this specification are "+stats)
}
ok
}
def e2 = { args: CommandLine =>
if (args.boolOr("doit", false)) success
else skipped
}
def e3 = { implicit executionContext: ExecutionContext =>
scala.concurrent.Future(1); ok
}
def e4 = { implicit executorService: ExecutorService =>
scalaz.concurrent.Future(1); ok
}
}
Better reporting framework
This paragraph is mostly relevant to people who want to extend
A Runner
(for example the SbtRunner
)
- instantiates the specification class to execute
- creates the execution environment (arguments, thread pool)
- instantiates a
Reporter
- instantiates
Printers
and starts the execution
A Reporter
- reads the previous execution statistics if necessary
- selects the fragments to execute
- executes the specification fragments
- calls the printers for printing out the results
- saves the execution statistics
A Printer
- prepares the environment for printing
- uses a
Fold
to print or to gather execution data. For example theTextPrinter
prints results to the console as soon as they are available and theHtmlPrinter
A Fold
- has a
Sink[Task, (T, S)]
(see scalaz-stream for the definition of aSink
) to perform side-effects (like writing to a file) - has a
fold: (T, S) => S
method to accumulate some state (to compute statistics for example, or create an index) - has an
init: S
element to initialize the state - has a
last(s: S): Task[Unit]
method to perform one last side-effect with the final state once all the fragments have been executed
It is unlikely that you will create a new Runner
(except if you build an Eclipse plugin for example) but you can create custom reporters and printers by passing the reporter <classname>
and printer <classname>
options as arguments. Note also that Folds
are composable so if you need 2 outputs you can create a Printer
that will compose 2 folds into 1.
The Html printer
Pandoc
The Html printer has been reworked to use Pandoc as a templating system and Markdown engine. I decided this move to Pandoc for several reasons:
- Pandoc is one of the libraries that is officially endorsing the CommonMark format
- I’ve had less corner cases with rendering mixed html/markdown with Pandoc than previously
- Pandoc opens the possibility to render other markup languages than CommonMark,
LaTeX
for example
However this comes with a huge drawback, you need to have Pandoc installed as a command line tool on your machine. If Pandoc is not installed,
Templates
I’ve extracted a specs2.html
template (and a corresponding specs2.css
stylesheet) and it is possible for you to substitute another template (with the html.template
option) if you want your html files to be displayed differently. This template is using the Pandoc template system so it is pretty primitive but should still cover most cases.
Better API
The
support the new execution model with
scalaz-stream
make it possible to separate the DSL methods from the core ones (see Lightweight spec)
offer a better
Fragment
API
Let’s start with the heart of Fragment
.
FragmentFactory
methods
Advanced
abstract class DatabaseSpec extends Specification {
override def map(fs: => Fragments): Fragments =
step(startDb) ^ fs ^ step(closeDb)
}
In the DatabaseSpec
you are using different methods to work with Fragments
. The ^
method to append them, the step
method to create a Step
fragment. Those 2 methods are part of the Fragment
API. Here is a list of the main changes, compared to
first of all there is only one
Fragment
type (instead ofText
,Step
,Example
,…). This type contains aDescription
and anExecution
. By combining different types ofDescription
s andExecution
s it is possible to recreate all the previousspecs2 < 3.0 typeshowever you don’t need to create a
Fragment
by yourself, what you do is invoke theFragmentFactory
methods:example
,step
,text
,… This now unifies the notation between immutable and mutable specifications because inspecs2 < 3.0 you would writestep
in a mutable specification andStep
in an immutable one (Step
is now deprecated)there is no
ExampleFactory
trait anymore since it has been subsumed by methods on theFragmentFactory
trait (so this will break code for people who were interceptingExample
creation to inject additional behaviour)
Finally those “core” objects have been moved under the org.specs2.specification.core
package, in order to restructure the org.specs2.specification
package into
core
:Fragment
Description
,SpecificationStructure
…dsl
: all the syntactic sugarFragmentsDsl
,ExampleDsl
,ActionDsl
…process
: the “processing” classesSelector
,Executor
,StatisticsRepository
…create
: traits to create the specificationFragmentFactory
,AutoExamples
,S2StringContext
(for s2 string interpolation)…
FragmentsDsl
methods
When you want to assemble Fragment
s together you will need the FragmentsDsl
trait to do so (mixed-in the Specification
trait, you don’t have to add it).
The result of appending 2 Fragment
s is a Fragments
object. The Fragments
class has changed in SpecStructure
. So in summary:
a
Specification
is a functionEnv => SpecStructure
a
SpecStructure
contains: aSpecHeader
, someArguments
andFragments
Fragments
is a sequence ofFragment
s (actually ascalaz-stream
Process[Task, Fragment]
)
The FragmentsDsl
api allows to combine almost everything into Fragments
with the ^
operator:
- a
String
to aSeq[Fragment]
- 2
Fragments
- 1
Fragments
and aString
One advantage of this fine-grained decomposition of the fragments API is that there is now a Spec
lightweight trait.
Lightweight Spec
trait
Compilation times can be a problem with Scala and Specification
to provide various DSLs. In Spec
trait which contains a reduced number of implicits to:
- create a
s2
string for an “Acceptance Specification” - create
should
andin
blocks in a “Unit Specification” - to create expectations with
must
- to add arguments to the specification (like
sequential
)
If you use that trait and you find yourself missing an implicit you will have to either:
use the
Specification
class insteadsearch
specs2 for the trait or object providing the missing implicit. There is no magic recipe for this but theMustMatchers
trait and theSpec2StringContext
trait should bring most of the missing implicits in scope
It is possible that this trait will be adjusted to find the exact balance between expressivity and compile times but I hope it will remain pretty stable.
Durations
When scala.concurrent.duration
didn’t exist. This is why there was a Duration
type in TimeConversions
trait. Of course this introduced annoying collisions with the implicits coming from scala.concurrent.duration
when that one came around.
There is no reason to go on using Duration
.
Contexts
Context management has been slowly evolving in
BeforeAll
do something before all the examples (you had to use aStep
inspecs2 < 3.0 )BeforeEach
do something before each example (wasBeforeExample
inspecs2 < 3.0 )AfterEach
do something after each example (wasAfterExample
inspecs2 < 3.0 )BeforeAfterEach
do something before/after each example (wasBeforeAfterExample
inspecs2 < 3.0 )ForEach[T]
provide an element of typeT
(a “fixture”) to some each example (wasFixtureExample[T]
inspecs2 < 3.0 )AfterAll
do something after all the examples examples (you had to use aStep
inspecs2 < 3.0 )BeforeAfterAll
do something before/after all the examples examples (you had to use aStep
inspecs2 < 3.0 )
There are some other cool things you can do. For example set a time-out for all examples based on a command line parameter:
trait ExamplesTimeout extends EachContext with MustMatchers with TerminationMatchers {
def context: Env => Context = { env: Env =>
val timeout = env.arguments.commandLine.intOr("timeout", 1000 * 60).millis
upTo(timeout)(env.executorService)
}
def upTo(to: Duration)(implicit es: ExecutorService) = new Around {
def around[T : AsResult](t: =>T) = {
lazy val result = t
val termination =
result must terminate(retries = 10,
sleep = (to.toMillis / 10).millis).orSkip((ko: String) => "TIMEOUT: "+to)
if (!termination.toResult.isSkipped) AsResult(result)
else termination.toResult
}
}
}
The ExamplesTimeout
trait extends EachContext
which is a generalization of the xxxEach
traits. With the EachContext
trait you get access to the environment to define the behaviour used to “decorate” each example. So, in that case, we use a timeout
command line parameter to create an Around
context that will timeout each example if necessary. You can also note that this Around
context uses the executorService
passed by the environment so you don’t have to worry about resources management for your Specification.
Included specifications
As I was reworking the implementation of
I decided to let go of this functionality in favor of a view of specifications as “referencing” each other, with 2 types of references:
- “link” reference
- “see” reference
The idea is to model dependency relationships with “link” and weaker relationships with “see” (when you just want to mention that some information is present in another specification).
Then there are 2 modes of execution:
- the default one
- the “all” mode
By default when a specification is executed, the Runner will try to display the status of “linked” specifications but not “see” specifications. If you use the all
argument then we collect all the “linked” specifications transitively and run them respecting dependencies (if s1 has a link to s2, then s2 is executed first).
This is particularly important for HTML reporting when the structure of “link” references is used to produce a table of contents and “see” references are merely used to display HTML links.
Online specifications
I find this exciting even if I don’t know if I will ever use this feature! (it has been requested in the past though).
In Monad
! “Produce an action based on the value returned by another action”. Since scalaz-stream
Process
under the covers which is a Monad
, this means that it is now possible to do the following:
class WikipediaBddSpec extends Specification with Online { def is = s2"""
All the pages mentioning the term BDD must contain a reference to specs2 $e1
"""
def e1 = {
val pages = Wikipedia.getPages("BDD")
// if the page is about specs2, add more examples to check the links
(pages must contain((_:Page) must mention("specs2"))) continueWith
pagesSpec(pages)
}
/** create one example per linked page */
def pagesSpec(pages: Seq[Page]): Fragments = {
val specs2Links = pages.flatMap(_.getLinks).filter(_.contains("specs2"))
s2"""
The specs2 links must be active
${Fragments.foreach(specs2Links)(active)}
"""
}
def active(link: HtmlLink) =
s2"""
The page at ${link.url} must be active ${ link must beActive }"""
}
The specification above is “dynamic” in the sense that it creates more examples based on the tested data. All Wikipedia pages for BDD must mention “specs2” and for each linked page (which we can’t know in advance) we create a new example specifying that the link must be active.
ScalaCheck
The ScalaCheck trait has been reworked and extended to provide the following features:
- you can specify
Arbitrary[T]
,Gen[T]
,Shrink[T]
,T => Pretty
instances at the property level (for any or all of the arguments) - you can easily collect argument values by appending
.collectXXX
to the property (XXX
depends on the argument you want to collect.collect1
for the first,collectAll
for all) - you can override default parameters from the command line. For example pass
scalacheck.mintestsok 10000
- you can set individual
before
,after
actions to be executed before and after the property executes to do some setup/teardown
Also, specs2 was previously doing some message reformatting on top of ScalaCheck but now the ScalaCheck original messages have been preserved to keep the consistency between the 2 libraries.
Note: the ScalaCheck
trait stays in the org.specs2
package but all the traits it depends on now live in the org.specs2.scalacheck
package.
Bits and pieces
This section is about various small things which have changed with
Implicit context
There is no more implicit context when you use the .await
method to match futures. This means that you have to either import the scala.concurrent.ExecutionContext.global
context or to use a function ExecutionContext => Result
to define your examples:
s2"""
An example using an ExecutionContext $e1
"""
def e1 = { implicit ec: ExecutionContext =>
// use the context here
ok
}
Foreach methods
It is possible now to create several examples or results with a foreach
method which will not return Unit
:
// create several examples
Fragment.foreach(1 to 10)(i => "example "+i ! ok)
// create several examples with breaks in between
Fragments.foreach(1 to 10)(i => ("example "+i ! ok) ^ br)
// create several results for a sequence of numbers
Result.foreach(1 to 10)(i => i must_== i)
Removed syntax
(action: Any).before
to create a “before” context is removed (same thing forafter
)function.forAll
to create aProp
from a function
Dependencies
specs2 3.0 uses scalacheck 1.12.1- you need to use a recent version of sbt, like 0.13.7
- you need to upgrade to scalaz-specs2 0.4.0-SNAPSHOT for compatibility
Can I use it?
specs2-core-3.0-M2
on Sonatype. I am making it available for early testing and feedback. Please use the mailing-list or the github issues to ask questions and tell me if there is anything going wrong with this new version. I will incorporate your comments in this blog post, serving as a migration guide.
Special thanks
- to Clinton Freeman who started the re-design of the specs2 home page more than one year ago and sparked this whole refactoring
- to Pavel Chlupacek and Frank Thomas for patiently answering many of my questions about scalaz-stream
- to Paul Chiusano for starting scalaz-stream in the first place!
- to Mark Hibberd for his guidance with functional programming
No comments:
Post a Comment