Android中的文件共享

时间:2014-12-19 11:33:47

标签: android

我是Android的开发新手,我最近正在使用一个将文档导出为PDF(转换)工具的android应用程序,问题是在导出PDF后我想给用户分享文档的选项(PDF通过意图,我已经挖掘了stackoverflow,但无法理解和答案实际上没有回答我的问题。 PDF将导出/创建到外部SD卡中。

我在导出/创建PDF后通过我的应用程序创建了一个PDF我想通过意图分享它们,我已经挖掘了stackoverflow但dint得到了answer.how我可以通过意图分享它,就像我与图像,文本共享通过意图。


2 个答案:

答案 0 :(得分:0)

您可以使用ACTION_SEND激活指定文件类型的选择器,只需记住提供“application / pdf”作为文件类型。

public void SharePdf(File file) {
    Intent shareIntent = new Intent();
    shareIntent.setAction(Intent.ACTION_SEND);
    shareIntent.putExtra(Intent.EXTRA_STREAM, Uri.fromFile(file));
    shareIntent.setType("application/pdf");
    startActivity(Intent.createChooser(shareIntent, "Share PDF"));
}

现在调用SharePdf(new File(fileName))启动意图并让用户选择正确的选项。

答案 1 :(得分:0)

用户@oleonardomachado的回答是正确的,但是从android N更新禁止直接uri共享。您必须使用文件提供程序来获取uri数据然后共享。

使用意图共享

Intent shareIntent = new Intent();

shareIntent.setAction(Intent.ACTION_SEND);

if (Build.VERSION.SDK_INT >= 24) {
    Uri fileUri = FileProvider.getUriForFile(getContext(), getPackageName()+".fileprovider", file); // provider app name

    shareIntent.putExtra(Intent.EXTRA_STREAM, fileUri);
    shareIntent.setType("application/pdf");
    shareIntent.addFlags(Intent.FLAG_GRANT_READ_URI_PERMISSION);
} else {
    shareIntent.putExtra(Intent.EXTRA_STREAM, Uri.fromFile(file));
    shareIntent.setType("application/pdf");
}

startActivity(Intent.createChooser(shareIntent, "Share PDF"));

在AndroidManifest.xml

<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
    ...
    <application
        ...
        <provider
            android:name="android.support.v4.content.FileProvider"
            android:authorities="${applicationId}.my.package.name.provider"
            android:exported="false"
            android:grantUriPermissions="true">
            <meta-data
                android:name="android.support.FILE_PROVIDER_PATHS"
                android:resource="@xml/file_paths"/>
        </provider>
    </application>
</manifest>

然后在res / xml文件夹中创建一个file_paths.xml文件。 xml文件夹可能不存在,因此如果不存在,请创建。该文件的内容如下所示。它描述了我们要共享对根目录(path =“。”)上的外部存储的访问。

file_paths.xml

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

希望这对其他人有帮助。