如何使用Kotlin在Android中共享图像?

时间:2018-01-07 13:27:07

标签: android kotlin kotlin-extension

我想使用' Kotlin'来共享位于assets文件夹中的图像。如何在android中实现类似的代码块:

Intent intent = new Intent(Intent.ACTION_SEND);
intent.setType("image/jpeg");
intent.putExtra(Intent.EXTRA_STREAM, uri);
startActivity(Intent.createChooser(intent, "Share Image"));

1 个答案:

答案 0 :(得分:2)

首先,您需要将数据存储在某处。如果您针对API 24或更高版本进行编译, FileProvider 是一个受欢迎的选择:

AndroidManifest.xml

中声明提供者
<application>
  <!-- make sure within the application tag, otherwise app will crash with XmlResourceParser errors -->
  <provider
    android:name="android.support.v4.content.FileProvider"
    android:authorities="com.codepath.fileprovider"
    android:exported="false"
    android:grantUriPermissions="true">
      <meta-data
            android:name="android.support.FILE_PROVIDER_PATHS"
            android:resource="@xml/fileprovider" />
  </provider>
</application>

接下来,创建一个名为xml的资源目录并创建一个fileprovider.xml。假设您希望授予对应用程序的特定外部存储目录的访问权限,这需要请求其他权限,您可以按如下方式声明此行:

<?xml version="1.0" encoding="utf-8"?>
<paths>
    <external-files-path
        name="images"
        path="Pictures" />

    <!--Uncomment below to share the entire application specific directory -->
    <!--<external-path name="all_dirs" path="."/>-->
</paths>

最后,您将使用FileProvider类将File对象转换为内容提供程序:

// getExternalFilesDir() + "/Pictures" should match the declaration in fileprovider.xml paths
val file = File(getExternalFilesDir(Environment.DIRECTORY_PICTURES), "share_image_" + System.currentTimeMillis() + ".png")

// wrap File object into a content provider. NOTE: authority here should match authority in manifest declaration
val bmpUri = FileProvider.getUriForFile(MyActivity.this, "com.codepath.fileprovider", file)

Source

现在,您可以为单个文件存储和检索Uri。下一步是简单地创建一个intent并通过编写以下内容来启动它:

val intent = Intent().apply {
        this.action = Intent.ACTION_SEND
        this.putExtra(Intent.EXTRA_STREAM, bmpUri)
        this.type = "image/jpeg"
    }
startActivity(Intent.createChooser(intent, resources.getText(R.string.send_to)))

请注意,bmpUri是您之前检索到的值。

Source

如果您运行的是API 23或更高版本,则应该记住考虑运行时权限。这是that的一个很好的教程。