我正在尝试传递驻留在我的应用程序的res/raw目录中的图像以及共享意图。

我遵循了FileProvider docs中描述的过程,这是我的代码:
AndroidManifest.xml

<application ...>
    <provider
        android:name="android.support.v4.content.FileProvider"
        android:authorities="com.myapp.fileprovider"
        android:exported="false"
        android:grantUriPermissions="true">

        <meta-data
            android:name="android.support.FILE_PROVIDER_PATHS"
            android:resource="@xml/paths" />
    </provider>
</application>
res/xml/paths.xml
<paths xmlns:android="http://schemas.android.com/apk/res/android">
    <files-path name="shared" path="./"/>
</paths>

我 Activity 中的代码:
String shareToPackage = ...

File imageFile = new File(context.getFilesDir().getPath() + "/image");
if (!imageFile.exists()) { // image isn't in the files dir, copy from the res/raw
    final InputStream inputStream = context.getResources().openRawResource(R.raw.my_image);
    final FileOutputStream outputStream = context.openFileOutput("image", Context.MODE_PRIVATE);

    byte buf[] = new byte[1024];
    int len;
    while ((len = inputStream.read(buf)) > 0) {
        outputStream.write(buf, 0, len);
    }

    outputStream.close();
    inputStream.close();

    imageFile = new File(context.getFilesDir().getPath() + "/image");
}

if (!imageFile.exists()) {
    throw new IOException("couldn't find file");
}

final Uri uri = Uri.fromFile(imageFile);
context.grantUriPermission(shareToPackage, uri, Intent.FLAG_GRANT_READ_URI_PERMISSION);

final Intent intent = new Intent(Intent.ACTION_SEND);
intent.setType("image/png");
intent.putExtra(Intent.EXTRA_TEXT, "here's the image");
intent.putExtra(Intent.EXTRA_STREAM, uri);
intent.setPackage(shareToPackage);
intent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
context.startActivity(intent);

由于无法访问在其他应用程序中获取的文件,因此上述方法不起作用:

java.io.FileNotFoundException:FILE_PATH:打开失败:EACCES
(没有权限)

知道我在做什么错吗?
谢谢。

最佳答案

摆脱掉path中的<files-path>属性,因为这里提供了getFilesDir()中的所有功能,因此这里不需要它。

创建File对象时,请勿使用字符串连接。更换:

new File(context.getFilesDir().getPath() + "/image.png");

与:
new File(context.getFilesDir().getPath(), "image.png");

最重要的是,不要使用Uri.fromFile()Use FileProvider.getUriForFile() 。就目前而言,您将完成所有工作来设置FileProvider,然后您就不会使用FileProvider将内容提供给其他应用了。

或者,删除所有这些,然后删除use my StreamProvider ,它可以直接提供原始资源。

或者,编写自己的ContentProvider,直接为原始资源提供服务。

10-08 19:12