Debugging and Troubleshooting the Configuration Cache
This section provides general guidelines for resolving issues with the Configuration Cache, whether in your build logic or Gradle plugins.
Use the Configuration Report
When Gradle encounters a problem serializing the necessary state to execute tasks, it generates an HTML report detailing the detected issues. The console output includes a clickable link to this report, allowing you to investigate the root causes.
Consider the following build script, which contains two issues:
tasks.register("someTask") {
val destination = System.getProperty("someDestination") (1)
inputs.dir("source")
outputs.dir(destination)
doLast {
project.copy { (2)
from("source")
into(destination)
}
}
}
tasks.register('someTask') {
def destination = System.getProperty('someDestination') (1)
inputs.dir('source')
outputs.dir(destination)
doLast {
project.copy { (2)
from 'source'
into destination
}
}
}
Running the task fails with the following output:
❯ ./gradlew --configuration-cache someTask -DsomeDestination=dest ... Calculating task graph as no cached configuration is available for tasks: someTask > Task :someTask FAILED 1 problem was found storing the configuration cache. - Build file 'build.gradle': line 6: invocation of 'Task.project' at execution time is unsupported with the configuration cache. See https://docs.gradle.org/0.0.0/userguide/configuration_cache_requirements.html#config_cache:requirements:use_project_during_execution See the complete report at file:///home/user/gradle/samples/build/reports/configuration-cache/<hash>/configuration-cache-report.html 1 actionable task: 1 executed Configuration cache entry discarded with 1 problem. FAILURE: Build failed with an exception. * Where: Build file '/home/user/gradle/samples/build.gradle' line: 6 * What went wrong: Execution failed for task ':someTask'. > Invocation of 'Task.project' by task ':someTask' at execution time is unsupported with the configuration cache. * Try: > Run with --stacktrace option to get the stack trace. > Run with --info or --debug option to get more log output. > Run with --scan to generate a Build Scan (Powered by Develocity). > Get more help at https://help.gradle.org. BUILD FAILED in 0s Configuration Cache entry discarded with 1 problem.
Since a problem was detected, Gradle discards the Configuration Cache entry, preventing reuse in future builds.
The linked HTML report provides details about the detected problems:

The report presents issues in two ways:
-
Grouped by message → Quickly identify recurring problem types.
-
Grouped by task → Identify which tasks are causing problems.
Expanding the problem tree helps locate the root cause within the object graph.
Additionally, the report lists detected build configuration inputs, such as system properties, environment variables, and value suppliers accessed during configuration:

Each problem entry in the report includes links to relevant Configuration Cache requirements for guidance on resolving the issue, as well as any related Not Yet Implemented features. When modifying your build or plugin, consider Testing your Build Logic with TestKit to verify changes. |
At this stage, you can either ignore the problems (turn them into warnings) to continue exploring Configuration Cache behavior, or fix the issues immediately.
To continue using the Configuration Cache while observing problems, run:
❯ ./gradlew --configuration-cache --configuration-cache-problems=warn someTask -DsomeDestination=dest
Calculating task graph as no cached configuration is available for tasks: someTask
> Task :someTask
1 problem was found storing the configuration cache.
- Build file 'build.gradle': line 6: invocation of 'Task.project' at execution time is unsupported with the configuration cache.
See https://docs.gradle.org/0.0.0/userguide/configuration_cache_requirements.html#config_cache:requirements:use_project_during_execution
See the complete report at file:///home/user/gradle/samples/build/reports/configuration-cache/<hash>/configuration-cache-report.html
BUILD SUCCESSFUL in 0s
1 actionable task: 1 executed
Configuration Cache entry stored with 1 problem.
❯ ./gradlew --configuration-cache --configuration-cache-problems=warn someTask -DsomeDestination=dest
Reusing configuration cache.
> Task :someTask
1 problem was found reusing the configuration cache.
- Build file 'build.gradle': line 6: invocation of 'Task.project' at execution time is unsupported with the configuration cache.
See https://docs.gradle.org/0.0.0/userguide/configuration_cache_requirements.html#config_cache:requirements:use_project_during_execution
See the complete report at file:///home/user/gradle/samples/build/reports/configuration-cache/<hash>/configuration-cache-report.html
BUILD SUCCESSFUL in 0s
1 actionable task: 1 executed
Configuration Cache entry reused with 1 problem.
Gradle will successfully store and reuse the Configuration Cache while continuing to report the problem.
The report and console logs provide links to guidance on resolving detected issues.
Here’s a corrected version of the example build script:
abstract class MyCopyTask : DefaultTask() { (1)
@get:InputDirectory abstract val source: DirectoryProperty (2)
@get:OutputDirectory abstract val destination: DirectoryProperty (2)
@get:Inject abstract val fs: FileSystemOperations (3)
@TaskAction
fun action() {
fs.copy { (3)
from(source)
into(destination)
}
}
}
tasks.register<MyCopyTask>("someTask") {
val projectDir = layout.projectDirectory
source = projectDir.dir("source")
destination = projectDir.dir(System.getProperty("someDestination"))
}
abstract class MyCopyTask extends DefaultTask { (1)
@InputDirectory abstract DirectoryProperty getSource() (2)
@OutputDirectory abstract DirectoryProperty getDestination() (2)
@Inject abstract FileSystemOperations getFs() (3)
@TaskAction
void action() {
fs.copy { (3)
from source
into destination
}
}
}
tasks.register('someTask', MyCopyTask) {
def projectDir = layout.projectDirectory
source = projectDir.dir('source')
destination = projectDir.dir(System.getProperty('someDestination'))
}
1 | We turned our ad-hoc task into a proper task class, |
2 | with inputs and outputs declaration, |
3 | and injected with the FileSystemOperations service, a supported replacement for project.copy {} . |
After fixing these issues, running the task twice successfully reuses the Configuration Cache:
❯ ./gradlew --configuration-cache someTask -DsomeDestination=dest
Calculating task graph as no cached configuration is available for tasks: someTask
> Task :someTask
BUILD SUCCESSFUL in 0s
1 actionable task: 1 executed
Configuration Cache entry stored.
❯ ./gradlew --configuration-cache someTask -DsomeDestination=dest
Reusing configuration cache.
> Task :someTask
BUILD SUCCESSFUL in 0s
1 actionable task: 1 executed
Configuration Cache entry reused.
If a build input changes (e.g., a system property value), the Configuration Cache entry becomes invalid, requiring a new configuration phase:
❯ ./gradlew --configuration-cache someTask -DsomeDestination=another Calculating task graph as configuration cache cannot be reused because system property 'someDestination' has changed. > Task :someTask BUILD SUCCESSFUL in 0s 1 actionable task: 1 executed Configuration Cache entry stored.
The cache entry was invalidated because the system property was read at configuration time, forcing Gradle to re-run configuration when its value changed.
A better approach is to use a provider to defer reading the system property until execution time:
tasks.register<MyCopyTask>("someTask") {
val projectDir = layout.projectDirectory
source = projectDir.dir("source")
destination = projectDir.dir(providers.systemProperty("someDestination")) (1)
}
tasks.register('someTask', MyCopyTask) {
def projectDir = layout.projectDirectory
source = projectDir.dir('source')
destination = projectDir.dir(providers.systemProperty('someDestination')) (1)
}
1 | We wired the system property provider directly, without reading it at configuration time. |
Now, the cache entry remains reusable even when changing the system property:
❯ ./gradlew --configuration-cache someTask -DsomeDestination=dest Calculating task graph as no cached configuration is available for tasks: someTask > Task :someTask BUILD SUCCESSFUL in 0s 1 actionable task: 1 executed Configuration Cache entry stored. ❯ ./gradlew --configuration-cache someTask -DsomeDestination=another Reusing configuration cache. > Task :someTask BUILD SUCCESSFUL in 0s 1 actionable task: 1 executed Configuration Cache entry reused.
With these fixes in place, this task is fully compatible with the Configuration Cache.
Enable Warning Mode
To ease migration, you can treat configuration cache problems as warnings instead of failures:
$ ./gradlew --configuration-cache-problems=warn
Or set it in gradle.properties
:
org.gradle.configuration-cache.problems=warn
The warning mode is a migration and troubleshooting aid and not intended as a persistent way of ignoring incompatibilities. It will also not prevent new incompatibilities being accidentally added to your build later. Instead, we recommend explicitly marking problematic tasks as incompatible. |
By default, Gradle allows up to 512 warnings before failing the build. You can lower this limit:
$ ./gradlew -Dorg.gradle.configuration-cache.max-problems=5
Declare Incompatible Tasks
You can explicitly mark a task as incompatible with the Configuration Cache using the Task.notCompatibleWithConfigurationCache()
method:
tasks.register("resolveAndLockAll") {
notCompatibleWithConfigurationCache("Filters configurations at execution time")
doFirst {
require(gradle.startParameter.isWriteDependencyLocks) { "$path must be run from the command line with the `--write-locks` flag" }
}
doLast {
configurations.filter {
// Add any custom filtering on the configurations to be resolved
it.isCanBeResolved
}.forEach { it.resolve() }
}
}
tasks.register('resolveAndLockAll') {
notCompatibleWithConfigurationCache("Filters configurations at execution time")
doFirst {
assert gradle.startParameter.writeDependencyLocks : "$path must be run from the command line with the `--write-locks` flag"
}
doLast {
configurations.findAll {
// Add any custom filtering on the configurations to be resolved
it.canBeResolved
}.each { it.resolve() }
}
}
When a task is marked as incompatible:
-
Configuration Cache problems in that task will no longer cause the build to fail.
-
Gradle discards the configuration state at the end of the build if an incompatible task is executed.
This mechanism can be useful during migration, allowing you to temporarily opt out tasks that require more extensive changes to become Configuration Cache-compatible.
For more details, refer to the method documentation.
Use Integrity Checks
To reduce entry size and improve performance, Gradle performs minimal integrity checks when writing and reading data. However, this approach can make troubleshooting issues more difficult, especially when dealing with concurrency problems or serialization errors. An incorrectly stored object may not be detected immediately but could lead to misleading or misattributed errors when reading cached data later.
To make debugging easier, Gradle provides an option to enable stricter integrity checks.
This setting helps identify inconsistencies earlier but may slow down cache operations and significantly increase the cache entry size.
To enable stricter integrity checks, add the following line to your gradle.properties
file:
org.gradle.configuration-cache.integrity-check=true
For example, let’s look at a type that implements a custom serialization protocol incorrectly:
public class User implements Serializable {
private transient String name;
private transient int age;
private void writeObject(ObjectOutputStream out) throws IOException {
out.defaultWriteObject();
out.writeObject(name); (1)
out.writeInt(age);
}
private void readObject(ObjectInputStream in) throws IOException, ClassNotFoundException {
in.defaultReadObject();
this.name = (String) in.readObject();
// this.age = in.readInt(); (2)
}
// ...
1 | writeObject serializes both fields. |
2 | readObject reads only the first field, leaving the remaining data in the stream. |
Such a type will cause problems when used as part of a task state, because the configuration cache will try to interpret the remaining unread part of the object as some new value:
public abstract class GreetTask extends DefaultTask {
User user = new User("John", 23);
@TaskAction
public void greet() {
System.out.println("Hello, " + user.getName() + "!");
System.out.println("Have a wonderful " + (user.getAge() + 1) +"th birthday!");
}
}
When running without the integrity check, you may encounter cryptic failure messages, possibly accompanied by induced configuration cache problems:
❯ gradle --configuration-cache greet ... * What went wrong: Index 4 out of bounds for length 3
These errors might not immediately point to the root cause, making debugging more challenging. It might be really hard to connect an invalid index error to a serialization issue, for example.
Rerunning the build with the integrity check enabled provides a much more precise diagnostic, helping you pinpoint the source of the issue faster:
❯ gradle --configuration-cache -Dorg.gradle.configuration-cache.integrity-check=true greet ... FAILURE: Build failed with an exception. * What went wrong: Configuration cache state could not be cached: field `user` of task `:greet` of type `GreetTask`: The value cannot be decoded properly with 'JavaObjectSerializationCodec'. It may have been written incorrectly or its data is corrupted.
You can immediately see the name of the offending task and the field that contains the broken data.
Keep in mind that this attribution is best-effort: it should be accurate in most cases, but in rare instances, it may be confused by certain byte patterns.
The integrity check relies on additional metadata stored within the cache. Therefore, it cannot be used to diagnose entries already corrupted prior to enabling the integrity check. |
The current integrity checks primarily focus on identifying serialization protocol issues rather than general data corruption. Consequently, they are less effective against hardware-related problems, such as bit rot or damaged storage sectors. Due to these limitations and the performance overhead introduced by integrity checks, we recommend enabling them selectively as a troubleshooting measure rather than leaving them permanently enabled.
Inspecting Cache Entries
The gcc2speedscope
tool, developed by Gradle, analyzes the space usage of the Gradle Configuration Cache by converting debug logs into interactive flamegraphs compatible with speedscope.app.
This visualization helps identify large or unnecessary objects within the cache.
Debugging the Configuration Phase
The gradle-trace-converter
is a command-line tool developed by Gradle to analyze and convert Build Operation traces into formats like Chrome’s Perfetto trace and CSV timelines.
This visualization depicts the steps taken during Gradle’s configuration phase.
Test your Build Logic
Gradle TestKit is a library designed to facilitate testing Gradle plugins and build logic. For general guidance on using TestKit, refer to the dedicated chapter.
To test your build logic with the Configuration Cache enabled, pass the --configuration-cache
argument to GradleRunner
, or use one of the other methods described in Enabling the Configuration Cache.
To properly test Configuration Cache behavior, tasks must be executed twice:
@Test
fun `my task can be loaded from the configuration cache`() {
buildFile.writeText("""
plugins {
id 'org.example.my-plugin'
}
""")
runner()
.withArguments("--configuration-cache", "myTask") (1)
.build()
val result = runner()
.withArguments("--configuration-cache", "myTask") (2)
.build()
require(result.output.contains("Reusing configuration cache.")) (3)
// ... more assertions on your task behavior
}
def "my task can be loaded from the configuration cache"() {
given:
buildFile << """
plugins {
id 'org.example.my-plugin'
}
"""
when:
runner()
.withArguments('--configuration-cache', 'myTask') (1)
.build()
and:
def result = runner()
.withArguments('--configuration-cache', 'myTask') (2)
.build()
then:
result.output.contains('Reusing configuration cache.') (3)
// ... more assertions on your task behavior
}
1 | First run primes the Configuration Cache. |
2 | Second run reuses the Configuration Cache. |
3 | Assert that the Configuration Cache gets reused. |
If Gradle encounters problems with the Configuration Cache, it will fail the build and report the issues, causing the test to fail.
A recommended approach for Gradle plugin authors is to run the entire test suite with the Configuration Cache enabled. This ensures compatibility with a supported Gradle version.
|