Table of Contents
The Gradle TestKit is currently incubating. Please be aware that its API and other characteristics may change in later Gradle versions.
The Gradle TestKit (a.k.a. just TestKit) is a library that aids in testing Gradle plugins and build logic generally. At this time, it is focused on functional testing. That is, testing build logic by exercising it as part of a programmatically executed build. Over time, the TestKit will likely expand to facilitate other kinds of tests.
To use the TestKit, include the following in your plugin's build:
Example 43.1. Declaring the TestKit dependency
build.gradle
dependencies { testCompile gradleTestKit() }
The
gradleTestKit()
encompasses the classes of the TestKit, as well as the Gradle Tooling API client.
It does not include a version of JUnit, TestNG, or any other test execution framework.
Such a dependency must be explicitly declared.
Example 43.2. Declaring the JUnit dependency
build.gradle
dependencies {
testCompile 'junit:junit:4.12'
}
The GradleRunner
facilitates programmatically executing Gradle builds, and inspecting the result.
A contrived build can be created (e.g. programmatically, or from a template) that exercises the “logic under test”. The build can then be executed, potentially in a variety of ways (e.g. different combinations of tasks and arguments). The correctness of the logic can then be verified by asserting the following, potentially in combination:
After creating and configuring a runner instance, the build can be executed via the
GradleRunner.build()
or
GradleRunner.buildAndFail()
methods depending on the anticipated outcome.
The following demonstrates the usage of Gradle runner in a Java JUnit test:
Example 43.3. Using GradleRunner with JUnit
BuildLogicFunctionalTest.java
import org.gradle.testkit.runner.BuildResult; import org.gradle.testkit.runner.GradleRunner; import org.junit.Before; import org.junit.Rule; import org.junit.Test; import org.junit.rules.TemporaryFolder; import java.io.BufferedWriter; import java.io.File; import java.io.FileWriter; import java.io.IOException; import java.util.Collections; import static org.junit.Assert.assertEquals; import static org.junit.Assert.assertTrue; import static org.gradle.testkit.runner.TaskOutcome.*; public class BuildLogicFunctionalTest { @Rule public final TemporaryFolder testProjectDir = new TemporaryFolder(); private File buildFile; @Before public void setup() throws IOException { buildFile = testProjectDir.newFile("build.gradle"); } @Test public void testHelloWorldTask() throws IOException { String buildFileContent = "task helloWorld {" + " doLast {" + " println 'Hello world!'" + " }" + "}"; writeFile(buildFile, buildFileContent); BuildResult result = GradleRunner.create() .withProjectDir(testProjectDir.getRoot()) .withArguments("helloWorld") .build(); assertTrue(result.getOutput().contains("Hello world!")); assertEquals(result.task(":helloWorld").getOutcome(), SUCCESS); } private void writeFile(File destination, String content) throws IOException { BufferedWriter output = null; try { output = new BufferedWriter(new FileWriter(destination)); output.write(content); } finally { if (output != null) { output.close(); } } } }
Any test execution framework can be used.
As Gradle build scripts are written in the Groovy programming language, and as many plugins are implemented in Groovy, it is often a productive choice to write Gradle functional tests in Groovy. Furthermore, it is recommended to use the (Groovy based) Spock test execution framework as it offers many compelling features over the use of JUnit.
The following demonstrates the usage of Gradle runner in a Groovy Spock test:
Example 43.4. Using GradleRunner with Spock
BuildLogicFunctionalTest.groovy
import org.gradle.testkit.runner.GradleRunner import static org.gradle.testkit.runner.TaskOutcome.* import org.junit.Rule import org.junit.rules.TemporaryFolder import spock.lang.Specification class BuildLogicFunctionalTest extends Specification { @Rule final TemporaryFolder testProjectDir = new TemporaryFolder() File buildFile def setup() { buildFile = testProjectDir.newFile('build.gradle') } def "hello world task prints hello world"() { given: buildFile << """ task helloWorld { doLast { println 'Hello world!' } } """ when: def result = GradleRunner.create() .withProjectDir(testProjectDir.root) .withArguments('helloWorld') .build() then: result.output.contains('Hello world!') result.task(":helloWorld").outcome == SUCCESS } }
It is a common practice to implement any custom build logic (like plugins and task types) that is more complex in nature as external classes in a standalone project. The main driver behind this approach is bundle the compiled code into a JAR file, publish it to a binary repository and reuse it across various projects.
The GradleRunner uses the Tooling API to execute builds. An implication of this is that the builds are executed in a separate process (i.e. not the same process executing the tests). Therefore, the test build does not share the same classpath or classloaders as the test process and the code under test is not implicitly available to the test build.
Starting with version 2.13, Gradle provides a conventional mechanism to inject the code under test into the test build.
For earlier versions of Gradle (before 2.13), it is possible to manually make the code under test available via some extra configuration. The following example demonstrates having the build generate a file containing the implementation classpath of the code under test, and making it available at test runtime.
Example 43.5. Making the code under test classpath available to the tests
build.gradle
// Write the plugin's classpath to a file to share with the tests task createClasspathManifest { def outputDir = file("$buildDir/$name") inputs.files sourceSets.main.runtimeClasspath outputs.dir outputDir doLast { outputDir.mkdirs() file("$outputDir/plugin-classpath.txt").text = sourceSets.main.runtimeClasspath.join("\n") } } // Add the classpath file to the test runtime classpath dependencies { testRuntime files(createClasspathManifest) }
Note: The code for this example can be found at samples/testKit/gradleRunner/manualClasspathInjection
in the ‘-all’ distribution of Gradle.
The tests can then read this value, and inject the classpath into the test build by using the method GradleRunner.withPluginClasspath(java.lang.Iterable)
.
This classpath is then available to use to locate plugins in a test build via the plugins DSL (see Chapter 25, Gradle Plugins). Applying plugins with the plugins DSL requires the
definition of a plugin identifier.
The following is an example (in Groovy) of doing this from within a Spock Framework setup()
method, which is analogous to a JUnit @Before
method.
This approach works well when executing the functional tests as part of the Gradle build.
When executing the functional tests from an IDE, there are extra considerations.
Namely, the classpath manifest file points to the class files etc. generated by Gradle and not the IDE.
This means that after making a change to the source of the code under test, the source must be recompiled by Gradle.
Similarly, if the effective classpath of the code under test changes, the manifest must be regenerated.
In either case, executing the testClasses
task of the build will ensure that things are up to date.
The GradleRunner.withPluginClasspath(java.lang.Iterable)
method will not work when
executing the build with a Gradle version earlier than 2.8 (see: Section 43.2.3, “The Gradle version used to test”),
as this feature is not supported on such Gradle versions.
Instead, the code must be injected via the build script itself. The following sample demonstrates how this can be done.
Example 43.6. Injecting the code under test classes into test builds
src/test/groovy/org/gradle/sample/BuildLogicFunctionalTest.groovy
List<File> pluginClasspath def setup() { buildFile = testProjectDir.newFile('build.gradle') def pluginClasspathResource = getClass().classLoader.findResource("plugin-classpath.txt") if (pluginClasspathResource == null) { throw new IllegalStateException("Did not find plugin classpath resource, run `testClasses` build task.") } pluginClasspath = pluginClasspathResource.readLines().collect { new File(it) } } def "hello world task prints hello world"() { given: buildFile << """ plugins { id 'org.gradle.sample.helloworld' } """ when: def result = GradleRunner.create() .withProjectDir(testProjectDir.root) .withArguments('helloWorld') .withPluginClasspath(pluginClasspath) .build() then: result.output.contains('Hello world!') result.task(":helloWorld").outcome == SUCCESS }
Note: The code for this example can be found at samples/testKit/gradleRunner/manualClasspathInjection
in the ‘-all’ distribution of Gradle.
src/test/groovy/org/gradle/sample/BuildLogicFunctionalTest.groovy
List<File> pluginClasspath def setup() { buildFile = testProjectDir.newFile('build.gradle') def pluginClasspathResource = getClass().classLoader.findResource("plugin-classpath.txt") if (pluginClasspathResource == null) { throw new IllegalStateException("Did not find plugin classpath resource, run `testClasses` build task.") } pluginClasspath = pluginClasspathResource.readLines().collect { new File(it) } } def "hello world task prints hello world with pre Gradle 2.8"() { given: def classpathString = pluginClasspath .collect { it.absolutePath.replace('\\', '\\\\') } // escape backslashes in Windows paths .collect { "'$it'" } .join(", ") buildFile << """ buildscript { dependencies { classpath files($classpathString) } } apply plugin: "org.gradle.sample.helloworld" """ when: def result = GradleRunner.create() .withProjectDir(testProjectDir.root) .withArguments('helloWorld') .withGradleVersion("2.7") .build() then: result.output.contains('Hello world!') result.task(":helloWorld").outcome == SUCCESS }
Note: The code for this example can be found at samples/testKit/gradleRunner/manualClasspathInjection
in the ‘-all’ distribution of Gradle.
The Java Gradle Plugin development plugin can be used to assist in the development of Gradle plugins.
Starting with Gradle version 2.13, the plugin provides a direct integration with TestKit. When applied to a project, the plugin automatically adds
the gradleTestKit()
dependency to the test compile configuration. Furthermore, it automatically generates the classpath for the code
under test and injects it via
GradleRunner.withPluginClasspath()
for any GradleRunner
instance created by the user.
If the target Gradle version is prior to 2.8, automatic plugin classpath injection is not performed.
The plugin uses the following conventions for applying the TestKit dependency and injecting the classpath:
sourceSets.main
sourceSets.test
Any of these conventions can be reconfigured with the help of the class GradlePluginDevelopmentExtension
.
The following Groovy-based sample demonstrates how to automatically inject the plugin classpath by using the standard conventions applied by the Java Gradle Plugin Development plugin.
Example 43.7. Using the Java Gradle Development plugin for generating the plugin metadata
build.gradle
apply plugin: 'groovy' apply plugin: 'java-gradle-plugin' dependencies { testCompile('org.spockframework:spock-core:1.0-groovy-2.4') { exclude module: 'groovy-all' } }
Note: The code for this example can be found at samples/testKit/gradleRunner/automaticClasspathInjectionQuickstart
in the ‘-all’ distribution of Gradle.
Example 43.8. Automatically injecting the code under test classes into test builds
src/test/groovy/org/gradle/sample/BuildLogicFunctionalTest.groovy
def "hello world task prints hello world"() { given: buildFile << """ plugins { id 'org.gradle.sample.helloworld' } """ when: def result = GradleRunner.create() .withProjectDir(testProjectDir.root) .withArguments('helloWorld') .withPluginClasspath() .build() then: result.output.contains('Hello world!') result.task(":helloWorld").outcome == SUCCESS }
Note: The code for this example can be found at samples/testKit/gradleRunner/automaticClasspathInjectionQuickstart
in the ‘-all’ distribution of Gradle.
The following build script demonstrates how to reconfigure the conventions provided by the Java Gradle Plugin Development plugin for a project that
uses a custom Test
source set.
Example 43.9. Reconfiguring the classpath generation conventions of the Java Gradle Development plugin
build.gradle
apply plugin: 'groovy' apply plugin: 'java-gradle-plugin' sourceSets { functionalTest { groovy { srcDir file('src/functionalTest/groovy') } resources { srcDir file('src/functionalTest/resources') } compileClasspath += sourceSets.main.output + configurations.testRuntime runtimeClasspath += output + compileClasspath } } task functionalTest(type: Test) { testClassesDir = sourceSets.functionalTest.output.classesDir classpath = sourceSets.functionalTest.runtimeClasspath } check.dependsOn functionalTest gradlePlugin { testSourceSets sourceSets.functionalTest } dependencies { functionalTestCompile('org.spockframework:spock-core:1.0-groovy-2.4') { exclude module: 'groovy-all' } }
Note: The code for this example can be found at samples/testKit/gradleRunner/automaticClasspathInjectionCustomTestSourceSet
in the ‘-all’ distribution of Gradle.
The runner executes the test builds in an isolated environment by specifying a dedicated "working directory" in a directory inside the JVM's temp directory
(i.e. the location specified by the java.io.tmpdir
system property, typically /tmp
).
Any configuration in the default Gradle user home directory (e.g. ~/.gradle/gradle.properties
) is not used for test execution.
The TestKit does not expose a mechanism for fine grained control of environment variables etc.
Future versions of the TestKit will provide improved configuration options.
The TestKit uses dedicated daemon processes that are automatically shut down after test execution.
The Gradle runner requires a Gradle distribution in order to execute the build. The TestKit does not depend on all of Gradle's implementation.
By default, the runner will attempt to find a Gradle distribution based on where the GradleRunner
class was loaded from.
That is, it is expected that the class was loaded from a Gradle distribution, as is the case when using the gradleTestKit()
dependency declaration.
When using the runner as part of tests being executed by Gradle (e.g. executing the test
task of a plugin project), the same distribution used to execute the tests will be used by the runner.
When using the runner as part of tests being executed by an IDE, the same distribution of Gradle that was used when importing the project will be used.
This means that the plugin will effectively be tested with the same version of Gradle that it is being built with.
Alternatively, a different and specific version of Gradle to use can be specified by the any of the following GradleRunner
methods:
This can potentially be used to test build logic across Gradle versions. The following demonstrates a cross-version compatibility test written as Groovy Spock test:
Example 43.10. Specifying a Gradle version for test execution
BuildLogicFunctionalTest.groovy
import org.gradle.testkit.runner.GradleRunner import static org.gradle.testkit.runner.TaskOutcome.* import org.junit.Rule import org.junit.rules.TemporaryFolder import spock.lang.Specification import spock.lang.Unroll class BuildLogicFunctionalTest extends Specification { @Rule final TemporaryFolder testProjectDir = new TemporaryFolder() File buildFile def setup() { buildFile = testProjectDir.newFile('build.gradle') } @Unroll def "can execute hello world task with Gradle version #gradleVersion"() { given: buildFile << """ task helloWorld { doLast { logger.quiet 'Hello world!' } } """ when: def result = GradleRunner.create() .withGradleVersion(gradleVersion) .withProjectDir(testProjectDir.root) .withArguments('helloWorld') .build() then: result.output.contains('Hello world!') result.task(":helloWorld").outcome == SUCCESS where: gradleVersion << ['2.6', '2.7'] } }
It is possible to use the GradleRunner to execute builds with Gradle 1.0 and later. However, some runner features are not supported on earlier versions. In such cases, the runner will throw an exception when attempting to use the feature.
The following table lists the features that are sensitive to the Gradle version being used.
Table 43.1. Gradle version compatibility
Feature | Minimum Version | Description |
Inspecting executed tasks | 2.5 | Inspecting the executed tasks, using
BuildResult.getTasks() and similar methods.
|
Plugin classpath injection | 2.8 | Injecting the code under test via GradleRunner.withPluginClasspath(java.lang.Iterable) . |
Inspecting build output in debug mode | 2.9 | Inspecting the build's text output when run in debug mode, using
BuildResult.getOutput() .
|
Automatic plugin classpath injection | 2.13 |
Injecting the code under test automatically via
GradleRunner.withPluginClasspath()
by applying the Java Gradle Plugin Development plugin.
|
The runner uses the Tooling API to execute builds. An implication of this is that the builds are executed in a separate process (i.e. not the same process executing the tests). Therefore, executing your tests in debug mode does not allow you to debug your build logic as you may expect. Any breakpoints set in your IDE will be not be tripped by the code being exercised by the test build.
The TestKit provides two different ways to enable the debug mode:
org.gradle.testkit.debug
” system property to true
for the JVM using the GradleRunner
(i.e. not the build being executed with the runner);GradleRunner.withDebug(boolean)
method.
The system property approach can be used when it is desirable to enable debugging support without making an adhoc change to the runner configuration. Most IDEs offer the capability to set JVM system properties for test execution, and such a feature can be used to set this system property.