说到这个都是泪啊,公司项目手机各种侧没问题,偏偏自己的7.0系统没有测试,结果好了,上线下载下来发现下载安装apk直接挂了,闪退了,当时那个郁闷啊,日志显示FileUriExposedExceotion异常,网上查下错误才发现Android N修改了安全机制,网上资料蛮多的,在这就多做个笔记吧。
Android N之前安装姿势:
Intent intent = new Intent();
intent.setAction(Intent.ACTION_VIEW);
intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
File apkFile = new File(Environment.getExternalStorageDirectory()+File.separator+"download"+File.separator+packageName+".apk");
intent.setDataAndType(Uri.fromFile(apkFile), "application/vnd.android.package-archive");
startActivity(intent);
// startActivityForResult(intent, 100);
上面代码在Android 7.0以下安装apk是没有问题的,但是7.0的机子调用代码后就闪退了,在Android7.0以后限定应用程序默认只能访问自身应用数据,所以当我们想通过File对象访问其他package数据时候,需要借助ContentProvider、FileProvider这些组件。接下来修正错误:
使用FileProvider
1、添加Provider到AndroidManifest.xml中
<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.hmh.kotlinapp">
<application
android:allowBackup="true"
android:icon="@mipmap/ic_launcher"
android:label="@string/app_name"
android:roundIcon="@mipmap/ic_launcher_round"
android:supportsRtl="true"
android:theme="@style/AppTheme">
<activity android:name=".MainActivity">
<intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter>
</activity>
<!--以下是增加的代码start, 注意替换应用的包名-->
<provider
android:name="android.support.v4.content.FileProvider"
android:authorities="应用包名.fileprovider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/file_paths"/>
</provider>
<!--结束代码end-->
</application>
</manifest>
上面的代码只有provider标签内的是需要添加的,记得更换自己的包名
2、在res下新建一个xml的文件夹,在新建资源文件
Paste_Image.pngfile_paths.xml内容
<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
<external-path
name="download"
path="Android/data/com.example.one" />
<external-files-path
name="Download"
path="." />
</paths>
paths只有声明后,才能在程序中使用不报错
- file-path对应context.getFilesDir()
- cache-path对应getCacheDir()
- external-path对应context#getExternalFileDir(String) Context.getExternalFilesDir(null)
- external-cache-path对应Context.getExternalCacheDir()
具体的name和path需要自己根据需求定义
应用代码:
Intent intent = new Intent();
intent.setAction(Intent.ACTION_VIEW);
intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
File apkFile = new File(Environment.getExternalStorageDirectory()+File.separator+"download"+File.separator+packageName+".apk");
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {
install.setFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
Uri contentUri = FileProvider.getUriForFile(context, "应用报名.fileProvider", apkFile);
install.setDataAndType(contentUri, "application/vnd.android.package-archive");
} else {
intent.setDataAndType(Uri.fromFile(apkFile), "application/vnd.android.package-archive");
}
startActivity(intent);
// startActivityForResult(intent, 100);
还是要记得更换自己的包名和路径
到这里就差不多了,希望能给你们带来帮助。
网友评论