Android apk 版本更新

一、修改build.grade文件,版本号和版本名
  • 检测更新可以获取版本名
    //获取versionName
    private String getVersionName() throws Exception{
        PackageManager packageManager = getPackageManager();
        PackageInfo packInfo = packageManager.getPackageInfo(getPackageName(), 0);
        return packInfo.versionName;
    }
二、使用AsyncTask+OkHttp下载
import android.content.Intent;
import android.net.Uri;
import android.os.AsyncTask;
import android.os.Build;
import android.os.Environment;
import android.support.v4.content.FileProvider;
import android.util.Log;
import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import okhttp3.OkHttpClient;
import okhttp3.Request;
import okhttp3.Response;

public class DownloadTask extends AsyncTask {

    private final OkHttpClient mOkHttpClient = new OkHttpClient();
    private boolean mSuccess = false;

    @Override
    protected void onPreExecute() {
        super.onPreExecute();
        Log.e( "onPreExecute: ","准备前的预操作" );
    }

    @Override
    protected Boolean doInBackground(String... strings) {
        try {
            String url = strings[0];
            Request request = new Request.Builder().url(url).build();
            Response response = mOkHttpClient.newCall(request).execute();

            if(response!=null && response.isSuccessful()){
                mSuccess = true;
                dealWithResult(response,url);
            }
        } catch (IOException e) {
            e.printStackTrace();
            mSuccess = false;
        }
        return mSuccess;
    }

    @Override
    protected void onPostExecute(Boolean aBoolean) {
        super.onPostExecute(aBoolean);
        Log.e( "onPostExecute: ", "doInBackground的结果:"+aBoolean);
    }

    @Override
    protected void onProgressUpdate(Integer... values) {
        super.onProgressUpdate(values);
        Log.e( "onProgressUpdate: ","调用onProgressUpdate方法:"+values[0] );
    }

    /**
     * 处理下载结果
     * @param response 网络返回结果
     * @param url 请求网络的地址
     */
    private boolean dealWithResult(Response response,String url) {
        int len = 0;
        byte[] bytes = new byte[1024];
        InputStream is = null;
        FileOutputStream fos = null;
        try {
            //创建下载文件存储的位置(路径+文件名)
            String savePath=createFolderAndPath();
            File file=new File(savePath,getNameFromUrl(url));
            fos=new FileOutputStream(file);
            is=response.body().byteStream();

            long sum=0; //下载文件的进度
            long total=response.body().contentLength(); //下载文件的总长度
            while((len = is.read(bytes))!=-1){
                fos.write(bytes,0,len);
                sum+=len;
                int progress=(int)(sum*1.0f/total*100);
                publishProgress(progress);
            }
            installApk(file);
            return true;
        }catch (Exception e){
            e.printStackTrace();
            return false;
        }finally {
            try {
                fos.flush();
                response.close();
            } catch (IOException e) {
                e.printStackTrace();
            }
        }
    }

    /**
     * 安装下载完成的apk
     * @param file
     */
    private void installApk(File file) {
        Intent intent = new Intent(Intent.ACTION_VIEW);
        Log.e( "installApk: ",file.getAbsolutePath());
        intent.setDataAndType(getUriFromFile(file), "application/vnd.android.package-archive");
        //解决startActivity采取的上下文的Context而不是Activity
        intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK );
        //解决手机安装软件的权限问题
        intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION | Intent.FLAG_GRANT_WRITE_URI_PERMISSION);
        getContext().startActivity(intent);
    }

    /**
     * 兼容Android版本获取Uri
     * @param file
     * @return
     */
    private Uri getUriFromFile(File file){
        Uri fileUri = null ;
        if (Build.VERSION.SDK_INT >= 24) { // Android 7.0 以上
            fileUri = FileProvider.getUriForFile(getContext(), "com.wjx.fileprovider", file);
        } else {
            fileUri = Uri.fromFile(file);
        }
        return fileUri;
    }

    /**
     * 获取文件名
     * @param url
     * @return 从url中获取下载的文件名
     */
    private String getNameFromUrl(String url) {
        return url.substring(url.lastIndexOf("/")+1);
    }

    /**
     * 创建下载文件存储位置
     * @return 绝对路径
     * @throws IOException
     */
    private String createFolderAndPath() throws IOException {
        String fileUrl = Environment.getExternalStorageDirectory()+ "/wjx";
        File downloadFile=new File(fileUrl);
        if(!downloadFile.mkdirs()){
            downloadFile.createNewFile();
        }
        String savePath=downloadFile.getAbsolutePath();
        return savePath;
    }
}
  • mkdir和mkdirs的区别:mkdir():只能创建一层目录(当前层),mkdirs(): 创建多层目录(包括父层)
  • 运行下载任务的使用方式
              DownloadTask downloadTask = new DownloadTask();
              String url = "http://100.100.100.100:8080/wjx.apk";
              downloadTask.execute(url);
三、安装apk,注意Android系统版本,7.0以上版本采用FileProvider解析路径,其余的用Uri解析路径
Android 7.0 以下的安装方式
   private void installApk(File file) { 
        Intent intent = new Intent(Intent.ACTION_VIEW);
        intent.setDataAndType(Uri.fromFile(file),"application/vnd.android.package-archive");
        intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION | Intent.FLAG_GRANT_WRITE_URI_PERMISSION);
        startActivity(intent);
    }
Android 7.0 以上的安装方式,在Manifest.xml中配置FileProvider
        
            
        
在res目录下创建一个新的目录xml,在里面再创建file_paths.xml文件,用于配置FileProvider允许访问的目录


       ->当前使用缓存目录

    
    
    
    
    
    

通过FileProvider转变访问Uri的路径,从而兼容7.0以上版本的行为变更
    private void installApk(File file) {
        Intent intent = new Intent(Intent.ACTION_VIEW);
        intent.setDataAndType(FileProvider.getUriForFile(getContext(), "com.wjx.fileprovider", file),
                "application/vnd.android.package-archive");
        intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION | Intent.FLAG_GRANT_WRITE_URI_PERMISSION);
        startActivity(intent);
    }
四、调用系统自带的浏览器访问apk的下载地址,手动下载,手动安装
  Uri uri = Uri.parse("http://100.100.100.100:8080/wjx.apk");
            Intent intent = new Intent(Intent.ACTION_VIEW, uri);
            getContext().startActivity(intent);
五、微信开源框架 Tinker 热更新
1、在工程的根目录下“build.gradle”文件中添加tinker插件
buildscript {
    repositories {
        jcenter()
    }
    dependencies {
        classpath "com.tencent.bugly:tinker-support:1.1.2"  ->版本号可自行选择
    }
}
2、集成TencentBugly和Tinker热更新
apply from: 'tinker-support.gradle'  -> 引入Tinker插件脚本(根元素)
dependencies {
implementation 'com.android.support:multidex:1.0.1'  -> 多渠道配置
implementation 'com.tencent.tinker:tinker-android-lib:1.9.6'  -> tinker热更新
// 如果只需要集成全量更新,可选择以下两条
implementation 'com.tencent.bugly:nativecrashreport:latest.release'   -> 全量更新+Bugly
implementation 'com.tencent.bugly:crashreport_upgrade:latest.release'   -> 全量更新+Bugly
}
3、在与(app)“build.gradle”文件同级的目录下创建"tinker-support.gradle"文件
apply plugin: 'com.tencent.bugly.tinker-support'  ->引入tinker插件

def bakPath = file("${buildDir}/bakApk/")  ->生成基本包(发布版本)的路径,在project/app/build/bakApk/..

/**
 * 此处填写每次构建生成的基准包目录(在bakPath目录下)
 * 修复包和基本包的补丁是根据目录(baseApkDir )进行匹配生成的
 */
def baseApkDir = "app-0602-17-51-27"  -> 用于匹配补丁包的生成  ->生成补丁包时更改

/**
 * 对于插件各参数的详细解析请参考
 */
tinkerSupport {
    // 开启tinker-support插件,默认值true
    enable = true

    // 指定归档目录,默认值当前module的子目录tinker
    autoBackupApkDir = "${bakPath}"

    // 是否启用覆盖tinkerPatch配置功能,默认值false
    // 开启后tinkerPatch配置不生效,即无需添加tinkerPatch   -> tinkerPatch 是下面的一个节点
    overrideTinkerPatchConfiguration = true  

    // 编译补丁包时,必需指定基线版本的apk,默认值为空
    // 如果为空,则表示不是进行补丁包的编译
    // @{link tinkerPatch.oldApk }
    baseApk = "${bakPath}/${baseApkDir}/app-release.apk"

    // 对应tinker插件applyMapping
    baseApkProguardMapping = "${bakPath}/${baseApkDir}/app-release-mapping.txt"

    // 对应tinker插件applyResourceMapping
    baseApkResourceMapping = "${bakPath}/${baseApkDir}/app-release-R.txt"

    // 构建基准包和补丁包都要指定不同的tinkerId,并且必须保证唯一性(打包时选其一)
    tinkerId ="base-1.0.1" -> 生成基本包  ->    tinkerId ="patch-1.0.1" -> 生成补丁包

    // 构建多渠道补丁时使用
    // buildAllFlavorsDir = "${bakPath}/${baseApkDir}"

    // 是否启用加固模式,默认为false.(tinker-spport 1.0.7起支持)
    // isProtectedApp = true

    /*
     *是否开启反射Application模式
     *开启反射模式,兼容性差,操作简单,自定义的Application无须更改
     *不开启反射模式,兼容性好,自定义的Application需要继承TinkerApplication
     */
    enableProxyApplication = false  

    // 是否支持新增非export的Activity(注意:设置为true才能修改AndroidManifest文件)
    supportHotplugComponent = true
}

/**
 * 一般来说,我们无需对下面的参数做任何的修改
 * 对于各参数的详细介绍请参考:
 * https://github.com/Tencent/tinker/wiki/Tinker-%E6%8E%A5%E5%85%A5%E6%8C%87%E5%8D%97
 * 仅使用tinker时需要配置的属性
 */
tinkerPatch {
    //oldApk ="${bakPath}/${appName}/app-release.apk"
    ignoreWarning = false
    useSign = true
    dex {
        dexMode = "jar"
        pattern = ["classes*.dex"]
        loader = []
    }
    lib {
        pattern = ["lib/*/*.so"]
    }

    res {
        pattern = ["res/*", "r/*", "assets/*", "resources.arsc", "AndroidManifest.xml"]
        ignoreChange = []
        largeModSize = 100
    }

    packageConfig {
    }
    sevenZip {
        zipArtifact = "com.tencent.mm:SevenZip:1.1.10"
        //path = "/usr/local/bin/7za"
    }
    buildConfig {
        keepDexApply = false
        //tinkerId = "1.0.1-base"
        //applyMapping = "${bakPath}/${appName}/app-release-mapping.txt" //  可选,设置mapping文件,建议保持旧apk的proguard混淆方式
        //applyResourceMapping = "${bakPath}/${appName}/app-release-R.txt" // 可选,设置R.txt文件,通过旧apk文件保持ResId的分配
    }
}
4、覆盖tinkerPatch配置功能,自定义Application
import com.tencent.tinker.loader.app.TinkerApplication;
import com.tencent.tinker.loader.shareutil.ShareConstants;

public class MyApplication extends TinkerApplication {  -> 在 Android Manifest.xml 中引用
    public MyApplication() {
        super(ShareConstants.TINKER_ENABLE_ALL, "com.wjx.MyApplicationLike",
                "com.tencent.tinker.loader.TinkerLoader", false);
    }
}
平时在Application里执行的加载,切换到下面的类
package com.wjx.application;

import android.annotation.TargetApi;
import android.app.Application;
import android.content.Context;
import android.content.Intent;
import android.os.Build;
import android.support.multidex.MultiDex;

import com.tencent.bugly.Bugly;
import com.tencent.bugly.beta.Beta;
import com.tencent.tinker.loader.app.DefaultApplicationLike;

public class MyApplicationLike extends DefaultApplicationLike {

    public MyApplicationLike(Application application, int tinkerFlags, boolean tinkerLoadVerifyFlag, long applicationStartElapsedTime, long applicationStartMillisTime, Intent tinkerResultIntent) {
        super(application, tinkerFlags, tinkerLoadVerifyFlag, applicationStartElapsedTime, applicationStartMillisTime, tinkerResultIntent);
    }

    @Override
    public void onCreate() {
        super.onCreate();
        // 上下文,平台的appid,是否开启Debug模式
        Bugly.init(getApplication(), "appid", false);  -> 初始化Bugly
    }


    @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH)
    @Override
    public void onBaseContextAttached(Context base) {
        super.onBaseContextAttached(base);
        // you must install multiDex whatever tinker is installed!
        MultiDex.install(base); -> 安装多渠道打包 
        // TinkerManager.installTinker(this); 替换成下面Bugly提供的方法
        Beta.installTinker(this);  -> 安装tinker
    }

    @TargetApi(Build.VERSION_CODES.ICE_CREAM_SANDWICH)
    public void registerActivityLifecycleCallback(Application.ActivityLifecycleCallbacks callbacks) {
        getApplication().registerActivityLifecycleCallbacks(callbacks);
    }
}
5、配置Android Manifest.xml文件
(1)、权限配置






(2)、Activity配置

(3)、Android 系统兼容配置(FileProvider)
  修改 ${applicationId} 
    android:exported="false"
    android:grantUriPermissions="true">
    

---------------------provider_paths.xml---------------------


    
    
    
    

6、混淆配置(proguard.rules.pro)
-dontwarn com.tencent.bugly.**
-keep public class com.tencent.bugly.**{*;}
# tinker混淆规则
-dontwarn com.tencent.tinker.**
-keep class com.tencent.tinker.**{*;}
-keep class android.support.**{*;}   -> 项目中如果用到support-v4包
7、编辑基准包(发布的版本)
(1)配置签名信息((app)build.grade文件)
android {
    compileSdkVersion 27
    defaultConfig {
        applicationId "com.wjx.application"
        minSdkVersion 15
        targetSdkVersion 27
        versionCode 1
        versionName "1.0"
        testInstrumentationRunner "android.support.test.runner.AndroidJUnitRunner"
    }

    signingConfigs {
        release {  -> 以打包正式版为例
            try {
                keyAlias 'keyAlias '
                keyPassword 'keyPassword'
                storeFile file('../sign.jks')
                storePassword 'storePassword '
            } catch (ex) {
                throw new InvalidUserDataException(ex.toString())
            }
        }
    }

    buildTypes { -> 注意:signingConfigs 需要写在 buildTypes 前,否则编译时找不到签名配置信息
        release {
            minifyEnabled false
            signingConfig signingConfigs.release  -> 引用上述signingConfigs的配置
            proguardFiles getDefaultProguardFile('proguard-android.txt'), 'proguard-rules.pro'
        }
        debug {
            debuggable true
            minifyEnabled false
            signingConfig signingConfigs.release  -> 引用上述signingConfigs的配置
        }
    }
}
(2)在项目中根据以下步骤,双击assembleRelase,生成发布版的apk
生成基准包详解图
(3)在项目中根据以下步骤,双击tinkerPatchRelease,根据配置生成对应的补丁包
生成补丁包想截图

你可能感兴趣的:(Android apk 版本更新)