我尝试将本地.jar文件依赖项添加到构建中。gradle文件:
apply plugin: 'java'
sourceSets {
main {
java {
srcDir 'src/model'
}
}
}
dependencies {
runtime files('libs/mnist-tools.jar', 'libs/gson-2.2.4.jar')
runtime fileTree(dir: 'libs', include: '*.jar')
}
您可以看到,我将.jar文件添加到这里的referencedLibraries文件夹:https://github.com/WalnutiQ/wAlnut/tree/version-2.3.1/referencedLibraries
但问题是,当我在命令行上运行命令:gradle build时,我得到以下错误:
error: package com.google.gson does not exist
import com.google.gson.Gson;
这是我的全部回购:https://github.com/WalnutiQ/wAlnut/tree/version-2.3.1
使用Kotlin DSL (build.gradle.kts)添加本地库文件的更多方法:
implementation(
files(
"libs/library-1.jar",
"libs/library-2.jar",
"$rootDir/foo/my-other-library.jar"
)
)
implementation(
fileTree("libs/") {
// You can add as many include or exclude calls as you want
include("*.jar")
include("another-library.aar") // Some Android libraries are in AAR format
exclude("bad-library.jar")
}
)
implementation(
fileTree(
"dir" to "libs/",
// Here, instead of repeating include or exclude, assign a list of paths
"include" to "*.jar",
"exclude" to listOf("bad-library-1.jar", "bad-library-2.jar")
)
)
上面的代码假设库文件位于模块的libs/目录中(这里的模块指的是build.gradle.kts所在的目录)。
如上所示,可以在include和exclude中使用Ant模式。
有关文件依赖关系的更多信息,请参阅Gradle文档。
感谢这篇文章提供了一个有用的答案。
为那些使用Kotlin DSL的人提供的解决方案
到目前为止添加的解决方案非常适合OP,但是如果不先翻译它们,就不能用于Kotlin DSL。下面是我如何使用Kotlin DSL向我的构建添加本地.JAR的示例:
dependencies {
compile(files("/path/to/file.jar"))
testCompile(files("/path/to/file.jar"))
testCompile("junit", "junit", "4.12")
}
记住,如果你使用的是Windows,你的反斜杠必须转义:
...
compile(files("C:\\path\\to\\file.jar"))
...
还要记住,引号必须是双引号,而不是单引号。
2020年编辑:
Gradle更新已经弃用了compile和testCompile,取而代之的是implementation和testImplementation。所以上面的依赖块对于当前的Gradle版本是这样的:
dependencies {
implementation(files("/path/to/file.jar"))
testImplementation(files("/path/to/file.jar"))
testImplementation("junit", "junit", "4.12")
}