SlideShare une entreprise Scribd logo
1  sur  26
Spock
the enterprise ready specification
framework

Created by Daniel Kolman / @kolman
Spock is Groovy
...and Groovy is Bliss!

def user = new User(firstName: 'Johnny', lastName: 'Walker')
def street = company?.address?.street
users.filter { it.age > 20 }
.sort { it.salary }
.collect { it.lastName + ', ' + it.firstName }
def message = [subject: 'Hello jOpenSpace!', body: 'Meet me at the bar']

Groovy is dense and expressive. Don't
worry it's dynamic - this is a test framework
and tests are executed after every commit!
Spock Spec
def "can add an element"() {
given:
def list = new ArrayList<String>()
def element = "Hello Spock"
when:
list.add(element)
then:
list.size() == 1
list.contains(element)
}

Spock test (= "feature method") is
structured into well-known blocks
with defined meaning
Assertions
assert name.length() == 6;

expect:
name.length() == 5

java.lang.AssertionError
Condition not satisfied:
assertEquals(6, name.length());

name.length() == 5
|
|
|
Eman 4
false

// hamcrest
assertThat(name.length(), equalTo(6));
// FEST, AssertJ
assertThat(name).hasSize(6);
java.lang.AssertionError:
Expected size:<6> but was:<4> in:
<'Eman'>

Assertions commonly used in
Java are complicated or have
ugly fail messages

Spock makes it simple...
Assertions
expect:
rectangle.getArea() == a * b
Condition not satisfied:
rectangle.getArea()
|
|
|
6
Rectangle 2 x 3

== a * b
| | | |
| 4 | 5
|
20
false

…and when something goes
wrong, it writes nice and detailed
fail message
Assertions
expect:
def expectedValues =
["Legendario", "Zacapa", "Varadero", "Metusalem", "Diplomatico"]
actualValues == expectedValues
Condition not satisfied:
actualValues == expectedValues
|
| |
|
| [Legendario, Zacapa, Varadero, Metusalem, Diplomatico]
|
false
[Angostura, Legendario, Zacapa 23y, Varadero, Diplomatico]

…even for lists
IntelliJ IDEA can even display a diff of
expected and actual values
Mocking
given:
def sender = Mock(Sender)

Verifying behavior
with mock is simple

when:
println("nothing, hahaha!")
then:
1 * sender.send(_)
Too few invocations for:
1 * sender.send(_)

You can use ranges for invocation
count and wildcards for parameters

(0 invocations)

Unmatched invocations (ordered by similarity):
None
Stubbing
given:
def subscriber = Mock(Subscriber)
// pattern matching
subscriber.receive("poison") >> "oh wait..."
subscriber.receive(_) >> "ok"
when:
def response = subscriber.receive("poison")

…and setting expectations
has some powerful features

// returning sequence
subscriber.receive(_) >>> ["ok", "ok", "hey this is too much"]

// computing return value
subscriber.receive(_) >> { String msg -> msg.size() < 10 ? "ok" : "tl;dr" }
Data Driven Tests
def "maximum of two numbers"() {
expect:
Math.max(a, b) == c

def "maximum of two numbers"() {
expect:
Math.max(a, b) == expectedMax

where:
a << [1, 8, 9]
b << [7, 3, 9]
c << [7, 8, 9]

where:
a | b |
1 | 7 |
8 | 3 |
9 | 9 |

}

expectedMax
7
8
9

}

Spock has first-class
support for
parametrized tests

You can even use
table-like structure
for setting input data

Forget JUnit theories or
TestNG data providers!
QuickCheck
def "maximum of
expect:
Math.max(a,
Math.max(a,
Math.max(a,

two numbers"() {
b) == Math.max(b, a)
b) >= a && Math.max(a, b) >= b
b) == a || Math.max(a, b) == b

where:
a << someIntegers()
b << someIntegers()
}

Input data can be
anything Iterable...

…and that makes it simple to
use something like QuickCheck
for generating random data
Property-Based Testing
def "sorts a list"() {
when:
def sorted = list.sort(false)

You define invariant
"properties" that hold
true for any valid input

then:
sorted == sorted.sort(false)
sorted.first() == list.min()
sorted.last() == list.max()
sorted.eachWithIndex { x, i -> assert i==0 || sorted[i-1] <= x }
where:
list << someLists(integers())
}

Data-driven tests tend to have
different structure than traditional
"example-based" tests
I attended GOTO conference
in Amsterdam this year...
Erik Meijer
Haskell
LINQ
Rx

…and one of the speakers was Erik Meijer,
who was developing Haskell and worked on
LINQ and Reactive Extensions in Microsoft...
Machine Learning
=> { ... }

…and he gave a great talk
about machine learning
From

Subject

Spam Filter
Body

=> { ... }

In essence, machine learning is
generating computer code based
on data

E.g. generate a code to recognize
a spam, based on analysis of
bunch of email messages
Example-Based TDD
def "can detect spam"() {
expect:
spamDetector(from, subject, body) == isSpam
where:
from
'mtehnik'
'jfabian'
'jnovotny'
'katia777'

|
|
|
|
|

body
'nechces nejaky slevovy kupony na viagra?'
'mels pravdu, tu znelku cz podcastu zmenime'
'penis enlargement - great vacuum pump for you'
'we have nice russian wife for you'

||
||
||
||
||

isSpam
false
false
true
true

}

And that is very similar to TDD. You
are providing more and more test
cases to specify the desired behavior

The difference is, you don't
write the implementation - it is
generated by computer
Machine Learning
==
Automated TDD
Therefore, Erik Meijer claims
that machine learning is just
automated TDD
Prepare for the Future

In 10 years, programmers will be replaced by generated code

…and that can have some
impact on job security
Generated Code
Machine learning
Genetic programming

There are already some
real-world usages of
generated code

This is an antenna designed
by evolutionary algorithm,
that NASA actually used on
a spacecraft

http://idesign.ucsc.edu/projects/evo_antenna.html
Brain Research
Multilayer neural networks

…and our understanding of how
the brain works is getting better

https://www.simonsfoundation.org/quanta/20130723-as-machines-get-smarter-evidence-they-learn-like-us/
Property-Based Testing
def "sorts a list"() {
when:
def sorted = list.sort(false)
then:
sorted == sorted.sort(false)
sorted.first() == list.min()
sorted.last() == list.max()
sorted.eachWithIndex { x, i -> assert i==0 || sorted[i-1] <= x }
where:
list << someLists(integers())
}

Now take a second look
at property-based test

It is only matter of time when it will be
cheaper to generate code from
specification than to write it manually

Can there be better specification
for code generator?
You will be
replaced by
machine
Meanwhile, use Spock and prosper
Credits

http://www.flickr.com/photos/kt/1217157
http://www.flickr.com/photos/rooners/7290977402
http://www.flickr.com/photos/jdhancock/4425900247
http://www.agiledojo.net/2013/09/and-now-for-somethingcompletely.html
https://www.simonsfoundation.org/quanta/20130723-asmachines-get-smarter-evidence-they-learn-like-us/
TestNG vs. Spock
@DataProvider(name = "maximumOfTwoNumbersProvider")
public Object[][] createDataForMaximum() {
return new Object[][]{
{1, 7, 7},
{8, 3, 8},
{9, 9, 9}
};
}
@Test(dataProvider = "maximumOfTwoNumbersProvider")
public void maximumOfTwoNumbers(int a, int b, int expectedMax) {
assertThat(Math.max(a, b)).isEqualTo(expectedMax);
}

def "maximum of two numbers"() {
expect:
Math.max(a, b) == expectedMax
where:
a | b |
1 | 7 |
8 | 3 |
9 | 9 |
}

expectedMax
7
8
9

Bonus slide - comparison of
parametrized test in TestNG
(above) and Spock (bellow)

Contenu connexe

Tendances

Mocking in Java with Mockito
Mocking in Java with MockitoMocking in Java with Mockito
Mocking in Java with Mockito
Richard Paul
 

Tendances (20)

testng
testngtestng
testng
 
Java 10 New Features
Java 10 New FeaturesJava 10 New Features
Java 10 New Features
 
Test NG Framework Complete Walk Through
Test NG Framework Complete Walk ThroughTest NG Framework Complete Walk Through
Test NG Framework Complete Walk Through
 
Java 9/10/11 - What's new and why you should upgrade
Java 9/10/11 - What's new and why you should upgradeJava 9/10/11 - What's new and why you should upgrade
Java 9/10/11 - What's new and why you should upgrade
 
TestNG Framework
TestNG Framework TestNG Framework
TestNG Framework
 
Building Grails applications with PostgreSQL
Building Grails applications with PostgreSQLBuilding Grails applications with PostgreSQL
Building Grails applications with PostgreSQL
 
JavaScript Fetch API
JavaScript Fetch APIJavaScript Fetch API
JavaScript Fetch API
 
Mocking in Java with Mockito
Mocking in Java with MockitoMocking in Java with Mockito
Mocking in Java with Mockito
 
Unit/Integration Testing using Spock
Unit/Integration Testing using SpockUnit/Integration Testing using Spock
Unit/Integration Testing using Spock
 
Introduction to jmeter
Introduction to jmeterIntroduction to jmeter
Introduction to jmeter
 
AngularJS Architecture
AngularJS ArchitectureAngularJS Architecture
AngularJS Architecture
 
05 junit
05 junit05 junit
05 junit
 
Training On Angular Js
Training On Angular JsTraining On Angular Js
Training On Angular Js
 
Automated Test Framework with Cucumber
Automated Test Framework with CucumberAutomated Test Framework with Cucumber
Automated Test Framework with Cucumber
 
Jmeter
JmeterJmeter
Jmeter
 
Spring boot introduction
Spring boot introductionSpring boot introduction
Spring boot introduction
 
Spring Boot
Spring BootSpring Boot
Spring Boot
 
CORE JAVA
CORE JAVACORE JAVA
CORE JAVA
 
Spring boot
Spring bootSpring boot
Spring boot
 
SWTBot Tutorial
SWTBot TutorialSWTBot Tutorial
SWTBot Tutorial
 

En vedette

Smarter Testing with Spock
Smarter Testing with SpockSmarter Testing with Spock
Smarter Testing with Spock
Dmitry Voloshko
 

En vedette (14)

Unit testing with Spock Framework
Unit testing with Spock FrameworkUnit testing with Spock Framework
Unit testing with Spock Framework
 
Smarter Testing with Spock
Smarter Testing with SpockSmarter Testing with Spock
Smarter Testing with Spock
 
Spock Framework 2
Spock Framework 2Spock Framework 2
Spock Framework 2
 
Groovier testing with Spock
Groovier testing with SpockGroovier testing with Spock
Groovier testing with Spock
 
VirtualJUG24 - Testing with Spock: The logical choice
VirtualJUG24 - Testing with Spock: The logical choiceVirtualJUG24 - Testing with Spock: The logical choice
VirtualJUG24 - Testing with Spock: The logical choice
 
Madrid GUG 2016 (Alicante) - Spock: O por qué deberías utilizarlo para testea...
Madrid GUG 2016 (Alicante) - Spock: O por qué deberías utilizarlo para testea...Madrid GUG 2016 (Alicante) - Spock: O por qué deberías utilizarlo para testea...
Madrid GUG 2016 (Alicante) - Spock: O por qué deberías utilizarlo para testea...
 
Testing Storm components with Groovy and Spock
Testing Storm components with Groovy and SpockTesting Storm components with Groovy and Spock
Testing Storm components with Groovy and Spock
 
Spock framework
Spock frameworkSpock framework
Spock framework
 
Spock
SpockSpock
Spock
 
Geb with spock
Geb with spockGeb with spock
Geb with spock
 
A Gentle Introduction To Docker And All Things Containers
A Gentle Introduction To Docker And All Things ContainersA Gentle Introduction To Docker And All Things Containers
A Gentle Introduction To Docker And All Things Containers
 
Docker by Example - Basics
Docker by Example - Basics Docker by Example - Basics
Docker by Example - Basics
 
UX, ethnography and possibilities: for Libraries, Museums and Archives
UX, ethnography and possibilities: for Libraries, Museums and ArchivesUX, ethnography and possibilities: for Libraries, Museums and Archives
UX, ethnography and possibilities: for Libraries, Museums and Archives
 
3 Things Every Sales Team Needs to Be Thinking About in 2017
3 Things Every Sales Team Needs to Be Thinking About in 20173 Things Every Sales Team Needs to Be Thinking About in 2017
3 Things Every Sales Team Needs to Be Thinking About in 2017
 

Similaire à Spock Framework

Clojure for Java developers - Stockholm
Clojure for Java developers - StockholmClojure for Java developers - Stockholm
Clojure for Java developers - Stockholm
Jan Kronquist
 

Similaire à Spock Framework (20)

Spock
SpockSpock
Spock
 
BDD - Behavior Driven Development Webapps mit Groovy Spock und Geb
BDD - Behavior Driven Development Webapps mit Groovy Spock und GebBDD - Behavior Driven Development Webapps mit Groovy Spock und Geb
BDD - Behavior Driven Development Webapps mit Groovy Spock und Geb
 
Spock: Test Well and Prosper
Spock: Test Well and ProsperSpock: Test Well and Prosper
Spock: Test Well and Prosper
 
Build a Complex, Realtime Data Management App with Postgres 14!
Build a Complex, Realtime Data Management App with Postgres 14!Build a Complex, Realtime Data Management App with Postgres 14!
Build a Complex, Realtime Data Management App with Postgres 14!
 
The Future of JVM Languages
The Future of JVM Languages The Future of JVM Languages
The Future of JVM Languages
 
What can be done with Java, but should better be done with Erlang (@pavlobaron)
What can be done with Java, but should better be done with Erlang (@pavlobaron)What can be done with Java, but should better be done with Erlang (@pavlobaron)
What can be done with Java, but should better be done with Erlang (@pavlobaron)
 
Clojure And Swing
Clojure And SwingClojure And Swing
Clojure And Swing
 
DEF CON 23 - amit ashbel and maty siman - game of hacks
DEF CON 23 - amit ashbel and maty siman - game of hacks DEF CON 23 - amit ashbel and maty siman - game of hacks
DEF CON 23 - amit ashbel and maty siman - game of hacks
 
Viktor Tsykunov: Azure Machine Learning Service
Viktor Tsykunov: Azure Machine Learning ServiceViktor Tsykunov: Azure Machine Learning Service
Viktor Tsykunov: Azure Machine Learning Service
 
Spock and Geb in Action
Spock and Geb in ActionSpock and Geb in Action
Spock and Geb in Action
 
Database connectivity in python
Database connectivity in pythonDatabase connectivity in python
Database connectivity in python
 
Node Boot Camp
Node Boot CampNode Boot Camp
Node Boot Camp
 
Real life-coffeescript
Real life-coffeescriptReal life-coffeescript
Real life-coffeescript
 
Visual diagnostics at scale
Visual diagnostics at scaleVisual diagnostics at scale
Visual diagnostics at scale
 
Image classification using cnn
Image classification using cnnImage classification using cnn
Image classification using cnn
 
Clojure for Java developers - Stockholm
Clojure for Java developers - StockholmClojure for Java developers - Stockholm
Clojure for Java developers - Stockholm
 
Whitebox testing of Spring Boot applications
Whitebox testing of Spring Boot applicationsWhitebox testing of Spring Boot applications
Whitebox testing of Spring Boot applications
 
Go testdeep
Go testdeepGo testdeep
Go testdeep
 
Node.js vs Play Framework (with Japanese subtitles)
Node.js vs Play Framework (with Japanese subtitles)Node.js vs Play Framework (with Japanese subtitles)
Node.js vs Play Framework (with Japanese subtitles)
 
Pocket Talk; Spock framework
Pocket Talk; Spock frameworkPocket Talk; Spock framework
Pocket Talk; Spock framework
 

Dernier

Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and Myths
Joaquim Jorge
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
vu2urc
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
?#DUbAI#??##{{(☎️+971_581248768%)**%*]'#abortion pills for sale in dubai@
 

Dernier (20)

ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
How to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected WorkerHow to Troubleshoot Apps for the Modern Connected Worker
How to Troubleshoot Apps for the Modern Connected Worker
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
Developing An App To Navigate The Roads of Brazil
Developing An App To Navigate The Roads of BrazilDeveloping An App To Navigate The Roads of Brazil
Developing An App To Navigate The Roads of Brazil
 
GenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdfGenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdf
 
Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and Myths
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
 
presentation ICT roal in 21st century education
presentation ICT roal in 21st century educationpresentation ICT roal in 21st century education
presentation ICT roal in 21st century education
 
What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?What Are The Drone Anti-jamming Systems Technology?
What Are The Drone Anti-jamming Systems Technology?
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt Robison
 
Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024Tata AIG General Insurance Company - Insurer Innovation Award 2024
Tata AIG General Insurance Company - Insurer Innovation Award 2024
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
 

Spock Framework

  • 1. Spock the enterprise ready specification framework Created by Daniel Kolman / @kolman
  • 2. Spock is Groovy ...and Groovy is Bliss! def user = new User(firstName: 'Johnny', lastName: 'Walker') def street = company?.address?.street users.filter { it.age > 20 } .sort { it.salary } .collect { it.lastName + ', ' + it.firstName } def message = [subject: 'Hello jOpenSpace!', body: 'Meet me at the bar'] Groovy is dense and expressive. Don't worry it's dynamic - this is a test framework and tests are executed after every commit!
  • 3. Spock Spec def "can add an element"() { given: def list = new ArrayList<String>() def element = "Hello Spock" when: list.add(element) then: list.size() == 1 list.contains(element) } Spock test (= "feature method") is structured into well-known blocks with defined meaning
  • 4. Assertions assert name.length() == 6; expect: name.length() == 5 java.lang.AssertionError Condition not satisfied: assertEquals(6, name.length()); name.length() == 5 | | | Eman 4 false // hamcrest assertThat(name.length(), equalTo(6)); // FEST, AssertJ assertThat(name).hasSize(6); java.lang.AssertionError: Expected size:<6> but was:<4> in: <'Eman'> Assertions commonly used in Java are complicated or have ugly fail messages Spock makes it simple...
  • 5. Assertions expect: rectangle.getArea() == a * b Condition not satisfied: rectangle.getArea() | | | 6 Rectangle 2 x 3 == a * b | | | | | 4 | 5 | 20 false …and when something goes wrong, it writes nice and detailed fail message
  • 6. Assertions expect: def expectedValues = ["Legendario", "Zacapa", "Varadero", "Metusalem", "Diplomatico"] actualValues == expectedValues Condition not satisfied: actualValues == expectedValues | | | | | [Legendario, Zacapa, Varadero, Metusalem, Diplomatico] | false [Angostura, Legendario, Zacapa 23y, Varadero, Diplomatico] …even for lists
  • 7. IntelliJ IDEA can even display a diff of expected and actual values
  • 8. Mocking given: def sender = Mock(Sender) Verifying behavior with mock is simple when: println("nothing, hahaha!") then: 1 * sender.send(_) Too few invocations for: 1 * sender.send(_) You can use ranges for invocation count and wildcards for parameters (0 invocations) Unmatched invocations (ordered by similarity): None
  • 9. Stubbing given: def subscriber = Mock(Subscriber) // pattern matching subscriber.receive("poison") >> "oh wait..." subscriber.receive(_) >> "ok" when: def response = subscriber.receive("poison") …and setting expectations has some powerful features // returning sequence subscriber.receive(_) >>> ["ok", "ok", "hey this is too much"] // computing return value subscriber.receive(_) >> { String msg -> msg.size() < 10 ? "ok" : "tl;dr" }
  • 10. Data Driven Tests def "maximum of two numbers"() { expect: Math.max(a, b) == c def "maximum of two numbers"() { expect: Math.max(a, b) == expectedMax where: a << [1, 8, 9] b << [7, 3, 9] c << [7, 8, 9] where: a | b | 1 | 7 | 8 | 3 | 9 | 9 | } expectedMax 7 8 9 } Spock has first-class support for parametrized tests You can even use table-like structure for setting input data Forget JUnit theories or TestNG data providers!
  • 11. QuickCheck def "maximum of expect: Math.max(a, Math.max(a, Math.max(a, two numbers"() { b) == Math.max(b, a) b) >= a && Math.max(a, b) >= b b) == a || Math.max(a, b) == b where: a << someIntegers() b << someIntegers() } Input data can be anything Iterable... …and that makes it simple to use something like QuickCheck for generating random data
  • 12. Property-Based Testing def "sorts a list"() { when: def sorted = list.sort(false) You define invariant "properties" that hold true for any valid input then: sorted == sorted.sort(false) sorted.first() == list.min() sorted.last() == list.max() sorted.eachWithIndex { x, i -> assert i==0 || sorted[i-1] <= x } where: list << someLists(integers()) } Data-driven tests tend to have different structure than traditional "example-based" tests
  • 13.
  • 14. I attended GOTO conference in Amsterdam this year...
  • 15. Erik Meijer Haskell LINQ Rx …and one of the speakers was Erik Meijer, who was developing Haskell and worked on LINQ and Reactive Extensions in Microsoft...
  • 16. Machine Learning => { ... } …and he gave a great talk about machine learning
  • 17. From Subject Spam Filter Body => { ... } In essence, machine learning is generating computer code based on data E.g. generate a code to recognize a spam, based on analysis of bunch of email messages
  • 18. Example-Based TDD def "can detect spam"() { expect: spamDetector(from, subject, body) == isSpam where: from 'mtehnik' 'jfabian' 'jnovotny' 'katia777' | | | | | body 'nechces nejaky slevovy kupony na viagra?' 'mels pravdu, tu znelku cz podcastu zmenime' 'penis enlargement - great vacuum pump for you' 'we have nice russian wife for you' || || || || || isSpam false false true true } And that is very similar to TDD. You are providing more and more test cases to specify the desired behavior The difference is, you don't write the implementation - it is generated by computer
  • 19. Machine Learning == Automated TDD Therefore, Erik Meijer claims that machine learning is just automated TDD
  • 20. Prepare for the Future In 10 years, programmers will be replaced by generated code …and that can have some impact on job security
  • 21. Generated Code Machine learning Genetic programming There are already some real-world usages of generated code This is an antenna designed by evolutionary algorithm, that NASA actually used on a spacecraft http://idesign.ucsc.edu/projects/evo_antenna.html
  • 22. Brain Research Multilayer neural networks …and our understanding of how the brain works is getting better https://www.simonsfoundation.org/quanta/20130723-as-machines-get-smarter-evidence-they-learn-like-us/
  • 23. Property-Based Testing def "sorts a list"() { when: def sorted = list.sort(false) then: sorted == sorted.sort(false) sorted.first() == list.min() sorted.last() == list.max() sorted.eachWithIndex { x, i -> assert i==0 || sorted[i-1] <= x } where: list << someLists(integers()) } Now take a second look at property-based test It is only matter of time when it will be cheaper to generate code from specification than to write it manually Can there be better specification for code generator?
  • 24. You will be replaced by machine Meanwhile, use Spock and prosper
  • 26. TestNG vs. Spock @DataProvider(name = "maximumOfTwoNumbersProvider") public Object[][] createDataForMaximum() { return new Object[][]{ {1, 7, 7}, {8, 3, 8}, {9, 9, 9} }; } @Test(dataProvider = "maximumOfTwoNumbersProvider") public void maximumOfTwoNumbers(int a, int b, int expectedMax) { assertThat(Math.max(a, b)).isEqualTo(expectedMax); } def "maximum of two numbers"() { expect: Math.max(a, b) == expectedMax where: a | b | 1 | 7 | 8 | 3 | 9 | 9 | } expectedMax 7 8 9 Bonus slide - comparison of parametrized test in TestNG (above) and Spock (bellow)