Android版本更新服务通知下载实现

在日常开发中,我们肯定会有检查版本更新的需求,那我版本更新的轮子网上也是有的,想自己实现一下代码如下:

下载管理类:

public class DownLoadManager {private static final String MAIN = "main"; //Tagprivate static DownLoadManager instance = new DownLoadManager(); //单例对象/*** 对外公布的单例对象** @return*/public static DownLoadManager getInstance() {return instance;}/*** 下载** @param uri        url* @param listener   下载DownLoadListener监听对象* @param targetFile 目标文件*/public void downLoad(final Context context, final String uri, final DownLoadListener listener,final File targetFile) {if (MAIN.equalsIgnoreCase(Thread.currentThread().getName())) {new Thread() {@Overridepublic void run() {downloadNewThread(context, uri, listener, targetFile);};}.start();} else {downloadNewThread(context, uri, listener, targetFile);}}/*** 新开一个线程执行下载操作** @param uri* @param listener* @param targetFile*/private void downloadNewThread(Context context, String uri, DownLoadListener listener,File targetFile) {FileOutputStream fileOutputStream = null;InputStream inputStream = null;//try {URL url = new URL(uri);//获取连接HttpURLConnection connection = (HttpURLConnection) url.openConnection();connection.setConnectTimeout(60 * 1000);connection.setReadTimeout(60 * 1000);connection.setRequestProperty("Connection", "Keep-Alive");connection.setRequestProperty("Charset", "UTF-8");connection.setDoInput(true);connection.setUseCaches(false);//打开连接connection.connect();//获取内容长度int contentLength = connection.getContentLength();if (listener != null) {listener.onStartLoading(contentLength);}File parent = targetFile.getParentFile();if (!parent.exists()) {parent.mkdirs();} else if (!parent.isDirectory()) {if (parent.delete()) {parent.mkdirs();}}//输入流inputStream = connection.getInputStream();//输出流boolean old = Build.VERSION.SDK_INT < Build.VERSION_CODES.N;fileOutputStream = old ?context.openFileOutput(targetFile.getName(), Context.MODE_WORLD_READABLE): new FileOutputStream(targetFile);byte[] bytes = new byte[1024];long totalReaded = 0;int temp_Len;long currentTime = System.currentTimeMillis();while ((temp_Len = inputStream.read(bytes)) != -1) {totalReaded += temp_Len;
//                Log.i("XXXX", "run: totalReaded:" + totalReaded);
//                long progress = totalReaded * 100 / contentLength;
//                Log.i("XXXX", "run: progress:" + progress);fileOutputStream.write(bytes, 0, temp_Len);if (listener != null) {listener.onLoading(totalReaded, ((float) totalReaded) / contentLength,((float) temp_Len) / System.currentTimeMillis()- currentTime);}currentTime = System.currentTimeMillis();}if (listener != null) {listener.onLoadingFinish(contentLength);}} catch (Exception e) {e.printStackTrace();if (listener != null) {listener.onFailure(e.getMessage());}} finally {try {if (fileOutputStream != null) {fileOutputStream.close();}if (inputStream != null) {inputStream.close();}} catch (IOException e) {e.printStackTrace();}}}/*** 声明DownLoadListener监听器*/public interface DownLoadListener {/*** 开始下载** @param totalSize*/void onStartLoading(long totalSize);/*** 下载中** @param currentSize byte* @param percent* @param speed       byte/second*/void onLoading(long currentSize, float percent, float speed);/*** 下载完成** @param totalSize*/void onLoadingFinish(long totalSize);/*** 下载失败** @param error*/void onFailure(String error);}
}

更新监听接口

public interface UpdateListener {/*** @description 开始升级* @param totalSize 安装包体积*/void onStart(long totalSize);/*** @description 正在下载*/void onLoading(long currentSize, float percent, float speed);/*** @description 下载完成* @param totalSize 安装包体积*/void onLoadingFinish(long totalSize);/*** @description md5校验成功*/void onMd5Checked(String path);/*** @description 升级失败* @param error*/void onError(String error);
}

 最后就是服务类了比较重要

public class UpdateService extends Service {private static final String NOTIFY_CHANNEL_ID = "com.jianke.api.UpdateService";public static final String BROADCAST_UPDATE_VERSION_AUTH_INSTALL_APK = "BROADCAST_UPDATE_VERSION_AUTH_INSTALL_APK";public static final String BROADCAST_UPDATE_VERSION_AUTH_INSTALL_APK_SUCCESS = "BROADCAST_UPDATE_VERSION_AUTH_INSTALL_APK_SUCCESS";public static boolean isRunning = false; //是否正在运行public static final String URL = "url"; //Tagpublic static final String ICON = "icon"; //Tagpublic static final String MD5 = "md5"; //Tagprivate NotificationCompat.Builder builder;private Handler handler;//Handler对象private int lastPercent = 0;private NotificationManager notificationManager;//Class to notify the user of events that happen.private AuthInstallApkBroadcastReceiver mAuthInstallApkBroadcastReceiver;private String fileName = String.valueOf(System.currentTimeMillis());private UpdateListener updateListener;private class AuthInstallApkBroadcastReceiver extends BroadcastReceiver {@Overridepublic void onReceive(Context context, Intent intent) {installApk();}}@Overridepublic void onCreate() {super.onCreate();mAuthInstallApkBroadcastReceiver = new AuthInstallApkBroadcastReceiver();IntentFilter intentFilter = new IntentFilter(UpdateService.BROADCAST_UPDATE_VERSION_AUTH_INSTALL_APK_SUCCESS);LocalBroadcastManager.getInstance(this).registerReceiver(mAuthInstallApkBroadcastReceiver, intentFilter);}@Overridepublic void onDestroy() {stopForeground(true);LocalBroadcastManager.getInstance(this).unregisterReceiver(mAuthInstallApkBroadcastReceiver);updateListener = null;super.onDestroy();isRunning = false;}@Overridepublic IBinder onBind(Intent intent) {return new UpdateServiceBinder();}@Overridepublic int onStartCommand(Intent intent, int flags, int startId) {isRunning = true;if (intent == null) {return super.onStartCommand(intent, flags, startId);}String action = intent.getAction();if (!TextUtils.isEmpty(action)) {Toast.makeText(getApplicationContext(), "action is null", Toast.LENGTH_SHORT).show();} else {String url = intent.getStringExtra(URL);final String md5 = intent.getStringExtra(MD5);int icon = intent.getIntExtra(ICON, android.R.drawable.sym_def_app_icon);if (TextUtils.isEmpty(url)) {
//                if (BuildConfig.DEBUG) {throw new RuntimeException("获取APK更新地址失败");
//                }
//                return super.onStartCommand(intent, flags, startId);} else {startUpdate(url, icon);}handler = new Handler(getMainLooper()) {@Overridepublic void handleMessage(Message msg) {if (builder != null) {switch (msg.what) {case 1:builder.setProgress(100, (Integer) msg.obj, false);builder.setContentText((Integer) msg.obj + "%");if (notificationManager == null || builder == null) {return;}notificationManager.notify(R.id.update_notification_id, builder.build());break;case 2:notificationManager.cancel(R.id.update_notification_id);// 更新通知为下载完成if (builder != null) {builder.setContentTitle("下载完成");builder.setProgress(0, 0, false);notificationManager.notify(R.id.update_notification_id, builder.build());}getFileMD5(md5);break;case 3:  //校验md5 结果处理 以及安装String fileHash = (String) msg.obj;LogUtils.d("md5===" + fileHash);// 校验hash 忽略 md5大小写if (msg.arg1 == 1 && (TextUtils.isEmpty(md5) || (!TextUtils.isEmpty(fileHash) && fileHash.equalsIgnoreCase(md5)))) {isRunning = false;if(updateListener != null) updateListener.onMd5Checked(getApkPath());installApk();} else {isRunning = false;if(updateListener != null) updateListener.onError("文件错误");ToastUtil.setToast("文件错误");stopSelf();}break;case 4:isRunning = false;if(updateListener != null) updateListener.onError(msg.obj + "");ToastUtil.setToast(msg.obj + "");notificationManager.cancel(R.id.update_notification_id);stopSelf();break;default:break;}}}};}return super.onStartCommand(intent, flags, startId);}public void setUpdateListener(UpdateListener updateListener) {this.updateListener = updateListener;}/*** 校验文件md5** @param md5*/private void getFileMD5(String md5) {if (!TextUtils.isEmpty(md5)) {new Thread(new Runnable() {   //300M 耗时 ≈ 3S@Overridepublic void run() {try {File file = new File(getApkPath());String fileHash = MD5Utils.digestMD5(file);sendCheckFileMsg(true, fileHash);} catch (Exception e) {e.printStackTrace();sendCheckFileMsg(false, "");}}}).start();} else {  //md5 空算成功sendCheckFileMsg(true, "");}}private void sendCheckFileMsg(boolean success, String hash) {Message msg = Message.obtain();msg.what = 3;msg.arg1 = success ? 1 : 0;msg.obj = hash;handler.sendMessage(msg);}private void installApk() {File file = new File(getApkPath());// 检查是否已授权(Android 8.0+)if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O && !getPackageManager().canRequestPackageInstalls()) {ToastUtil.setToast("请授权安装应用");notificationManager.notify(R.id.update_notification_id, builder.build());requestAutoInstallApk(); // 跳转授权页面return;}Intent intent = new Intent();intent.setAction(Intent.ACTION_VIEW);intent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {Uri apkUri = FileProvider.getUriForFile(this, getPackageName() + ".fileprovider", file);intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);intent.setDataAndType(apkUri, "application/vnd.android.package-archive");} else {intent.setDataAndType(Uri.fromFile(file),"application/vnd.android.package-archive");intent.addCategory("android.intent.category.DEFAULT");}startActivity(intent);stopSelf();}private void requestAutoInstallApk() {isRunning = false;LocalBroadcastManager.getInstance(this).sendBroadcast(new Intent(BROADCAST_UPDATE_VERSION_AUTH_INSTALL_APK));if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {// 跳转到系统设置页,让用户开启「安装未知应用」权限Intent intent = new Intent(Settings.ACTION_MANAGE_UNKNOWN_APP_SOURCES);intent.setData(Uri.parse("package:" + getPackageName()));intent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);startActivity(intent);}}/*** 开始下载** @param url apk的url*/private void startUpdate(String url, int icon) {createNotification(icon); //创建通知栏进度startDownLoad(url);}/*** 创建通知栏进度*/private void createNotification(int icon) {notificationManager = (NotificationManager) getSystemService(Context.NOTIFICATION_SERVICE);if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {NotificationChannel channel = new NotificationChannel(NOTIFY_CHANNEL_ID,"xxx",NotificationManager.IMPORTANCE_HIGH);channel.enableLights(true);channel.setShowBadge(true);channel.setDescription("update version");notificationManager.createNotificationChannel(channel);}notificationManager.cancel(R.id.update_notification_id);builder = new NotificationCompat.Builder(getApplicationContext(), NOTIFY_CHANNEL_ID);builder.setSmallIcon(icon).setContentTitle("正在下载 ...").setContentText("0%");builder.setPriority(NotificationCompat.PRIORITY_HIGH);builder.setProgress(100, 0, false);builder.setOnlyAlertOnce(true);builder.setOngoing(true);// 添加点击安装的PendingIntentIntent installIntent = new Intent(this, UpdateService.class);installIntent.setAction("INSTALL_APK");PendingIntent pendingIntent = PendingIntent.getService(this, 0,installIntent, PendingIntent.FLAG_UPDATE_CURRENT| PendingIntent.FLAG_IMMUTABLE);builder.setContentIntent(pendingIntent);if (notificationManager == null) {return;}Notification notification = builder.build();notificationManager.notify(R.id.update_notification_id, notification);startForeground(R.id.update_notification_id, notification);}/*** 开始下载** @param url*/private void startDownLoad(String url) {DownLoadManager.getInstance().downLoad(this, url, new DownLoadManager.DownLoadListener() {@Overridepublic void onStartLoading(long totalSize) {// Do nothing because of auto-generatedif(updateListener != null) updateListener.onStart(totalSize);}@Overridepublic void onLoading(long currentSize, float percent, float speed) {int tempPercent = (int) (percent * 100);if (tempPercent >= 0 && lastPercent != tempPercent) {  //避免频繁调用通知Message msg = Message.obtain();msg.what = 1;msg.obj = tempPercent;handler.sendMessage(msg);lastPercent = tempPercent;if(updateListener != null) updateListener.onLoading(currentSize, percent, speed);}}@Overridepublic void onLoadingFinish(long totalSize) {Message msg = Message.obtain();msg.what = 2;handler.sendMessage(msg);if(updateListener != null) updateListener.onLoadingFinish(totalSize);}@Overridepublic void onFailure(String error) {Message msg = Message.obtain();msg.what = 4;msg.obj = error;handler.sendMessage(msg);}}, new File(getApkPath()));}/*** 获取apk下载路径** @return*/private String getApkPath() {boolean old = Build.VERSION.SDK_INT < Build.VERSION_CODES.N;return old ?getFileStreamPath(fileName + ".apk").getAbsolutePath(): getAppRootDir() + fileName + ".apk";}/*** 获取sdcard的绝对路径** @return*/public String getSDcardDir() {String sdcardPath = null;if (Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) {sdcardPath = Environment.getExternalStorageDirectory().getAbsolutePath();} else {sdcardPath = getApplicationContext().getFilesDir().getAbsolutePath();}return sdcardPath;}/*** 获取应用跟目录** @return*/public String getAppRootDir() {return getFilesDir().getAbsolutePath() + "/";}public class UpdateServiceBinder extends Binder {public UpdateService getService(){return UpdateService.this;}}
}

最后配置也比较重要要在manifest里注册服务

 //android:foregroundServiceType="dataSync" 这个高版本必须要指定服务类型<service android:name="com.ai.library_common.widget.versionmanager.UpdateService"android:foregroundServiceType="dataSync"/>权限要加这些<uses-permission android:name="android.permission.REQUEST_INSTALL_PACKAGES" /><!-- 添加 FOREGROUND_SERVICE 权限 --><uses-permission android:name="android.permission.FOREGROUND_SERVICE" /><uses-permission android:name="android.permission.FOREGROUND_SERVICE_DATA_SYNC"/><uses-permission android:name="android.permission.READ_PRIVILEGED_PHONE_STATE"tools:ignore="ProtectedPermissions" /><uses-permission android:name="android.permission.FOREGROUND_SERVICE_MEDIA_PLAYBACK"/>
<!--    通知权限--><uses-permission android:name="android.permission.POST_NOTIFICATIONS" />

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/74143.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

UE5学习笔记 FPS游戏制作33 换子弹 动画事件

新建动画蒙太奇 为Rifle和Launcher各自新建一个动画蒙太奇&#xff0c;拖入动画&#xff0c;注意动画的轨道要和动画蓝图里的一致 在蒙太奇添加动画事件 在通知一栏新增一个轨道&#xff0c;右键轨道&#xff0c;新增一个 换枪完成 通知&#xff0c;不同动画的同名通知需要…

uniapp中uploadFile的用法

基本语法 uni.uploadFile(OBJECT)OBJECT 是一个包含上传相关配置的对象&#xff0c;常见参数如下&#xff1a; 参数类型必填说明urlString是开发者服务器地址。filePathString是要上传文件资源的本地路径。nameString是文件对应的 key&#xff0c;开发者在服务端可以通过这个 …

Android设计模式之责任链模式

一、定义&#xff1a; 使多个对象都有机会处理请求&#xff0c;从而避免了请求的发送者和接收者之间的耦合关系将这些对象连城一条链&#xff0c;并沿着这条链传递该请求&#xff0c;只到有对象处理它为止。 二、模式结构&#xff1a; 抽象处理者&#xff08;Handler&#xff…

Oracle数据库数据编程SQL<3.3 PL/SQL 游标>

游标(Cursor)是Oracle数据库中用于处理查询结果集的重要机制&#xff0c;它允许开发者逐行处理SQL语句返回的数据。 目录 一、游标基本概念 1. 游标定义 2. 游标分类 二、静态游标 &#xff08;一&#xff09;显式游标 【一】不带参数&#xff0c;普通的显示游标 1. 显式…

逗万DareWorks|创意重构书写美学,引领新潮无界的文创革命

当传统文具陷入同质化泥潭时&#xff0c;逗万DareWorks品牌犹如一颗璀璨的明星&#xff0c;以其独特的创意理念和卓越的产品品质&#xff0c;迅速赢得了广大消费者的青睐。 逗万DareWorks隶属于东莞司贸文教赠品有限公司&#xff0c;后者深耕制笔行业45年&#xff0c;占地4.6万…

写Prompt的技巧和基本原则

一.基本原则 1.一定要描述清晰你需要大模型做的事情&#xff0c;不要模棱两可 2.告诉大模型需要它做什么&#xff0c;不需要做什么 改写前: 请帮我推荐一些电影 改写后: 请帮我推荐2025年新出的10部评分比较高的喜剧电影&#xff0c;不要问我个人喜好等其他问题&#xff…

【React】基于 React+Tailwind 的 EmojiPicker 选择器组件

1.背景 React 写一个 EmojiPicker 组件&#xff0c;基于 emoji-mart 组件二次封装。支持添加自定义背景 、Emoji 图标选择&#xff01;并在页面上展示&#xff01; 2.技术栈 emoji-mart/data 、emoji-mart : emoji 图标库、元数据 tailwindcss: 原子化 CSS 样式库 antd : 组…

Qt中绘制不规则控件

在Qt中绘制不规则控件可通过设置遮罩&#xff08;Mask&#xff09;实现。以下是详细步骤: ‌继承目标控件‌&#xff1a;如QPushButton或QWidget。‌重写resizeEvent‌&#xff1a;当控件大小变化时&#xff0c;更新遮罩形状。‌创建遮罩区域‌&#xff1a;使用QRegion或QPain…

Parallel_Scheduling_of_DAGs_under_Memory_Constraints论文阅读

内存约束下的 DAG 并行调度 点击阅读原文语雀链接更清晰 摘要 科学工作流通常被建模为任务的有向无环图&#xff08;DAG&#xff09;&#xff0c;这些任务代表计算模块及其依赖关系&#xff0c;依赖关系表现为任务生成的数据被其他任务使用。这种形式化方法允许使用运行时系统&…

探索MVC、MVP、MVVM和DDD架构在不同编程语言中的实现差异

MVC与MVP/MVVM/DDD架构对比&#xff0c;不同语言实现 MVC 分层架构设计概述 模型-视图-控制器&#xff08;Model-View-Controller&#xff0c;简称 MVC&#xff09;是一种经典软件架构设计&#xff0c;通过分层解耦&#xff0c;使得系统结构清晰和易于维护&#xff0c;具有良…

一文读懂 UML:基础概念与体系框架

UML 图是一种标准化的建模语言&#xff0c;在软件开发和系统设计等领域有着广泛的应用。以下是对 UML 图各类图的详细介绍&#xff1a; 1.用例图 定义&#xff1a;用例图是从用户角度描述系统功能的模型图&#xff0c;展现了系统的参与者与用例之间的关系。作用&#xff1a;帮…

Spring 及 Spring Boot 条件化注解(15个)完整列表及示例

Spring 及 Spring Boot 条件化注解完整列表及示例 1. 所有条件化注解列表 Spring 和 Spring Boot 提供了以下条件化注解&#xff08;共 15 个&#xff09;&#xff0c;用于在配置类或方法上实现条件化注册 Bean 或配置&#xff1a; 注解名称作用来源框架Conditional自定义条件…

【Kafka】深入探讨 Kafka 如何保证一致性

文章目录 Kafka 基本概念回顾​副本角色​ 数据写入一致性​同步副本&#xff08;ISR&#xff09;集合​数据读取一致性​故障处理与一致性恢复​总结​ 在分布式系统领域&#xff0c;数据一致性是至关重要的一环。作为一款高性能的分布式消息队列系统&#xff0c;Kafka 在设计…

从入门到精通:SQL注入防御与攻防实战——红队如何突破,蓝队如何应对!

引言&#xff1a;为什么SQL注入攻击依然如此强大&#xff1f; SQL注入&#xff08;SQL Injection&#xff09;是最古老且最常见的Web应用漏洞之一。尽管很多公司和组织都已经采取了WAF、防火墙、数据库隔离等防护措施&#xff0c;但SQL注入依然在许多情况下能够突破防线&#…

【算法day27】有效的数独——请你判断一个 9 x 9 的数独是否有效。只需要 根据以下规则 ,验证已经填入的数字是否有效即可。

36. 有效的数独 请你判断一个 9 x 9 的数独是否有效。只需要 根据以下规则 &#xff0c;验证已经填入的数字是否有效即可。 数字 1-9 在每一行只能出现一次。 数字 1-9 在每一列只能出现一次。 数字 1-9 在每一个以粗实线分隔的 3x3 宫内只能出现一次。&#xff08;请参考示例…

leetcode 2360. 图中的最长环 困难

给你一个 n 个节点的 有向图 &#xff0c;节点编号为 0 到 n - 1 &#xff0c;其中每个节点 至多 有一条出边。 图用一个大小为 n 下标从 0 开始的数组 edges 表示&#xff0c;节点 i 到节点 edges[i] 之间有一条有向边。如果节点 i 没有出边&#xff0c;那么 edges[i] -1 。…

PySpur: AI 智能体可视化开发平台

GitHub&#xff1a;https://github.com/PySpur-Dev/pyspur 更多AI开源软件&#xff1a;发现分享好用的AI工具、AI开源软件、AI模型、AI变现 - 小众AI PySpur是一个开源的轻量级可视化AI智能体工作流构建器&#xff0c;旨在简化AI系统的开发流程。通过拖拽式界面&#xff0c;用户…

vcpkg安装及使用教程,以安装matio库解析mat文件为例

vcpkg安装及使用教程,以安装matio库解析mat文件为例 1. vcpkg安装2 安装matio三方库3 将三方库集成到VS中3.1 全局集成3.2 集成到特定工程4 结语Vcpkg 是微软开发的一款开源的 C/C++ 包管理工具,旨在简化 C/C++ 项目依赖库的安装和管理。它支持跨平台(Windows、Linux、macO…

LLM架构解析:NLP基础(第一部分)—— 模型、核心技术与发展历程全解析

本专栏深入探究从循环神经网络&#xff08;RNN&#xff09;到Transformer等自然语言处理&#xff08;NLP&#xff09;模型的架构&#xff0c;以及基于这些模型构建的应用程序。 本系列文章内容&#xff1a; NLP自然语言处理基础&#xff08;本文&#xff09;词嵌入&#xff0…

【Rtklib入门指南】2. 使用RTKLIB GUI进行观测数据分析

数据准备 下载2025年1月1日的香港CORS站数据和观测星历&#xff0c;详情参照如下博客&#xff1a; 使用GAMP_GOOD进行hk数据下载教程-CSDN博客 分析工具 RTKLIB 2.4.3 demo5&#xff08;也可以选用RTKLIB2.4.2&#xff0c;但不建议使用RTKLIB2.4.3&#xff09; 分析流程 …