配置Android FileProvider需要遵循以下步驟:
<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
,例如com.example.myapp.fileprovider
。android:exported
屬性設置為false
,表示這個provider只能被你的應用訪問。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_files
的外部路徑,它指向應用的根目錄。你可以根據需要添加更多的路徑。
// 獲取File對象
File file = new File(getExternalFilesDir(null), "example.txt");
// 創建FileProvider的URI
Uri fileUri = FileProvider.getUriForFile(this, getApplicationContext().getPackageName() + ".fileprovider", file);
// 使用FileProvider的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"));
這里,我們首先獲取一個File對象,然后使用FileProvider的getUriForFile()
方法創建一個URI。注意,我們需要為這個URI添加FLAG_GRANT_READ_URI_PERMISSION
標志,以便其他應用可以訪問這個文件。最后,我們使用這個URI創建一個Intent并啟動其他應用。
現在,你已經成功配置了Android FileProvider,并可以使用它來分享文件。