Gradle has a very powerful incremental build feature. This means Gradle will not execute a task unless it is necessary. We can help Gradle and configure our task so it is ready for an incremental build.
Suppose we have a task that generates a file. The file only needs to be generated if a certain property value has changed since the last task execution. Or the file needs be generated again if a source file is newer than the generated file. These conditions can be configured by us, so Gradle can use this to determine if a task is up to date or not. If the task is up to date Gradle doesn't execute the actions.
A Gradle task has an inputs and outputs property. We can assign a file(s), dir or properties as inputs to be checked. For outputs we can assign a file, dir or custom code in a closure to determine the output of the task. Gradle uses these values to determine if a task needs to be executed.
In the following sample build script we have a task generateVersionFile which create a file version.text in the project build directory. The contents of the file is the value of the version property. The file only needs to be generated if the value of version has changed since the last time the file was generated.
version = '1.0'
outputFile = file("$buildDir/version.txt")
task generateVersionFile << {
    if (!outputFile.isFile()) {
        outputFile.parentFile.mkdirs()
        outputFile.createNewFile()
    }
    outputFile.write "Version: $version"
}
generateVersionFile.inputs.property "version", version
generateVersionFile.outputs.files outputFile
task showContents << {
    println outputFile.text
}
showContents.dependsOn generateVersionFile
Let's run our script for the first time:
$ gradle showContents :generateVersionFile :showContents Version: 1.0 BUILD SUCCESSFUL
Now we run it again and notice how Gradle tells us the task is UP-TO-DATE:
$ gradle showContents :generateVersionFile UP-TO-DATE :showContents Version: 1.0 BUILD SUCCESSFUL
Let's change the build script and set the version to 1.1 and run Gradle:
$ gradle showContents :generateVersionFile :showContents Version: 1.1 BUILD SUCCESSFUL
In a follow-up post we see how can apply this logic to a custom task class via annotations.
Written with Gradle 0.9.
 
