1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90
| /** * 从uri获取path * * @param uri content://media/external/file/109009 * <p> * FileProvider适配 * content://com.tencent.mobileqq.fileprovider/external_files/storage/emulated/0/Tencent/QQfile_recv/ * content://com.tencent.mm.external.fileprovider/external/tencent/MicroMsg/Download/ */ private static String getFilePathFromContentUri(Context context, Uri uri) { if (null == uri) return null; String data = null;
String[] filePathColumn = {MediaStore.MediaColumns.DATA, MediaStore.MediaColumns.DISPLAY_NAME}; Cursor cursor = context.getContentResolver().query(uri, filePathColumn, null, null, null); if (null != cursor) { if (cursor.moveToFirst()) { int index = cursor.getColumnIndex(MediaStore.MediaColumns.DATA); if (index > -1) { data = cursor.getString(index); } else { int nameIndex = cursor.getColumnIndex(MediaStore.MediaColumns.DISPLAY_NAME); String fileName = cursor.getString(nameIndex); data = getPathFromInputStreamUri(context, uri, fileName); } } cursor.close(); } return data; }
/** * 用流拷贝文件一份到自己APP私有目录下 * * @param context * @param uri * @param fileName */ private static String getPathFromInputStreamUri(Context context, Uri uri, String fileName) { InputStream inputStream = null; String filePath = null;
if (uri.getAuthority() != null) { try { inputStream = context.getContentResolver().openInputStream(uri); File file = createTemporalFileFrom(context, inputStream, fileName); filePath = file.getPath();
} catch (Exception e) { } finally { try { if (inputStream != null) { inputStream.close(); } } catch (Exception e) { } } }
return filePath; }
private static File createTemporalFileFrom(Context context, InputStream inputStream, String fileName) throws IOException { File targetFile = null;
if (inputStream != null) { int read; byte[] buffer = new byte[8 * 1024]; //自己定义拷贝文件路径 targetFile = new File(context.getExternalCacheDir(), fileName); if (targetFile.exists()) { targetFile.delete(); } OutputStream outputStream = new FileOutputStream(targetFile);
while ((read = inputStream.read(buffer)) != -1) { outputStream.write(buffer, 0, read); } outputStream.flush();
try { outputStream.close(); } catch (IOException e) { e.printStackTrace(); } }
return targetFile; }
|