Gradle的TaskExecutionListener与其TaskActionListener之间的区别是什么?

时间:2014-03-17 13:09:28

标签: gradle

1 个答案:

答案 0 :(得分:5)

执行任务时,它不仅仅执行操作 - 如果任务是最新的,它甚至根本不执行任务。

考虑以下脚本,其中我们有两个任务,每个任务有两个动作以及outputs.upToDateWhen闭包。任务a永远不会被认为是最新的,而任务b始终被认为是最新的:

task a {
    outputs.upToDateWhen { println "a - upToDateWhen"; false }
    doLast { println "a.1" }
    doLast { println "a.2" }
}

task b {
    outputs.upToDateWhen { println "b - upToDateWhen"; true }
    doLast { println "b.1" }
    doLast { println "b.2" }
}

gradle.addListener(new TaskExecutionListener() {
    void beforeExecute(Task task) {
        println "beforeExecute of $task"
    }
    void afterExecute(Task task, TaskState state) {
        println "afterExecute of $task"
    }
})

gradle.addListener(new TaskActionListener() {
    void beforeActions(Task task) {
        println "beforeActions of $task"
    }
    void afterActions(Task task) {
        println "afterActions of $task"
    }
})

gradle a b的第一次调用中,您将获得以下输出:

$ gradle a b
:a
beforeExecute of task ':a'
a - upToDateWhen
beforeActions of task ':a'
a.1
a.2
afterActions of task ':a'
afterExecute of task ':a'
:b
beforeExecute of task ':b'
b - upToDateWhen
beforeActions of task ':b'
b.1
b.2
afterActions of task ':b'
afterExecute of task ':b'

由于它是第一次执行,因此执行两个任务的操作。您仍然可以看到TaskExecutionListener.beforeExecute检查前调用了upToDateWhen,而检查后调用了TaskActionListener.beforeActions

第二次执行时,它变得更有趣:

$ gradle a b
:a
beforeExecute of task ':a'
a - upToDateWhen
beforeActions of task ':a'
a.1
a.2
afterActions of task ':a'
afterExecute of task ':a'
:b
beforeExecute of task ':b'
b - upToDateWhen
:b UP-TO-DATE
afterExecute of task ':b'

在这里您可以注意到,为两个任务调用了TaskExecutionListener方法,而没有为任务b调用TaskActionListener方法,因为任务被认为是最新的并且其操作被跳过。