适配Android N遇到的两个问题

一:通过DownloadManager下载文件

在API 24以前我们通过
String filePath=cursor.getString(cursor.getColumnIndex(DownloadManager.COLUMN_LOCAL_FILENAME));这种方式来获取下载完成后的文件路径,但是在Android N上面使用这种方法会抛出SecurityException
解决方法:
方法1:将targetSdkVersion指定到24以下,targetSdkVersion 23
方法2:修改DownloadManager.Request的下载路径,例如:
request.setDestinationInExternalFilesDir(this, "apk", "test.apk");
先获取下载的Uri,然后根据Uri获取文件的路径

        String uri = cursor.getString(cursor.getColumnIndex(DownloadManager.COLUMN_LOCAL_URI));
        if (uri != null) {
            File file= new File(Uri.parse(uri).getPath());
            String filePath = file.getAbsolutePath();
            Log.d(TAG, "downloadFilePath->" + filePath);
        }

二: 应用间共享文件

看官方说明

对于面向 Android 7.0 的应用,Android 框架执行的StrictModeAPI 政策禁止在您的应用外部公开file://URI。如果一项包含文件 URI 的 intent 离开您的应用,则应用出现故障,并出现FileUriExposedException异常。
要在应用间共享文件,您应发送一项content://URI,并授予 URI 临时访问权限。进行此授权的最简单方式是使用FileProvider类。如需了解有关权限和共享文件的详细信息,请参阅共享文件

大概每个应用都有这种使用场景,在应用升级更新的时候,我们会将下载完成的Apk文件以一个Intent发送出去,让系统安装应用。
在Android N以前,我们的做法:

        Intent intent = new Intent(Intent.ACTION_VIEW);
        intent.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK);
        intent.setDataAndType(Uri.parse("file://" + filename), "application/vnd.android.package-archive");
        startActivity(intent);

在Android N上面这种方式会抛出FileUriExposedException异常。
适配Android N的方法:

  1. 在manifest中添加配置
        <provider
            android:name="android.support.v4.content.FileProvider"
            android:authorities="@string/fileProvider_authorities"
            android:grantUriPermissions="true"
            android:exported="false">
            <meta-data
                android:name="android.support.FILE_PROVIDER_PATHS"
                android:resource="@xml/file_paths" />
        </provider>
  1. 在res目录下创建xml/file_paths文件,只有在file_paths中配置的目录下的文件才可以在应用间共享
<?xml version="1.0" encoding="utf-8"?>
<paths>
    <external-path
        name="external-path"
        path="." />
    <cache-path
        name="cache-path"
        path="." />
    <files-path
        name="files-path"
        path="." />
</paths>

对应关系:

  • external-path 对应 Environment.getExternalStorageDirectory()
  • cache-path对应 getCacheDir()
  • files-path对应 getFilesDir()
    path指定对应目录下的子目录, path=”.” 表示该目录下所有子目录
  1. 共享文件
        Intent intent = new Intent(Intent.ACTION_VIEW);
        intent.setFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
        Uri contentUri = FileProvider.getUriForFile(context, getString(R.string.fileProvider_authorities), new File(filePath));
        intent.setDataAndType(contentUri, "application/vnd.android.package-archive");
        startActivity(intent);
    原文作者:Wang_Yi
    原文地址: https://www.jianshu.com/p/61a5e09f7714
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞