「集中化」依賴項目可以使用 Gradle 中的各種技術進行管理,例如平台和版本目錄。 每種方法都有其優勢,並有助於有效率地集中化和管理依賴項目。
使用平台
平台是一組依賴項目約束,旨在管理程式庫或應用程式的遞移性依賴項目。
當你在 Gradle 中定義平台時,你實際上是在指定一組旨在一起使用的依賴項目,以確保相容性並簡化依賴項目管理
platform/build.gradle.kts
plugins {
id("java-platform")
}
dependencies {
constraints {
api("org.apache.commons:commons-lang3:3.12.0")
api("com.google.guava:guava:30.1.1-jre")
api("org.slf4j:slf4j-api:1.7.30")
}
}
platform/build.gradle
plugins {
id("java-platform")
}
dependencies {
constraints {
api("org.apache.commons:commons-lang3:3.12.0")
api("com.google.guava:guava:30.1.1-jre")
api("org.slf4j:slf4j-api:1.7.30")
}
}
接著,你可以在你的專案中使用該平台
app/build.gradle.kts
plugins {
id("java-library")
}
dependencies {
implementation(platform(project(":platform")))
}
app/build.gradle
plugins {
id("java-library")
}
dependencies {
implementation(platform(":platform"))
}
在此,`platform` 定義了 `commons-lang3`、`guava` 和 `slf4j-api` 的版本,確保它們是相容的。
Maven 的 BOM (物料清單) 是 Gradle 支援的一種常見平台類型。 BOM 檔案列出具有特定版本的依賴項目,讓你可以集中管理這些版本。
一個流行的平台是 Spring Boot 物料清單。 若要使用 BOM,請將其新增至專案的依賴項目
build.gradle.kts
dependencies {
// import a BOM
implementation(platform("org.springframework.boot:spring-boot-dependencies:1.5.8.RELEASE"))
// define dependencies without versions
implementation("com.google.code.gson:gson")
implementation("dom4j:dom4j")
}
build.gradle
dependencies {
// import a BOM
implementation platform('org.springframework.boot:spring-boot-dependencies:1.5.8.RELEASE')
// define dependencies without versions
implementation 'com.google.code.gson:gson'
implementation 'dom4j:dom4j'
}
透過包含 `spring-boot-dependencies` 平台依賴項目,你可以確保所有 Spring 組件都使用 BOM 檔案中定義的版本。
使用版本目錄
版本目錄是一個集中化的依賴項目坐標列表,可以在多個專案中參考。 你可以在建置腳本中參考此目錄,以確保每個專案都依賴一組通用的知名依賴項目。
首先,在專案的 `gradle` 目錄中建立 `libs.versions.toml` 檔案。 此檔案將定義你的依賴項目和插件的版本。
gradle/libs.versions.toml
[versions]
groovy = "3.0.5"
checkstyle = "8.37"
[libraries]
groovy-core = { module = "org.codehaus.groovy:groovy", version.ref = "groovy" }
groovy-json = { module = "org.codehaus.groovy:groovy-json", version.ref = "groovy" }
groovy-nio = { module = "org.codehaus.groovy:groovy-nio", version.ref = "groovy" }
commons-lang3 = { group = "org.apache.commons", name = "commons-lang3", version = { strictly = "[3.8, 4.0[", prefer="3.9" } }
[bundles]
groovy = ["groovy-core", "groovy-json", "groovy-nio"]
[plugins]
versions = { id = "com.github.ben-manes.versions", version = "0.45.0" }
接著,你可以在你的建置檔案中使用版本目錄。
build.gradle.kts
plugins {
`java-library`
alias(libs.plugins.versions)
}
dependencies {
api(libs.bundles.groovy)
}
build.gradle
plugins {
id 'java-library'
alias(libs.plugins.versions)
}
dependencies {
api libs.bundles.groovy
}
下一步: 了解依賴項目約束和衝突解決 >>