Android 实现APP内应用更新功能(支持Android7.0以上)

简介: Android 实现APP内应用更新功能(支持Android7.0以上)

前言:

实现APP内应用更新功能思路,这里我给大家具体说明以下。

思路:

  1. 通过API接口获取服务器端版本号,与本地应用版本号作比较。
  2. 如果本地版本号小于服务器端版本号,则弹出一个对话框,提示用户更新APP,用户可以点击更新按钮,在APP内直接更新,安装。用户也可以选择去应用商店更新。
  3. 如果用户点击更新按钮,通过给这个按钮设置监听事件,开启Service服务,在后台服务中下载apk。
  4. 在Service服务中,通过上一个Activity传来的值,获取到最新APK的下载地址,通过IO流的知识,把最新APK下载到手机SD卡的指定路径。
  5. 最后通过调用系统安装界面,实现APK的安装。

接下来我们通过代码实现以上这些步骤

版本号对比,设置对话框,开启服务

//获取本地版本号
            String vername = APKVersionCodeUtils.getVerName(this);
            //获取服务端版本号大小
            final AppUpadeLog newapplog = new Gson().fromJson(resp, AppUpadeLog.class);
            //判断版本号的大小,大于网络上的版本号不提示更新
            int verflag = compareVersion(vername, newapplog.AppVer);
            if (verflag == -1) {
                //对话框弹出
                //弹出提醒对话框,提示用户登录成功
                AlertDialog.Builder builder = new AlertDialog.Builder(this);
                builder.setTitle("更新提示");
                builder.setMessage("应用已有新版本发布,请前往应用商城进行更新,或者直接点击更新按钮,进行更新!");
                builder.setPositiveButton("更新", new DialogInterface.OnClickListener() {
                    @Override
                    public void onClick(DialogInterface dialog, int which) {
                        //启动后台服务,下载APK
                        Intent intent = new Intent(MainActivity.this, UpdateService.class);
                        intent.putExtra("FileSrc", newapplog.FileSrc);
                        intent.putExtra("AppName", newapplog.AppName);
                        startService(intent);
                    }
                });
                builder.setNeutralButton("下次提醒", null);
                AlertDialog alert = builder.create();
                alert.show();

下载APK,设置通知栏,安装APK

public class UpdateService extends Service {
    private static final String TAG = "UpdateService";
    private String appUrl; //应用升级地址
    private String appName; //应用名称
    private String updateFile; //最新APK的路径
    private NotificationManager notificationManager; //声明系统的通知管理器
    //定义notification实用的ID
    private static final String MESSAGES_CHANNEL = "messages";
    private HttpURLConnection connection;
    private NotificationCompat.Builder builder;
    private final int NEW_MESSAGE_ID = 0;
    private static int HANDLER_LABEL = 0X00; //设置一个常量值来标记信息
    Handler handler = new Handler(new Handler.Callback() {
        @Override
        public boolean handleMessage(@NonNull Message msg) {
            if (msg.what == HANDLER_LABEL) {
                if (!TextUtils.isEmpty(updateFile)) {
                    installAPK();
                }
            }
            return false;
        }
    });
    //安装
    private void installAPK() {
        try {
            File cacheDir = new File(getApplicationContext().getExternalFilesDir(null).getPath());
            File file = new File(cacheDir, appName + ".apk");
            //使用隐式意图开启安装APK的Activity
            Intent intent = new Intent(Intent.ACTION_VIEW);
            intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
            //添加这一句表示对目标应用临时授权该Uri所代表的文件
            intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
            if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) { //Android7.0 API24之后获取uri要用contentProvider
                intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
                Uri apkUri = FileProvider.getUriForFile(this,
                        "com.run.xiao.FileProvider", file);
                intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
                intent.setDataAndType(apkUri, "application/vnd.android.package-archive");
                Log.e(TAG, "installAPK: " + apkUri);
            } else {
                Uri apkUri = Uri.parse("file://" + updateFile);
                intent.setDataAndType(apkUri, "application/vnd.android.package-archive");
            }
            startActivity(intent);
            notificationManager.cancel(0); //出现安装APK页面,取消通知
            //结束服务
            stopSelf();
        } catch (Exception e) {
            e.printStackTrace();
        }
    }
    @Override
    public int onStartCommand(Intent intent, int flags, int startId) {
        //获取上一个页面传来的包裹
        Bundle bundle = intent.getExtras();
        appUrl = bundle.getString("FileSrc");
        appName = bundle.getString("AppName");
        downloadUpdateFile(appUrl);
        return super.onStartCommand(intent, flags, startId);
    }
    @Nullable
    @Override
    public IBinder onBind(Intent intent) {
        return null;
    }
    /**
     * 下载更新APK文件
     *
     * @param appUrl
     * @return
     */
    private int downloadUpdateFile(final String appUrl) {
        try {
            //创建通知渠道
            createMessageNotificationChannel();
            final int NEW_MESSAGE_ID = 0;
            builder = new NotificationCompat.Builder(this, MESSAGES_CHANNEL);
            builder.setSmallIcon(R.mipmap.lisen_lancher)  //小图标
                    .setContentTitle("正在下载")         //标题
                    .setContentText("正在更新APP")           //描述性文本
                    .setAutoCancel(true)            //点击通知后关闭通知
                    .setOnlyAlertOnce(true);         //设置提示音只响一次
            //StrictMode修改默认的策略
            StrictMode.ThreadPolicy policy = new StrictMode.ThreadPolicy.Builder().permitAll().build();
            StrictMode.setThreadPolicy(policy);
            //设置进度条操作
            URL url = new URL(appUrl);
            //打开和URL之间的连接
            connection = (HttpURLConnection) url.openConnection();
            //设置网络请求
            connection.setRequestMethod("GET");
            //开始读取服务器端数据,到了指定时间还没有读到数据,则报超时异常
            connection.setReadTimeout(50000);
            //要取得长度,要求http请求不要gzip压缩
            connection.setRequestProperty("Accept-Encoding", "identity"); // 添加这行代码
            //建立实际的连接
            connection.connect();
            new Thread(new Runnable() {
                @Override
                public void run() {
                    int total_length = 0;
                    BufferedOutputStream bos = null;
                    BufferedInputStream bis = null;
                    try {
                        if (connection.getResponseCode() == HttpURLConnection.HTTP_OK) {
                            InputStream is = connection.getInputStream();
                            bis = new BufferedInputStream(is);
//                            File cacheDir = getApplicationContext().getExternalFilesDir(Environment.DIRECTORY_DOWNLOADS);
                            //创建文件路径
                            File cacheDir = new File(getApplicationContext().getExternalFilesDir(null).getPath());
                            if (!cacheDir.exists()) {
                                cacheDir.mkdirs();
                            }
                            //创建文件夹
                            //通过输出流,下载到指定的本地文件目录
                            File file = new File(cacheDir, appName + ".apk");
                            if (!file.exists()) {
                                file.createNewFile();
                            }
                            //检查SD卡的状态是否可用
                            if (!Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) {
                                Toast.makeText(UpdateService.this, "SD卡不可用~", Toast.LENGTH_SHORT).show();
                            }
                            FileOutputStream fos = new FileOutputStream(file);
                            bos = new BufferedOutputStream(fos);
                            //获取文件流大小,更新进度
                            byte[] buffer = new byte[1024 * 8];
                            int len;
                            int pro1 = 0;
                            long file_length = connection.getContentLength();
                            while ((len = bis.read(buffer)) != -1) {
                                bos.write(buffer, 0, len);
                                total_length += len;
                                if (file_length > 0) {
                                    pro1 = (int) ((total_length / (float) file_length) * 100);//进度条传递进度
                                    builder.setProgress(100, pro1, false);
                                    builder.setContentText("下载" + pro1 + "%");
                                    notificationManager.notify(NEW_MESSAGE_ID, builder.build());
                                }
                            }
                            builder.setStyle(new NotificationCompat.BigTextStyle().bigText("下载完成,点击安装")); //显示多行文本
                            notificationManager.notify(NEW_MESSAGE_ID, builder.build());
                            updateFile = file.getAbsolutePath();
                            Log.e(TAG, "下载路径:" + updateFile);
                            handler.sendEmptyMessage(HANDLER_LABEL);
                        }
                    } catch (Exception e) {
                        e.printStackTrace();
                    } finally {
                        //关闭资源,先关闭外层流,在关闭内层流
                        try {
                            if (bis != null) {
                                bis.close();
                            }
                        } catch (IOException e) {
                            e.printStackTrace();
                        }
                        try {
                            if (bos != null) {
                                bos.close();
                            }
                        } catch (IOException e) {
                            e.printStackTrace();
                        }
                    }
                }
            }).start();
        } catch (Exception e) {
            e.printStackTrace();
        }
        return NEW_MESSAGE_ID;
    }
    //创建通知渠道
    private void createMessageNotificationChannel() {
        if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
            CharSequence name = this.getString(R.string.app_name);
            NotificationChannel channel = new NotificationChannel(
                    MESSAGES_CHANNEL,
                    name,
                    NotificationManager.IMPORTANCE_HIGH
            );
            notificationManager = this.getSystemService(NotificationManager.class);
            notificationManager.createNotificationChannel(channel);
        }
    }
}

下载完成之后,不需要用户点击通知栏安装,因为当下载完成后,会发送一条消息给handler,再由handler,调用系统安装界面,进行最新APK的安装。

在清单文件AndroidManifest.xml中注册服务,解决一个应用提供自身文件给其它应用使用时,如果给出一个file://格式的URI的话,应用会抛出FileUriExposedException

<service android:name=".service.UpdateService"
            android:enabled="true"/>
        <!-- 解决Android 7.0 以上报错FileUriExposedException -->
        <provider
            android:name="androidx.core.content.FileProvider"
            android:authorities="com.example.soundproject.FileProvider"
            android:exported="false"
            android:grantUriPermissions="true">
            <meta-data
                android:name="android.support.FILE_PROVIDER_PATHS"
                android:resource="@xml/file_paths" />
        </provider>

android:resource="@xml/file_paths" 这个资源是在res目录下,创建xml包,之后创建file_paths.xml

file_paths.xml代码如下:

<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
   <external-files-path
       name="files"
       path="."/>
</paths>

这样就完成了APP内应用更新功能~ 如果有不当之处,可以在评论区指出,一起进步。


目录
相关文章
|
11天前
|
安全 定位技术 API
婚恋交友系统匹配功能 婚恋相亲软件实现定位 语音社交app红娘系统集成高德地图SDK
在婚恋交友系统中集成高德地图,可实现用户定位、导航及基于地理位置的匹配推荐等功能。具体步骤如下: 1. **注册账号**:访问高德开放平台,注册并创建应用。 2. **获取API Key**:记录API Key以备开发使用。 3. **集成SDK**:根据开发平台下载并集成高德地图SDK。 4. **配置功能**:实现定位、导航及基于位置的匹配推荐。 5. **注意事项**:保护用户隐私,确保API Key安全,定期更新地图数据,添加错误处理机制。 6. **测试优化**:完成集成后进行全面测试,并根据反馈优化功能。 通过以上步骤,提升用户体验,提供更便捷的服务。
|
6天前
|
存储 监控 API
app开发之安卓Android+苹果ios打包所有权限对应解释列表【长期更新】-以及默认打包自动添加权限列表和简化后的基本打包权限列表以uniapp为例-优雅草央千澈
app开发之安卓Android+苹果ios打包所有权限对应解释列表【长期更新】-以及默认打包自动添加权限列表和简化后的基本打包权限列表以uniapp为例-优雅草央千澈
|
15天前
|
PHP
全新uniapp小说漫画APP小说源码/会员阅读/月票功能
价值980的uniapp小说漫画APP小说源码/会员阅读/月票功能
65 20
|
11天前
|
前端开发 数据库 UED
uniapp开发,前后端分离的陪玩系统优势,陪玩app功能特点,线上聊天线下陪玩,只要4800
前后端分离的陪玩系统将前端(用户界面)和后端(服务器逻辑)分开开发,前者负责页面渲染与用户交互,后者处理数据并提供接口。该架构提高开发效率、优化用户体验、增强可扩展性和稳定性,降低维护成本,提升安全性。玩家可发布陪玩需求,陪玩人员发布服务信息,支持在线聊天、预约及线下陪玩功能,满足多样化需求。[演示链接](https://www.51duoke.cn/games/?id=7)
|
13天前
|
移动开发 小程序 前端开发
使用php开发圈子系统特点,如何获取圈子系统源码,社交圈子运营以及圈子系统的功能特点,圈子系统,允许二开,免费源码,APP 小程序 H5
开发一个圈子系统(也称为社交网络或社群系统)可以是一个复杂但非常有趣的项目。以下是一些关键特点和步骤,帮助你理解如何开发、获取源码以及运营一个圈子系统。
84 3
|
17天前
|
供应链 搜索推荐 API
1688APP原数据API接口的开发、应用与收益(一篇文章全明白)
1688作为全球知名的B2B电商平台,通过开放的原数据API接口,为开发者提供了丰富的数据资源,涵盖商品信息、交易数据、店铺信息、物流信息和用户信息等。本文将深入探讨1688 APP原数据API接口的开发、应用及其带来的商业收益,包括提升流量、优化库存管理、增强用户体验等方面。
82 6
|
30天前
|
JSON Java API
探索安卓开发:打造你的首个天气应用
在这篇技术指南中,我们将一起潜入安卓开发的海洋,学习如何从零开始构建一个简单的天气应用。通过这个实践项目,你将掌握安卓开发的核心概念、界面设计、网络编程以及数据解析等技能。无论你是初学者还是有一定基础的开发者,这篇文章都将为你提供一个清晰的路线图和实用的代码示例,帮助你在安卓开发的道路上迈出坚实的一步。让我们一起开始这段旅程,打造属于你自己的第一个安卓应用吧!
60 14
|
1月前
|
Java Linux 数据库
探索安卓开发:打造你的第一款应用
在数字时代的浪潮中,每个人都有机会成为创意的实现者。本文将带你走进安卓开发的奇妙世界,通过浅显易懂的语言和实际代码示例,引导你从零开始构建自己的第一款安卓应用。无论你是编程新手还是希望拓展技术的开发者,这篇文章都将为你打开一扇门,让你的创意和技术一起飞扬。
|
1月前
|
搜索推荐 前端开发 测试技术
打造个性化安卓应用:从设计到开发的全面指南
在这个数字时代,拥有一个定制的移动应用不仅是一种趋势,更是个人或企业品牌的重要延伸。本文将引导你通过一系列简单易懂的步骤,从构思你的应用理念开始,直至实现一个功能齐全的安卓应用。无论你是编程新手还是希望拓展技能的开发者,这篇文章都将为你提供必要的工具和知识,帮助你将创意转化为现实。
|
13天前
|
小程序 安全 网络安全
清晰易懂!陪玩系统源码搭建的核心功能,陪玩小程序、陪玩app的搭建步骤!
陪玩系统源码包含多种约单方式、实时语音互动、直播间与聊天室、大神申请与抢单、动态互动与社交及在线支付与评价等核心功能。搭建步骤包括环境准备、源码上传与解压、数据库配置、域名与SSL证书绑定、伪静态配置及后台管理。注意事项涵盖源码安全性、二次开发、合规性和技术支持。确保平台安全、合规并提供良好用户体验是关键。