Maven 配置文件相当于 Gradle

Maven profiles equivalent of Gradle

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

因此,例如,对于环境 dev 包括 devtools 和包 jar,对于 prod 包 war 等

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

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

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

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 }

我的版本(灵感来自 ):

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
}

有时通过向文件 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 管道,您可能希望在其中添加额外的任务,例如检查质量门或其他不想在本地执行的耗时操作。