Android FileProvider 是一种用于在应用程序之间共享文件的机制。它允许您将文件存储在安全的沙盒环境中,并通过 URI 将其提供给其他应用程序。以下是实现文件共享的步骤:
<manifest ...>
...
<application ...>
...
<provider
android:name="androidx.core.content.FileProvider"
android:authorities="${applicationId}.fileprovider"
android:exported="false"
android:grantUriPermissions="true">
<meta-data
android:name="android.support.FILE_PROVIDER_PATHS"
android:resource="@xml/file_paths" />
</provider>
</application>
</manifest>
这里,android:authorities
是 FileProvider 的授权 URI,${applicationId}
是您的应用程序 ID。android:exported
设置为 false
表示 FileProvider 不允许其他应用程序访问。android:grantUriPermissions
设置为 true
表示 FileProvider 可以授予其他应用程序访问文件的权限。
<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
<external-path name="external_files" path="." />
</paths>
这里,external-path
定义了一个名为 “external_files” 的外部存储路径,它指向应用程序的外部存储目录。
File file = new File(getExternalFilesDir(null), "example.txt");
Uri fileUri = FileProvider.getUriForFile(this, getApplicationContext().getPackageName() + ".fileprovider", file);
这里,getExternalFilesDir()
方法返回应用程序的外部存储目录,FileProvider.getUriForFile()
方法根据文件创建一个 URI。
在将文件 URI 传递给其他应用程序之前,您需要授予它们访问文件的权限。可以使用以下代码实现:
Intent intent = new Intent();
intent.setAction(Intent.ACTION_VIEW);
intent.setDataAndType(fileUri, "text/plain");
intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
startActivity(Intent.createChooser(intent, "Open with"));
这里,Intent.FLAG_GRANT_READ_URI_PERMISSION
标志表示授予其他应用程序读取文件的权限。
其他应用程序可以使用以下代码访问通过 FileProvider 获取的文件 URI:
Uri fileUri = Uri.parse("content://your.package.name.fileprovider/external_files/example.txt");
Cursor cursor = getContentResolver().query(fileUri, null, null, null, null);
if (cursor != null && cursor.moveToFirst()) {
String content = cursor.getString(cursor.getColumnIndex(OpenableColumns.DISPLAY_NAME));
// 处理文件内容
}
cursor.close();
这里,getContentResolver().query()
方法用于查询文件信息,OpenableColumns.DISPLAY_NAME
表示文件的显示名称。