3

我正在将文件保存在内部存储中。它只是一个 .txt 文件,其中包含有关对象的一些信息:

    FileOutputStream outputStream;
    String filename = "file.txt";

    File cacheDir = context.getCacheDir();
    File outFile = new File(cacheDir, filename);
    outputStream = new FileOutputStream(outFile.getAbsolutePath());
    outputStream.write(myString.getBytes());
    outputStream.flush();
    outputStream.close();

然后我正在创建一个“shareIntent”来共享这个文件:

    Uri notificationUri = Uri.parse("content://com.package.example/file.txt");
    Intent shareIntent = new Intent(Intent.ACTION_SEND);
    shareIntent.putExtra(Intent.EXTRA_STREAM, notificationUri);
    shareIntent.setType("text/plain");
    context.startActivity(Intent.createChooser(shareIntent, context.getResources().getText(R.string.chooser)));

选择的应用程序现在需要访问私有文件,因此我创建了一个内容提供程序。我刚刚更改了 openFile 方法:

@Override
public ParcelFileDescriptor openFile(Uri uri, String mode) throws FileNotFoundException {
    File privateFile = new File(getContext().getCacheDir(), uri.getPath());
    return ParcelFileDescriptor.open(privateFile, ParcelFileDescriptor.MODE_READ_ONLY);
}

清单:

<provider
        android:name=".ShareContentProvider"
        android:authorities="com.package.example"
        android:grantUriPermissions="true"
        android:exported="true">
    </provider>

打开邮件应用程序以共享文件时,它说它无法附加文件,因为它只有 0 字节。通过蓝牙共享它也失败了。但是我可以在 Content Provider 中读出privateFile它,所以它存在并且有内容。问题是什么?

4

1 回答 1

6

谢谢你。FileProvider 完美运行:

摇篮依赖:

compile 'com.android.support:support-v4:25.0.0'

显现:

<provider
        android:name="android.support.v4.content.FileProvider"
        android:authorities="com.package.example"
        android:exported="false"
        android:grantUriPermissions="true">
        <meta-data
            android:name="android.support.FILE_PROVIDER_PATHS"
            android:resource="@xml/file_paths" />
    </provider>

XML 文件夹中的 file_paths.xml:

<?xml version="1.0" encoding="utf-8"?>
<paths xmlns:android="http://schemas.android.com/apk/res/android">
    <cache-path name="cache" path="/" />
</paths>

分享意图:

    File file = new File(context.getCacheDir(), filename);

    Uri contentUri = FileProvider.getUriForFile(context, "com.package.example", file);

    Intent shareIntent = new Intent(Intent.ACTION_SEND);
    shareIntent.putExtra(Intent.EXTRA_STREAM, contentUri);
    shareIntent.setType("text/plain");
    context.startActivity(Intent.createChooser(shareIntent, context.getResources().getText(R.string.chooser)));
于 2016-11-20T11:57:03.810 回答