之前对 Android Gradle 构建的依赖一直傻傻分不清,这段时间正好接入集团的一个二方库,踩了很多坑,也顺带把 Gradle 依赖这块搞清楚了,主要整理了下 Gradle 依赖的类型、依赖配置、如何查看依赖、依赖冲突如何解决。
dependencies DSL 标签是标准 Gradle API 中的一部分,而不是 Android Gradle 插件的特性,所以它不属于 Android 标签。
依赖有三种方式,如下面的例子:
apply plugin: 'com.android.application' android { ... } dependencies { // Dependency on a local library module implementation project(":mylibrary") // Dependency on local binaries implementation fileTree(dir: 'libs', include: ['*.jar']) // Dependency on a remote binary implementation 'com.example.android:app-magic:12.3' }
implementation project(":mylibrary")
这种依赖方式是直接依赖本地库工程代码的(需要注意的是,mylibrary 的名字必须匹配在 settings.gradle 中 include 标签下定义的模块名字)。
implementation fileTree(dir: 'libs', include: ['*.jar'])
这种依赖方式是依赖工程中的 module_name/libs/ 目录下的 Jar 文件(注意 Gradle 的路径是相对于 build.gradle 文件来读取的,所以上面是这样的相对路径)。
如果只想依赖单个特定本地二进制库,可以如下配置:
implementation files('libs/foo.jar', 'libs/bar.jar')
implementation 'com.example.android:app-magic:12.3'
上面是简写的方式,这种依赖完整的写法如下:
implementation group: 'com.example.android', name: 'app-magic', version: '12.3'
group、name、version共同定位一个远程依赖库。需要注意的点是,version最好不要写成”12.3+”这种方式,除非有明确的预期,因为非预期的版本更新会带来构建问题。远程依赖需要在repositories标签下声明远程仓库,例如jcenter()、google()、maven仓库等。
目前 Gradle 版本支持的依赖配置有:implementation、api、compileOnly、runtimeOnly 和 annotationProcessor。 已经废弃的配置有:compile、provided、apk、providedCompile。此外依赖配置还可以加一些配置项,例如 AndroidTestImplementation、debugApi 等等。
常用的是 implementation、api、compileOnly 三个依赖配置,含义如下:
可以查看单个module或者这个project的依赖,通过运行依赖的 Gradle 任务,如下:
随着很多依赖加入到项目中,难免会出现依赖冲突,出现依赖冲突如何解决?
依赖冲突可能会报类似下面的错误:
Program type already present com.example.MyClass
通过查找类的方式(command + O)定位到冲突的依赖,进行排除。
dependencies 中排除(细粒度)
compile('com.taobao.android:accs-huawei:1.1.2@aar') { transitive = true exclude group: 'com.taobao.android', module: 'accs_sdk_taobao' }
全局配置排除
configurations { compile.exclude module: 'cglib' //全局排除原有的tnet jar包与so包分离的配置,统一使用aar包中的内容 all*.exclude group: 'com.taobao.android', module: 'tnet-jni' all*.exclude group: 'com.taobao.android', module: 'tnet-so' }
禁用依赖传递
compile('com.zhyea:ar4j:1.0') { transitive = false } configurations.all { transitive = false }
还可以在单个依赖项中使用 @jar 标识符忽略传递依赖:
compile 'com.zhyea:ar4j:1.0@jar'
强制使用某个版本
如果某个依赖项是必需的,而又存在依赖冲突时,此时没必要逐个进行排除,可以使用force属性标识需要进行依赖统一。当然这也是可以全局配置的:
compile('com.zhyea:ar4j:1.0') { force = true } configurations.all { resolutionStrategy { force 'org.hamcrest:hamcrest-core:1.3' } }
在打包时排除依赖
先看一个示例:
task zip(type: Zip) { into('lib') { from(configurations.runtime) { exclude '*unwanted*', '*log*' } } into('') { from jar from 'doc' } }
代码表示在打 zip 包的时候会过滤掉名称中包含 “unwanted” 和 “log” 的 jar 包。这里调用的 exclude 方法的参数和前面的例子不太一样,前面的参数多是 map 结构,这里则是一个正则表达式字符串。
也可以使用在打包时调用 include 方法选择只打包某些需要的依赖项:
task zip(type: Zip) { into('lib') { from(configurations.runtime) { include '*ar4j*', '*spring*' } } into('') { from jar from 'doc' } }
主要是使用 dependencies 中排除和全局配置排除。