安卓7.0文件访问严苛模式(如安卓APK报错等原因)


        对于面向 Android 7.0以上API的应用,Android框架执行的 StrictMode API(严苛模式) 政策禁止在应用向外部公开 file:// URI。如果一项包含文件 URI 的 intent 离开你的应用,则应用出现故障,并出现 FileUriExposedException 异常。
        在Android 7.0以上API要在应用间共享文件,需要发送一项  content:// URI,并授予 URI 临时访问的权限,进行此授权的最简单方式是使用  FileProvider 类。

下面以安装Apk为例,具体步骤如下:

一:清单文件中设置FileProvider





    android:name="android.support.v4.content.FileProvider"
    android:authorities="com.winterrunner.vandroid70_install_bug.fileprovider"
    android:grantUriPermissions="true"
    android:exported="false">
    
            android:name="android.support.FILE_PROVIDER_PATHS"
        android:resource="@xml/file_paths" />



TIPS: 注意上面的布局,一般情况下,这样布局即可。 但是,如果应用中引用的jar或者module也使用了name=“ android.support.v4.content.FileProvider ”,这样问题
     就来了,运行时我们发现会报错,multiple error,怎么办???
原因:一个应用只能有一个FileProvider

解决办法:有两个解决办法

-------方法一:就是覆盖jar或者module的provider,然后把file_paths的内容复制到自己写的file_paths里面一份,有的甚至还要去
              改动源码,个人感受繁琐的很。具体实现,请自行百度。


-------方法二:出现这个错误的根本就是不能出现两个相同名字的类,我们自己换个名字不就行了,继承FileProvider即可
步骤:
1.写个类MyFileProvider继承FileProvider,ok
package com.winterrunner.vandroid70_install_bug;

import android.support.v4.content.FileProvider;

/**
 * Created by L.K.X on 2017/5/9.
 */

public class MyFileProvider extends FileProvider{

}
     
2.清单文件修改为:




    android:name=".MyFileProvider"
    android:authorities="com.winterrunner.vandroid70_install_bug.fileprovider"
    android:grantUriPermissions="true"
    android:exported="false">
    
            android:name="android.support.FILE_PROVIDER_PATHS"
        android:resource="@xml/file_paths" />



 

          



二:res建立xml包,创建file_paths.xml文件

安卓7.0文件访问严苛模式(如安卓APK报错等原因)_第1张图片

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




三:调用,注意判断Android版本

if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.N) {
    //参数1 上下文, 参数2 Provider主机地址 和配置文件中保持一致   参数3  共享的文件
    Uri apkUri = FileProvider.getUriForFile(context, "com.winterrunner.vandroid70_install_bug.fileprovider", uriFile);
    Intent intent = new Intent(Intent.ACTION_VIEW);
    // 由于没有在Activity环境下启动Activity,设置下面的标签
    intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
    //添加这一句表示对目标应用临时授权该Uri所代表的文件
    intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
    intent.setDataAndType(apkUri, "application/vnd.android.package-archive");
    context.startActivity(intent);
}else {
    Intent intent = new Intent(Intent.ACTION_VIEW);
    intent.setDataAndType(Uri.fromFile(uriFile), "application/vnd.android.package-archive");
    intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
    context.startActivity(intent);
}





你可能感兴趣的:(android)