0

尝试创建一个属性文件(foo.properties)并将其添加到战争的根目录。

apply plugin: 'war'

task createProperties {
    FileOutputStream os = new FileOutputStream("${project.buildDir}/foo.properties");
    ...
}

war {
     dependsOn createProperties
     from "${project.buildDir}/foo.properties"
     ...
}

什么地方出了错:

A problem occurred evaluating project ':app'.
> E:\app\build\build.properties (The system cannot find the path specified)

我需要创建构建目录吗?

对于战争,是否有 webapp 的输出目录?(sourceSet: src/main/webapp) 最好foo.properties直接在webapp下创建outputDir。

4

2 回答 2

2

你应该做

 war {
      from createProperties
      ...
 }

这将自动添加对 createProperties 任务的隐式依赖,因此不需要dependsOn。

为此,您需要明确指定您的createProperties输出

task createProperties {
    outputs.file("$buildDir/foo.properties")
    doLast {
        FileOutputStream os = new FileOutputStream("$buildDir/foo.properties");
        ...
    }
}

但实际上你应该使用 type 的任务WriteProperties,它看起来更干净并且更适合可重现的构建。像这样的东西:

task createProperties(type: WriteProperties) {
    outputFile "$buildDir/foo.properties"
    property 'foo', 'bar'
}

如果您的属性是动态计算的而不是静态计算的(我假设,否则您可以简单地手动创建文件),您还应该将动态部分设置为任务的输入,以便任务最新检查正常工作并且任务仅在必要时运行,因为某些输入已更改。

于 2017-06-29T13:57:55.923 回答
0

试试这样:

task createProperties {
    doFirst {
        FileOutputStream os = new FileOutputStream("${project.buildDir}/foo.properties");
        ...
    }
}

举例说明:

task foo {
    println 'foo init line'
    doFirst {
        println 'foo doFirst'
    } 
    doLast {
        println 'foo doLast'
    }
}

task bar {
    println 'bar init line'
    doFirst {
        println 'bar doFirst'
    } 
    doLast {
        println 'bar doLast'
    }
}

现在对于 commande gradle clean bar,您将获得 otput :

foo init line
bar init line
:clean
:foo
foo doFirst
foo doLast
:bar
bar doFirst
bar doLast

clean步骤在 init 步骤之后进行,因此在您的情况下,foo.properties在尝试找到之前将其删除。

于 2017-06-29T13:52:27.053 回答