26

我试图在我的 spring boot 项目构建中实现一个简单的场景:包括/排除依赖项和打包 war 或 jar,具体取决于环境。

例如,对于环境dev包括 devtools 和包 jar,对于prod包战争等。

我知道它不再是基于 XML 的配置,我基本上可以在 build.gradle 中编写 if 语句,但是有推荐的方法来实现这一点吗?

我可以声明一些常见的依赖项并在单个文件中引用它们而不是创建多个构建文件吗?

是否有基于构建目标环境更改构建配置的最佳实践?

4

3 回答 3

28
ext {
    devDependencies = ['org.foo:dep1:1.0', 'org.foo:dep2:1.0']
    prodDependencies = ['org.foo:dep3:1.0', 'org.foo:dep4:1.0']
    isProd = System.properties['env'] == 'prod'
    isDev = System.properties['env'] == 'dev'
}

apply plugin: 'java'

dependencies {
    compile 'org.foo:common:1.0'
    if (isProd) {
       compile prodDependencies
    }
    if (isDev) {
       compile devDependencies
    }
}

if (isDev) tasks.withType(War).all { it.enabled = false }
于 2016-11-17T16:27:45.367 回答
6

我的版本(灵感来自Lance Java 的回答):

apply plugin: 'war'

ext {
  devDependencies = {
    compile 'org.foo:dep1:1.0', {
      exclude module: 'submodule'
    }
    runtime 'org.foo:dep2:1.0'
  }

  prodDependencies = {
    compile 'org.foo:dep1:1.1'
  }

  commonDependencies = {
    compileOnly 'javax.servlet:javax.servlet-api:3.0.1'
  }

  env = findProperty('env') ?: 'dev'
}

dependencies project."${env}Dependencies"
dependencies project.commonDependencies

if (env == 'dev') {
  war.enabled = false
}
于 2017-01-10T06:48:27.090 回答
2

有时通过在文件中添加一些代码行来在不同的构建文件之间完全切换也很有用settings.gradle。此解决方案读取环境变量BUILD_PROFILE并将其插入buildFileName

# File: settings.gradle
println "> Processing settings.gradle"
def buildProfile = System.getenv("BUILD_PROFILE")
if(buildProfile != null) {
    println "> Build profile: $buildProfile"
    rootProject.buildFileName = "build-${buildProfile}.gradle"
}
println "> Build file: $rootProject.buildFileName"

然后你像这样运行 gradle,例如使用build-local.gradle

$ BUILD_PROFILE="local" gradle compileJava
> Processing settings.gradle
> Build profile: local
> Build file: build-local.gradle

BUILD SUCCESSFUL in 3s

这种方法也适用于 CI/CD 管道,您可能想要添加额外的任务,例如检查质量门或其他您不想在本地执行的耗时的事情。

于 2019-12-17T21:45:39.840 回答