美文网首页
Android 7.0 安全性适配

Android 7.0 安全性适配

作者: 琳子baby | 来源:发表于2018-10-22 14:11 被阅读65次

    一、前言

    Android的随着版本的增高安全性也越来越受到重视,同时对开发者也是一个挑战,需要我们及时关注并改变。如:6.0的动态运行时权限,7.0的私有目录限制访问、StrictMode API。

    二、StrictMode API 实例详解

    本次将结合拍照上传,总结 7.0 StrictMode API的所带来的问题(StrictMode API:通过Intent传递File://URI类型给其他应用的数据将被限制)

    1、问题分析

    在7.0以前,拍照上传功能我们这样完成

    /**
     * 获取拍照相片存储文件
     */
    public static File createFile(Context context) {
        File file;
        if (Environment.getExternalStorageState().equals(Environment.MEDIA_MOUNTED)) {
            String timeStamp = String.valueOf(new Date().getTime());
            file = new File(Environment.getExternalStorageDirectory() +
                    File.separator + timeStamp + ".jpg");
        } else {
            File cacheDir = context.getCacheDir();
            String timeStamp = String.valueOf(new Date().getTime());
            file = new File(cacheDir, timeStamp + ".jpg");
        }
        return file;
    }
    File file = OtherUtils.createFile(getApplicationContext());
    intent.putExtra(MediaStore.EXTRA_OUTPUT, Uri.fromFile(file));
    startActivityForResult(intent, REQUEST_CAMERA);
    

    这种实现方式,在7.0之前没有问题,但是7.0系统竟然发生了crash!长这样:FileUriExposedException,原因就在这里intent.putExtra(MediaStore.EXTRA_OUTPUT, Uri.fromFile(file)),StrictMode API原则使得无法通过Intent将File://URI类型数据传递给其他应用,那么该如何解决?

    2、解决方案

    可以通过Content://URI类型来传递并授予URI临时访问权限,具体方法如下:

    (1)在res下建立xml目录,创建文件
     <?xml version="1.0" encoding="utf-8"?>
    <resources>
        <paths>
            <external-path path="" name="select_photo" />
        </paths>
    </resources>
    

    path的表示可以共享的路径,如设置为“”,则表示可从根目录共享,若设置“selectphoto”,则只可以共享selectphone目录下的文件。

    *path下面的节点包括:

    image.png
    (2)Manifest中注册provider
    <provider
        android:name="android.support.v4.content.FileProvider"
        android:authorities="com.selectphoto.fileprovider"
        android:grantUriPermissions="true"
        android:exported="false">
        <meta-data
            android:name="android.support.FILE_PROVIDER_PATHS"
            android:resource="@xml/file_path"/>
    </provider>
    

    android:resource="@xml/file_path"与上面的xml名称一致即可
    android:exported要设置为false,否则安全报错
    android:grantUriPermissions设置为true表示授予URI临时访问权限

    (3)代码实现
    File file = OtherUtils.createFile(getApplicationContext());
    Uri uri = FileProvider.getUriForFile(this, "com.selectphoto.fileprovider", file);
    intent.putExtra(MediaStore.EXTRA_OUTPUT, uri);
    intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
    startActivityForResult(intent, REQUEST_CAMERA);
    

    通过FileProvider创建Content://URI,其中第二个参数就是provider中的authorities

    授予URI临时访问权限(FLAG_GRANT_READ_URI_PERMISSION)

    附:getUriForFile路径是这样的content://com.selectphoto.fileprovider/select_photo/32132432311.jpg,由于xml中的path为"",所以实际路径是/storage/emulated/0/32132432311.jpg

    相关文章

      网友评论

          本文标题:Android 7.0 安全性适配

          本文链接:https://www.haomeiwen.com/subject/dmcgzftx.html