Android學習筆記之build.gradle檔案

Joerrot發表於2018-08-08

不同於Eclipse,AS是通過Gradle來構建專案的。Gradle是一個非常先進的構建專案的工具,它使用了一種基於Groovy的領域特定語言DSL來宣告專案設定,摒棄了傳統基於XML(如Ant 和 Maven)的各種繁瑣配置。

在一個專案中有兩個bulid.gradle檔案:

先來看看上面的:(這些程式碼都是自動生成的)

// Top-level build file where you can add configuration options common to all sub-projects/modules.

buildscript {
    repositories {
        jcenter()
    }
    dependencies {
        classpath 'com.android.tools.build:gradle:2.3.3'

        // NOTE: Do not place your application dependencies here; they belong
        // in the individual module build.gradle files
    }
}

allprojects {
    repositories {
        jcenter()
    }
}

task clean(type: Delete) {
    delete rootProject.buildDir
}

首先,兩處repositories的閉包中都宣告瞭jcenter()這行配置,表示一個程式碼託管倉庫,很多Android開源專案都會選擇託管到jcenter上,宣告瞭這行配置後,就可以在專案中輕鬆引用任何jcenter上的開源專案了

接著,dependencies閉包中使用classpath宣告瞭一個Gradle外掛。此外掛可以被用來建立Android專案,後面的2.3.3是外掛的版本號;

 

再來看看下面的build.gradle檔案:

apply plugin: 'com.android.application'

android {
    compileSdkVersion 25
    buildToolsVersion "28.0.1"
    defaultConfig {
        applicationId "com.activitytest.testsearchlocation"
        minSdkVersion 15
        targetSdkVersion 25
        versionCode 1
        versionName "1.0"
        testInstrumentationRunner "android.support.test.runner.AndroidJUnitRunner"
    }
    buildTypes {
        release {
            minifyEnabled false
            proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro'
        }
    }
}

dependencies {
    compile fileTree(dir: 'libs', include: ['*.jar'])
    androidTestCompile('com.android.support.test.espresso:espresso-core:2.2.2', {
        exclude group: 'com.android.support', module: 'support-annotations'
    })
    compile 'com.android.support:appcompat-v7:25.3.1'
    compile 'com.android.support.constraint:constraint-layout:1.0.2'
    testCompile 'junit:junit:4.12'
}

我們來看看dependencies閉包即可:

compile fileTree就是一個本地依賴宣告,它表示將libs目錄下的所有.jar字尾的檔案都新增到專案的構建路徑中。

通常AS專案一共有3種依賴方式:本地依賴、庫依賴、遠端依賴。

其中本地依賴可以對本地的Jar包或目錄新增依賴關係;庫依賴可以對專案種的庫模組新增依賴關係;遠端依賴可以對jcenter庫上的開源專案新增依賴關係。

後面的compile語句:

 compile 'com.android.support:appcompat-v7:25.3.1'

是一種標準的遠端庫依賴的宣告格式,其中com.android.support是域名部分,用於與其他公司的庫做區分;appcompat-v7是組名稱,用於和同一個公司中不同的庫做區分;後面的是版本號。

加上這句宣告後,Gradle在構建專案時會先檢查一下本地是否已經有這個庫的快取,如果沒有就自動聯網下載,然後新增到專案的構建路徑中。

 而androidTestCompile('com.android.support.test.espresso:espresso-core:2.2.2'時宣告測試用例庫的。

相關文章