SAF文件选择、谷歌PhotoPicker图片视频选择与真实路径转换

一、构建选择文件与回调方法

//文件选择回调ActivityResultLauncher<String[]> pickFile = registerForActivityResult(new ActivityResultContracts.OpenDocument(), uri->{if (uri != null) {Log.e("cxy", "返回的uri:" + uri);Log.e("cxy","Path是:"+ FileUtil.getFilePathByUri(context,uri));}});//启动选择
pickFile.launch(new String[]{"*/*"})
//photopicker选择器回调(多选同理)ActivityResultLauncher<PickVisualMediaRequest> pickMedia =registerForActivityResult(new ActivityResultContracts.PickVisualMedia(), uri -> {if (uri != null) {Log.e("cxy", "返回的uri:" + uri);Log.e("cxy","Path是:"+ FileUtil.getFilePathByUri(context,uri));} else {}});//photopicker选择器启动选择,选择模式:ImageOnly、VideoOnly、ImageAndVideo
pickMedia.launch(new PickVisualMediaRequest.Builder().setMediaType(isImg ? ActivityResultContracts.PickVisualMedia.ImageOnly.INSTANCE : ActivityResultContracts.PickVisualMedia.VideoOnly.INSTANCE).build()));

二、uri转真实路径工具类

备注:

1、针对Download目录先判空,为空则复制文件至内部路径再返回

2、SAF选择文件时,存储设备选择返回的uri路径为:

content://com.android.externalstorage.documents/document/primary%3ADocuments%2Fenvironment.pub

通过选择侧边栏中的图片、视频、音频、文档等分类进入选择文件目录时,返回的路径为:

content://com.android.providers.media.documents/document/image%3A1000010017

content://com.android.providers.media.documents/document/video%3A1000008421

content://com.android.providers.media.documents/document/audio%3A1000000212

content://com.android.providers.media.documents/document/document%3A1000009571

这时如果没有授予存储权限,则走复制方法返回路径,Android13以上可按需申请图片、视频、音频读取权限,但是针对doc、pdf等其它类型文件无法返回真实路径,除非授予管理所有文件权限

<uses-permission android:name="android.permission.MANAGE_EXTERNAL_STORAGE" />

权限:使用photopicker时,需要Android13以上按需申请以下使用的权限,否则MediaStore不返回真实路径,无权限情况下走复制方法返回路径

    <uses-permission android:name="android.permission.READ_EXTERNAL_STORAGE"android:maxSdkVersion="32" /><uses-permission android:name="android.permission.READ_MEDIA_IMAGES"/><uses-permission android:name="android.permission.READ_MEDIA_VIDEO"/><uses-permission android:name="android.permission.READ_MEDIA_AUDIO"/>//Activity中权限申请与回调ActivityResultLauncher<String[]> permissionLauncher = registerForActivityResult(new ActivityResultContracts.RequestMultiplePermissions(), map->{//处理权限结果{android.permission.READ_MEDIA_IMAGES=true, android.permission.READ_MEDIA_VIDEO=true}});if (!PmUtil.hasStoragePm(this)){PmUtil.requestStoragePm(permissionLauncher);}//权限申请工具类
import android.Manifest;
import android.content.Context;
import android.content.pm.PackageManager;
import android.os.Build;import androidx.activity.result.ActivityResultLauncher;
import androidx.core.content.ContextCompat;public class PmUtil {public static boolean hasStoragePm(Context context) {if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.TIRAMISU) {return ContextCompat.checkSelfPermission(context, Manifest.permission.READ_MEDIA_IMAGES) == PackageManager.PERMISSION_GRANTED && ContextCompat.checkSelfPermission(context, Manifest.permission.READ_MEDIA_VIDEO) == PackageManager.PERMISSION_GRANTED;} else {return ContextCompat.checkSelfPermission(context, Manifest.permission.READ_EXTERNAL_STORAGE) == PackageManager.PERMISSION_GRANTED;}}public static void requestStoragePm(ActivityResultLauncher<String[]> launcher) {if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.TIRAMISU) {launcher.launch(new String[]{Manifest.permission.READ_MEDIA_IMAGES, Manifest.permission.READ_MEDIA_VIDEO});} else {launcher.launch(new String[]{Manifest.permission.READ_EXTERNAL_STORAGE});}}
}

import android.content.ContentResolver;
import android.content.ContentUris;
import android.content.Context;
import android.database.Cursor;
import android.net.Uri;
import android.os.Build;
import android.os.Environment;
import android.provider.DocumentsContract;
import android.provider.MediaStore;
import android.provider.OpenableColumns;
import android.util.Log;import androidx.loader.content.CursorLoader;import java.io.File;
import java.io.FileOutputStream;
import java.io.InputStream;public class FileUtil {public static String getFilePathByUri(Context context, Uri uri) {// 以 file:// 开头的if (ContentResolver.SCHEME_FILE.equals(uri.getScheme())) {return uri.getPath();}// 以/storage开头的也直接返回if (isOtherDocument(uri)) {return uri.getPath();}// 版本兼容的获取!String path;if (Build.VERSION.SDK_INT < Build.VERSION_CODES.HONEYCOMB) {path = getFilePathByUri_BELOWAPI11(context, uri);if (path != null) {Log.e("cxy", "getFilePathByUri_BELOWAPI11获取到的路径为:" + path);return path;}}if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.HONEYCOMB && Build.VERSION.SDK_INT <= Build.VERSION_CODES.JELLY_BEAN_MR2) {path = getFilePathByUri_API11to18(context, uri);if (path != null) {Log.e("cxy", "getFilePathByUri_API11to18获取到的路径为:" + path);return path;}}path = getFilePathByUri_API19(context, uri);Log.e("cxy", "getFilePathByUri_API19获取到的路径为:" + path);return path;}private static String getFilePathByUri_BELOWAPI11(Context context, Uri uri) {// 以 content:// 开头的,比如 content://media/extenral/images/media/17766if (ContentResolver.SCHEME_CONTENT.equals(uri.getScheme())) {String path = null;String[] projection = new String[]{MediaStore.Images.Media.DATA};Cursor cursor = context.getContentResolver().query(uri, projection, null, null, null);if (cursor != null) {if (cursor.moveToFirst()) {int columnIndex = cursor.getColumnIndexOrThrow(MediaStore.Images.Media.DATA);if (columnIndex > -1) {path = cursor.getString(columnIndex);}}cursor.close();}return path;}return null;}private static String getFilePathByUri_API11to18(Context context, Uri contentUri) {String[] projection = {MediaStore.Images.Media.DATA};String result = null;CursorLoader cursorLoader = new CursorLoader(context, contentUri, projection, null, null, null);Cursor cursor = cursorLoader.loadInBackground();if (cursor != null) {int column_index = cursor.getColumnIndexOrThrow(MediaStore.Images.Media.DATA);cursor.moveToFirst();result = cursor.getString(column_index);cursor.close();}return result;}private static String getFilePathByUri_API19(Context context, Uri uri) {// 4.4及之后的 是以 content:// 开头的,比如 content://com.android.providers.media.documents/document/image%3A235700if (ContentResolver.SCHEME_CONTENT.equals(uri.getScheme()) && Build.VERSION.SDK_INT >= Build.VERSION_CODES.KITKAT) {if (DocumentsContract.isDocumentUri(context, uri)) {if (isExternalStorageDocument(uri)) {// ExternalStorageProviderString docId = DocumentsContract.getDocumentId(uri);String[] split = docId.split(":");String type = split[0];if ("primary".equalsIgnoreCase(type)) {if (split.length > 1) {return Environment.getExternalStorageDirectory() + "/" + split[1];} else {return Environment.getExternalStorageDirectory() + "/";}// This is for checking SD Card}} else if (isDownloadsDocument(uri)) {//下载内容提供者时应当判断下载管理器是否被禁用int stateCode = context.getPackageManager().getApplicationEnabledSetting("com.android.providers.downloads");if (stateCode != 0 && stateCode != 1) {return null;}String id = DocumentsContract.getDocumentId(uri);// 如果出现这个RAW地址,我们则可以直接返回!if (id.startsWith("raw:")) {return id.replaceFirst("raw:", "");}if (id.contains(":")) {String[] tmp = id.split(":");if (tmp.length > 1) {id = tmp[1];}}Uri contentUri = Uri.parse("content://downloads/public_downloads");Log.e("cxy", "测试打印Uri: " + uri);try {contentUri = ContentUris.withAppendedId(contentUri, Long.parseLong(id));} catch (Exception e) {e.printStackTrace();}String path = getDataColumn(context, contentUri, null, null);if (path != null) return path;// 兼容某些特殊情况下的文件管理器!String fileName = getFileNameByUri(context, uri);if (fileName != null) {path = Environment.getExternalStorageDirectory().toString() + "/Download/" + fileName;File pathFile = new File(path);if (!pathFile.exists()) {path = getFilePathForCopy(context, uri);}return path;}} else if (isMediaDocument(uri)) {// MediaProviderString docId = DocumentsContract.getDocumentId(uri);String[] split = docId.split(":");String type = split[0];Uri contentUri;if ("image".equals(type)) {contentUri = MediaStore.Images.Media.EXTERNAL_CONTENT_URI;} else if ("video".equals(type)) {contentUri = MediaStore.Video.Media.EXTERNAL_CONTENT_URI;} else if ("audio".equals(type)) {contentUri = MediaStore.Audio.Media.EXTERNAL_CONTENT_URI;} else {contentUri = MediaStore.Files.getContentUri("external");}String selection = "_id=?";String[] selectionArgs = new String[]{split[1]};String resultPath = getDataColumn(context, contentUri, selection, selectionArgs);if (resultPath == null) {resultPath = getFilePathForCopy(context, uri);}return resultPath;}} else {//content://media/picker/0/com.android.providers.media.photopicker/media/1000008424//photopicker情况,有权限则返回真实路径,无权限则返回复制后的内部路径,但复制后的名称是IDString uriPath = uri.getPath();String id = "";if (uriPath != null) {String[] strings = uriPath.split("/");id = strings[strings.length - 1];}String selection = "_id=?";String[] selectionArgs = new String[]{id};Uri contentUri = MediaStore.Files.getContentUri("external");String resultPath = getDataColumn(context, contentUri, selection, selectionArgs);if (resultPath == null) {resultPath = getFilePathForCopy(context, uri);}return resultPath;}}return null;}private static String getFileNameByUri(Context context, Uri uri) {String relativePath = getFileRelativePathByUri_API18(context, uri);if (relativePath == null) relativePath = "";final String[] projection = {MediaStore.MediaColumns.DISPLAY_NAME};try (Cursor cursor = context.getContentResolver().query(uri, projection, null, null, null)) {if (cursor != null && cursor.moveToFirst()) {int index = cursor.getColumnIndexOrThrow(MediaStore.MediaColumns.DISPLAY_NAME);String path = relativePath + cursor.getString(index);cursor.close();return path;}}return null;}private static String getFileRelativePathByUri_API18(Context context, Uri uri) {final String[] projection;if (android.os.Build.VERSION.SDK_INT >= android.os.Build.VERSION_CODES.Q) {projection = new String[]{MediaStore.MediaColumns.RELATIVE_PATH};try (Cursor cursor = context.getContentResolver().query(uri, projection, null, null, null)) {if (cursor != null && cursor.moveToFirst()) {int index = cursor.getColumnIndexOrThrow(MediaStore.MediaColumns.RELATIVE_PATH);String path = cursor.getString(index);cursor.close();return path;}}}return null;}private static String getFilePathForCopy(Context context, Uri uri) {try {Cursor returnCursor = context.getContentResolver().query(uri, null, null, null, null);int nameIndex = returnCursor.getColumnIndex(OpenableColumns.DISPLAY_NAME);returnCursor.moveToFirst();String name = (returnCursor.getString(nameIndex));File file = new File(context.getCacheDir(), name);InputStream inputStream = context.getContentResolver().openInputStream(uri);FileOutputStream outputStream = new FileOutputStream(file);int read = 0;int maxBufferSize = 1024 * 1024;int bytesAvailable = inputStream.available();int bufferSize = Math.min(bytesAvailable, maxBufferSize);final byte[] buffers = new byte[bufferSize];while ((read = inputStream.read(buffers)) != -1) {outputStream.write(buffers, 0, read);}returnCursor.close();inputStream.close();outputStream.close();return file.getPath();} catch (Exception e) {e.printStackTrace();}return null;}private static String getDataColumn(Context context, Uri uri, String selection, String[] selectionArgs) {final String column = MediaStore.Images.Media.DATA;final String[] projection = {column};try (Cursor cursor = context.getContentResolver().query(uri, projection, selection, selectionArgs, null)) {if (cursor != null && cursor.moveToFirst()) {final int column_index = cursor.getColumnIndexOrThrow(column);String path = cursor.getString(column_index);cursor.close();return path;}} catch (IllegalArgumentException iae) {iae.printStackTrace();}return null;}private static boolean isExternalStorageDocument(Uri uri) {return "com.android.externalstorage.documents".equals(uri.getAuthority());}private static boolean isOtherDocument(Uri uri) {// 以/storage开头的也直接返回if (uri != null && uri.getPath() != null) {String path = uri.getPath();if (path.startsWith("/storage")) {return true;}if (path.startsWith("/external_files")) {return true;}}return false;}private static boolean isDownloadsDocument(Uri uri) {return "com.android.providers.downloads.documents".equals(uri.getAuthority());}private static boolean isMediaDocument(Uri uri) {return "com.android.providers.media.documents".equals(uri.getAuthority());}//如果是复制的文件,完成后清除缓存public static void deleteCacheFile(Context context, String path) {if (path == null) {return;}File file = new File(path);if (file.exists() && context.getCacheDir().equals(file.getParentFile())) {Log.e("cxy", "删除成功?" + file.delete());}}
}

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

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

相关文章

计算机实战分享3:森林火灾预测分析可视化机器学习预测-完整数据代码-可直接运行

直接看实验数据和结果: 代码: from sklearn import preprocessing import random from sklearn.m

持续总结中!2024年面试必问 100 道 Java基础面试题(四十二)

上一篇地址&#xff1a;持续总结中&#xff01;2024年面试必问 100 道 Java基础面试题&#xff08;四十一&#xff09;-CSDN博客 八十三、如何判断一个对象是否应该被垃圾回收&#xff1f; 在Java中&#xff0c;判断一个对象是否应该被垃圾回收的关键在于对象的引用状态。垃圾…

C# 调用 winmm.dll 播放 midi 文件

在C#中调用 winmm.dll&#xff08;Windows Multimedia Library&#xff09;来播放 MIDI 文件通常涉及使用mciSendString 函数&#xff0c;该函数是 winmm.dll 中提供的一个函数&#xff0c;用于发送 MCI&#xff08;Media Control Interface&#xff09;命令给MCI设备。 但是&…

基于LLM的自行车道CAD

LLM&#xff08;大型语言模型&#xff09;是强大的工具。对于许多人来说&#xff0c;用语言表达愿望通常比浏览复杂的 GUI 更简单。 1、系统简介和环境搭建 urb-x.ch&#xff0c;这是一家专门从事自行车道建设的公司。轨道采用模块化构建块进行独特设计&#xff0c;可以通过多…

HCIP的学习(15)

第六章&#xff0c;BGP—边界网关协议 自治系统—AS ​ 定义&#xff1a;由一个单一的机构或组织所管理的一系列IP网络及其设备所构成的集合。 ​ AS的来源&#xff1a; 整个网络规模过大&#xff0c;会导致路由信息收敛速度过慢&#xff0c;设备对相同目标认知不同。AS之间…

全国院校及梯度排序深度解析课(免费下载-帮助更多高考生做出人生重要的选择。)

"全国院校及梯度排序深度解析课"旨在深入探讨全国院校的排名及梯度排序原理。通过系统解析各院校的学术声誉、师资力量、科研水平等因素&#xff0c;帮助学员全面了解院校排名的背后逻辑&#xff0c;为选择合适院校提供理论支持。 课程大小&#xff1a;7G 课程下载…

Java面试之分布式篇

分布式锁的实现方案 &#xff08;1&#xff09;用数据库实现分布式锁比较简单&#xff0c;就是创建一张锁表&#xff0c;数据库对字段作唯一性约束。加锁的时候&#xff0c;在锁表中增加一条记录即可&#xff1b;释放锁的时候删除锁记录就行。如果有并发请求同时提交到数据库&…

css-页面布局-定位大解析-每文一言(世界上,没有人可以支持你一辈子)

&#x1f390;每文一言 世界上,没有人可以支持你一辈子 目录 &#x1f390;每文一言 &#x1f381;css定位 &#x1f9e7;静态定位 position: static &#x1f384;相对定位 position:relative &#x1f380;绝对定位 position:absolute &#x1f383;固定定位 position…

Yoast SEO Premium插件下载,提升您的网站SEO排名

在当今数字化时代&#xff0c;网站的搜索引擎优化&#xff08;SEO&#xff09;至关重要。它不仅影响着网站的可见度&#xff0c;更直接关系到您的在线业务成功与否。如果您正在寻找一个能够显著提升网站SEO表现的工具&#xff0c;Yoast SEO Premium插件将是您的理想选择。 为什…

赶紧收藏!2024 年最常见 100道 Java 基础面试题(四十一)

上一篇地址&#xff1a;赶紧收藏&#xff01;2024 年最常见 100道 Java 基础面试题&#xff08;四十&#xff09;-CSDN博客 八十一、tcp为什么要三次握手&#xff0c;两次不行吗&#xff1f;为什么&#xff1f; TCP&#xff08;传输控制协议&#xff09;使用三次握手&#xf…

【Linux网络】Shell脚本语句

目录 一、条件语句 1.1 测试 1.2 比较整数数值 1.3 字符串比较 1.4 双中括号 1.5 ()与{} 1.6 if语句 1.7 case语句 1.8 echo命令 二、循环语句 2.1 for循环 2.2 while循环 2.3 until循环 一、条件语句 1.1 测试 格式一&#xff1a;test 条件表达式 格式二&#x…

AI技术如何提升内容生产的效率和质量

随着人工智能&#xff08;AI&#xff09;技术的不断发展和应用&#xff0c;内容生产领域也迎来了巨大的变革。AI技术在提升内容生产效率和质量方面发挥着越来越重要的作用&#xff0c;从自然语言处理到生成模型&#xff0c;AI为内容创作者和生产者带来了许多新的机会和挑战。本…

(docker)进入容器后如何使用本机gpu

首次创建容器&#xff0c;不能直接使用本机gpu 在系统终端进行如下配置&#xff1a; 1.安装NVIDIA Container Toolkit 进入Nvidia官网Installing the NVIDIA Container Toolkit — NVIDIA Container Toolkit 1.15.0 documentation&#xff0c;安装NVIDIA Container Toolkit …

AI预测福彩3D采取887定位策略+杀断组+杀和尾+杀和值012缩水测试5月12日预测第1弹

前段时间工作太忙&#xff0c;手头上各种事情较多&#xff0c;没有静下心来对我的AI模型预测结果进行进一步分析筛选&#xff0c;导致最近连续几期与实际开奖结果相差较大。当然&#xff0c;客观来说&#xff0c;搞6码定位的确难度比较大&#xff0c;昨天跟几个常年研究3D的彩友…

OpenCV 光流法总结

0.概述 1.原理说明 2.代码实现 #include <iostream> #include <opencv2/opencv.hpp>int main(int argc, char** argv) {if(argc ! 2) {std::cerr << "Usage: " << argv[0] << " <video_path>" << std::endl;…

从零学算法2391

2391. 收集垃圾的最少总时间 给你一个下标从 0 开始的字符串数组 garbage &#xff0c;其中 garbage[i] 表示第 i 个房子的垃圾集合。garbage[i] 只包含字符 ‘M’ &#xff0c;‘P’ 和 ‘G’ &#xff0c;但可能包含多个相同字符&#xff0c;每个字符分别表示一单位的金属、纸…

商业时代杂志社投稿信箱邮箱

商业时代杂志投稿信箱邮箱 商业时代杂志 《商业时代》、投稿信箱&#xff1a;sysdbjb126.com 《商业时代》、投稿信箱&#xff1a;sysdbjb126.com 《商业时代》、投稿信箱&#xff1a;sysdbjb126.com 《商业时代》、投稿信箱&#xff1a;sysdbjb126.com 咨询电话&#xf…

【RAG 论文】FiD:一种将 retrieved docs 合并输入给 LM 的方法

论文&#xff1a; Leveraging Passage Retrieval with Generative Models for Open Domain Question Answering ⭐⭐⭐⭐ EACL 2021, Facebook AI Research 论文速读 在 RAG 中&#xff0c;如何将检索出的 passages 做聚合并输入到生成模型是一个问题&#xff0c;本文提出了一…

java基础知识点总结2024版(8万字超详细整理)

java基础知识点总结2024版&#xff08;超详细整理&#xff09; 这里写目录标题 java基础知识点总结2024版&#xff08;超详细整理&#xff09;java语言的特点1.简单性2.面向对象3.分布式4.健壮性5.安全性6.体系结构中立7.可移植性8.解释性9.多线程10.动态性 初识java中的main方…

Web前端开发之JavaScript_2

条件语句三元运算符循环语句字符串数组 1. 条件语句 1.1 if语句 if (布尔值){ // “布尔值”往往由一个表达式产生&#xff0c;其中&#xff0c;赋值表达式不具备比较作用 语句; } 1.2 if...else 语句 if...else可成对单独使用&#xff0c;也可多层if...else …