声明依赖项
下面的示例可以在 app/
模块的 build.gradle
文件中声明三种不同类型的直接依赖项:
android {...}
...
dependencies {
// The 'compile' configuration tells Gradle to add the dependency to the
// compilation classpath and include it in the final package.
// Dependency on the "mylibrary" module from this project
compile project(":mylibrary")
// Remote binary dependency
compile 'com.android.support:appcompat-v7:27.1.0'
// Local binary dependency
compile fileTree(dir: 'libs', include: ['*.jar'])
}
下面逐一介绍了每种直接依赖项。
-
模块依赖项
compile project(':mylibrary')
行声明了一个名为“mylibrary”的本地 Android 库模块作为依赖项,并要求构建系统在构建应用时编译并包含该本地模块。 -
远程二进制依赖项
compile 'com.android.support:appcompat-v7:27.1.0'
行会通过指定其 JCenter 坐标,针对 Android 支持库的 27.1.0 版本声明一个依赖项。默认情况下,Android Studio 会将项目配置为使用顶级构建文件中的 JCenter 存储区。当您将项目与构建配置文件同步时,Gradle 会自动从 JCenter 中抽取依赖项。或者,您也可以通过使用 SDK 管理器下载和安装特定的依赖项。 -
本地二进制依赖项
compile fileTree(dir: 'libs', include: ['*.jar'])
行告诉构建系统在编译类路径和最终的应用软件包中包含app/libs/
目录内的任何 JAR 文件。如果您有模块需要本地二进制依赖项,请将这些依赖项的 JAR 文件复制到项目内部的/libs
中。
配置依赖项
您可以使用特定的配置关键字告诉 Gradle 如何以及何时使用某个依赖项,例如前述示例中的 compile
关键字。下面介绍了您可以用来配置依赖项的一些关键字:
-
compile
指定编译时依赖项。Gradle 将此配置的依赖项添加到类路径和应用的 APK。这是默认配置。
-
apk
指定 Gradle 需要将其与应用的 APK 一起打包的仅运行时依赖项。您可以将此配置与 JAR 二进制依赖项一起使用,而不能与其他库模块依赖项或 AAR 二进制依赖项一起使用。
-
provided
指定 Gradle 不与应用的 APK 一起打包的编译时依赖项。如果运行时无需此依赖项,这将有助于缩减 APK 的大小。您可以将此配置与 JAR 二进制依赖项一起使用,而不能与其他库模块依赖项或 AAR 二进制依赖项一起使用。
此外,您可以通过将构建变体或测试源集的名称应用于配置关键字,为特定的构建变体或测试源集配置依赖项,如下例所示。
dependencies {
...
// Adds specific library module dependencies as compile time dependencies
// to the fullRelease and fullDebug build variants.
fullReleaseCompile project(path: ':library', configuration: 'release')
fullDebugCompile project(path: ':library', configuration: 'debug')
// Adds a compile time dependency for local tests.
testCompile 'junit:junit:4.12'
// Adds a compile time dependency for the test APK.
androidTestCompile 'com.android.support.test.espresso:espresso-core:2.2.2'
}
配置签署设置
除非您为发布构建显式定义签署配置,否则,Gradle 不会签署发布构建的 APK。您可以轻松创建发布密钥并使用 Android Studio 签署发布构建类型。
要使用 Gradle 构建配置为您的发布构建类型手动配置签署配置:
-
创建密钥库。密钥库是一个二进制文件,它包含一组私钥。您必须将密钥库存放在安全可靠的地方。
-
创建私钥。私钥代表将通过应用识别的实体,如某个人或某家公司。
-
将签署配置添加到模块级
build.gradle
文件中:... android { ... defaultConfig {...} signingConfigs { release { storeFile file("myreleasekey.keystore") storePassword "password" keyAlias "MyReleaseKey" keyPassword "password" } } buildTypes { release { ... signingConfig signingConfigs.release } } }
要生成签署的 APK,请从菜单栏中选择 Build > Generate Signed APK。现在,app/build/apk/app-release.apk
中的软件包已使用您的发布密钥进行签署。
注:将发布密钥和密钥库的密码放在构建文件中并不安全。作为替代方案,您可以将此构建文件配置为通过环境变量获取这些密码,或让构建流程提示您输入这些密码。
要通过环境变量获取这些密码:
storePassword System.getenv("KSTOREPWD")
keyPassword System.getenv("KEYPWD")
要让构建流程在您要从命令行调用此构建时提示您输入这些密码:
storePassword System.console().readLine("\nKeystore password: ")
keyPassword System.console().readLine("\nKey password: ")
在完成此流程后,您可以分发您的应用并在 Google Play 上发布它。
警告:将密钥库和私钥存放在安全可靠的地方,并确保您为其创建了安全的备份。如果您将应用发布到 Google Play,随后丢失了您用于签署应用的密钥,那么,您将无法向您的应用发布任何更新,因为您必须始终使用相同的密钥签署应用的所有版本。
参考文档:配置构建变体
网友评论