如何使用 Flutter 在 iOS 和 Android 上分享图片?
How do I share an image on iOS and Android using Flutter?
我想使用 iOS 和 Android 中的标准共享对话框共享图像。下面的代码主要来自 https://pub.dartlang.org/packages/share,我将其用作起点(下面只有 Dart 和 Objective-C)。它目前仅共享文本。
我不确定下面的图像是否是最佳方法,我如何将图像转换为 Dart 中的字节流并在 iOS 和 Android 中处理。
飞镖
static const _kShareChannel = const MethodChannel('example.test.com/share');
Future<Null> shareImage(Image image) {
assert(image != null);
return _kShareChannel.invokeMethod('shareImage', image);
}
Objective-C
static NSString *const PLATFORM_CHANNEL = @"example.test.com/share";
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
[GeneratedPluginRegistrant registerWithRegistry:self];
FlutterViewController* controller = (FlutterViewController*)self.window.rootViewController;
FlutterMethodChannel *shareChannel = [FlutterMethodChannel methodChannelWithName:PLATFORM_CHANNEL
binaryMessenger:controller];
[shareChannel setMethodCallHandler:^(FlutterMethodCall *call, FlutterResult result) {
if ([@"shareImage" isEqualToString:call.method]) {
[self share:call.arguments withController:[UIApplication sharedApplication].keyWindow.rootViewController];
result(nil);
} else {
result([FlutterError errorWithCode:@"UNKNOWN_METHOD"
message:@"Unknown share method called"
details:nil]);
}
}];
return [super application:application didFinishLaunchingWithOptions:launchOptions];
}
- (void)share:(id)sharedItems withController:(UIViewController *)controller {
UIActivityViewController *activityViewController = [[UIActivityViewController alloc] initWithActivityItems:@[ sharedItems ]
applicationActivities:nil];
[controller presentViewController:activityViewController animated:YES completion:nil];
}
如果下载了图像文件,我建议将其保存到 Dart 中的临时文件中。
await new File('${systemTempDir.path}/foo.jpg').create();
然后您可以调用 UIActivityViewController
并用 URL 表示图像文件的文件名。这里有一些关于如何在非 Flutter 应用程序中执行此操作的 sample code,应该可以帮助您入门。
如果你的图像文件是动态构造的(例如使用 Canvas
API),你可能想知道如何编码 ui.Image
object into an image file. The Flutter engine doesn't currently provide a way to do that, it would be possible modify the engine to add that support. You can take a look at how screenshot 支持实现灵感,但它赢了不要琐碎。
下面将允许您在 iOS 上使用 UIActivityViewController
发送文件(在此示例中特别是图像)并作为 Android 上的共享意图。
FileProvider overview (Android)
更新 pubspec.yaml
以引用本地图像(本例中为 image.jpg)并使用 path_provider
插件访问文件系统。 https://pub.dartlang.org/packages/path_provider
main.dart
import 'dart:io';
import 'dart:typed_data';
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:path_provider/path_provider.dart';
void main() => runApp(new MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return new MaterialApp(
title: 'Share Demo',
theme: new ThemeData(
primarySwatch: Colors.blue,
),
home: new MyHomePage(title: 'Share Demo Home Page'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => new _MyHomePageState();
}
class _MyHomePageState extends State<MyHomePage> {
@override
Widget build(BuildContext context) {
return new Scaffold(
appBar: new AppBar(
title: new Text(widget.title),
),
body: new Center(
child: new Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
],
),
),
floatingActionButton: new FloatingActionButton(
onPressed: _shareImage,
tooltip: 'Share',
child: new Icon(Icons.share),
),
);
}
_shareImage() async {
try {
final ByteData bytes = await rootBundle.load('assets/image.jpg');
final Uint8List list = bytes.buffer.asUint8List();
final tempDir = await getTemporaryDirectory();
final file = await new File('${tempDir.path}/image.jpg').create();
file.writeAsBytesSync(list);
final channel = const MethodChannel('channel:me.albie.share/share');
channel.invokeMethod('shareFile', 'image.jpg');
} catch (e) {
print('Share error: $e');
}
}
}
AppDelegate.m
#include "AppDelegate.h"
#include "GeneratedPluginRegistrant.h"
@implementation AppDelegate
static NSString *const SHARE_CHANNEL = @"channel:me.albie.share/share";
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
[GeneratedPluginRegistrant registerWithRegistry:self];
FlutterViewController* controller = (FlutterViewController*)self.window.rootViewController;
FlutterMethodChannel *shareChannel =
[FlutterMethodChannel methodChannelWithName:SHARE_CHANNEL
binaryMessenger:controller];
[shareChannel setMethodCallHandler:^(FlutterMethodCall *call, FlutterResult result) {
if ([@"shareFile" isEqualToString:call.method]) {
[self shareFile:call.arguments
withController:[UIApplication sharedApplication].keyWindow.rootViewController];
}
}];
return [super application:application didFinishLaunchingWithOptions:launchOptions];
}
- (void)shareFile:(id)sharedItems withController:(UIViewController *)controller {
NSMutableString *filePath = [NSMutableString stringWithString:sharedItems];
NSString *docsPath = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) objectAtIndex:0];
NSString *imagePath = [docsPath stringByAppendingPathComponent:filePath];
NSURL *imageUrl = [NSURL fileURLWithPath:imagePath];
NSData *imageData = [NSData dataWithContentsOfURL:imageUrl];
UIImage *shareImage = [UIImage imageWithData:imageData];
UIActivityViewController *activityViewController =
[[UIActivityViewController alloc] initWithActivityItems:@[ shareImage ]
applicationActivities:nil];
[controller presentViewController:activityViewController animated:YES completion:nil];
}
@end
MainActivity.java
package com.example.share;
import android.content.Intent;
import android.net.Uri;
import android.os.Bundle;
import java.io.File;
import io.flutter.app.FlutterActivity;
import io.flutter.plugin.common.MethodCall;
import io.flutter.plugin.common.MethodChannel;
import io.flutter.plugins.GeneratedPluginRegistrant;
import android.support.v4.content.FileProvider;
public class MainActivity extends FlutterActivity {
private static final String SHARE_CHANNEL = "channel:me.albie.share/share";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
GeneratedPluginRegistrant.registerWith(this);
new MethodChannel(this.getFlutterView(), SHARE_CHANNEL).setMethodCallHandler(new MethodChannel.MethodCallHandler() {
public final void onMethodCall(MethodCall methodCall, MethodChannel.Result result) {
if (methodCall.method.equals("shareFile")) {
shareFile((String) methodCall.arguments);
}
}
});
}
private void shareFile(String path) {
File imageFile = new File(this.getApplicationContext().getCacheDir(), path);
Uri contentUri = FileProvider.getUriForFile(this, "me.albie.share", imageFile);
Intent shareIntent = new Intent(Intent.ACTION_SEND);
shareIntent.setType("image/jpg");
shareIntent.putExtra(Intent.EXTRA_STREAM, contentUri);
this.startActivity(Intent.createChooser(shareIntent, "Share image using"));
}
}
AndroidManifest.xml
<provider
android:name="android.support.v4.content.FileProvider"
android:authorities="me.albie.share"
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>
<cache-path name="images" path="/"/>
</paths>
build.gradle(应用程序)
dependencies {
...
implementation 'com.android.support:support-v4:27.1.1'
}
感谢@albert-lardizabal 上面的代码,它运行得非常完美!!我不得不将它翻译成 Swift 和 Kotlin,所以这里是代码以备你们需要:
Swift:
override func application(
_ application: UIApplication,
didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?
) -> Bool {
GeneratedPluginRegistrant.register(with: self)
let shareChannelName = "channel:me.albie.share/share";
let controller:FlutterViewController = self.window?.rootViewController as! FlutterViewController;
let shareChannel:FlutterMethodChannel = FlutterMethodChannel.init(name: shareChannelName, binaryMessenger: controller);
shareChannel.setMethodCallHandler({
(call: FlutterMethodCall, result: FlutterResult) -> Void in
if (call.method == "shareFile") {
self.shareFile(sharedItems: call.arguments!,controller: controller);
}
});
return super.application(application, didFinishLaunchingWithOptions: launchOptions)
}
func shareFile(sharedItems:Any, controller:UIViewController) {
let filePath:NSMutableString = NSMutableString.init(string: sharedItems as! String);
let docsPath:NSString = (NSSearchPathForDirectoriesInDomains(FileManager.SearchPathDirectory.cachesDirectory, FileManager.SearchPathDomainMask.userDomainMask, true)[0]) as NSString;
let imagePath = docsPath.appendingPathComponent(filePath as String);
let imageUrl = URL.init(fileURLWithPath: imagePath, relativeTo: nil);
do {
let imageData = try Data.init(contentsOf: imageUrl);
let shareImage = UIImage.init(data: imageData);
let activityViewController:UIActivityViewController = UIActivityViewController.init(activityItems: [shareImage!], applicationActivities: nil);
controller.present(activityViewController, animated: true, completion: nil);
} catch let error {
print(error.localizedDescription);
}
}
科特林:
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
GeneratedPluginRegistrant.registerWith(this)
MethodChannel(flutterView,"channel:me.albie.share/share").setMethodCallHandler { methodCall, _ ->
if (methodCall.method == "shareFile") {
shareFile(methodCall.arguments as String)
}
}
}
private fun shareFile(path:String) {
val imageFile = File(this.applicationContext.cacheDir,path)
val contentUri = FileProvider.getUriForFile(this,"me.albie.share",imageFile)
val shareIntent = Intent()
shareIntent.action = Intent.ACTION_SEND
shareIntent.type="image/jpg"
shareIntent.putExtra(Intent.EXTRA_STREAM, contentUri)
startActivity(Intent.createChooser(shareIntent,"Compartir usando"))
}
我们将该功能放入插件中:https://pub.dartlang.org/packages/esys_flutter_share。
飞镖:
final ByteData bytes = await rootBundle.load('assets/image1.png');
await Share.file('esys image', 'esys.png', bytes.buffer.asUint8List(), 'image/png');
我建议使用以下 flutter 插件:
https://pub.dartlang.org/packages/share
文字分享很简单:
Share.share('Text I wish to share');
图片:
最好将图像转换为 Base64 字符串并作为字符串发送。
尝试使用 wc_flutter_share。
https://pub.dev/packages/wc_flutter_share
该插件支持分享图片、文字和主题。这个插件的独特之处在于它还支持同时共享图像和文本,而在我写这个答案时其他插件不支持。
2021 年,您应该使用 share_plus 官方分享插件。它可靠且易于使用。
导入库。
import 'package:share_plus/share_plus.dart';
然后在 Dart 代码中的任何位置调用静态共享方法。
Share.share('check out my website https://example.com');
共享方法还采用可选主题,共享到电子邮件时将使用该主题。
Share.share('check out my website https://example.com', subject: 'Look what I made!');
要共享一个或多个文件,请在 Dart 代码中的任意位置调用静态 shareFiles 方法。您也可以选择传入文本和主题。
Share.shareFiles(['${directory.path}/image.jpg'], text: 'Great picture');
Share.shareFiles(['${directory.path}/image1.jpg', '${directory.path}/image2.jpg']);
我们有两种不同的情况:
- 图像已保存在设备中
- 图像在网络上,例如从 API 获取图像 link 或在线存储图像。
对于第一种情况,使用 share_plus 插件分享很简单,如下所示:
Share.shareFiles(['path_to_image']);
对于第二种情况,我们要做的是:
- 以字节形式读取图像
- 将图像写入临时文件
- 使用1中的方法分享制作好的图片
该代码使用 path_provider 获取临时目录和从 dart:io 使用的文件 class,因此您必须将其添加到开头 import 'dart:io';
代码将是这样的:
// function to get the local path
Future<String> get _localPath async {
final directory = await getTemporaryDirectory();
return directory.path;
}
// create the file
Future<File> get _localFile async {
final path = await _localPath;
return File('$path/image.jpeg');
}
// write the data to the file
Future<File> writeImage(List<int> bytes) async {
final file = await _localFile;
return file.writeAsBytes(bytes);
}
// the function that you send the link of the image to
shareNetworkImage(String url) async {
final path = await _localPath;
http.Response response = await http.get(url);
await writeImage(response.bodyBytes);
Share.shareFiles(['$path/image.jpg']);
}
会这样使用:
shareNetworkImage('https://abdulrazakzakieh.com/images/abdul_razak_zakieh.jpg')
我想使用 iOS 和 Android 中的标准共享对话框共享图像。下面的代码主要来自 https://pub.dartlang.org/packages/share,我将其用作起点(下面只有 Dart 和 Objective-C)。它目前仅共享文本。
我不确定下面的图像是否是最佳方法,我如何将图像转换为 Dart 中的字节流并在 iOS 和 Android 中处理。
飞镖
static const _kShareChannel = const MethodChannel('example.test.com/share');
Future<Null> shareImage(Image image) {
assert(image != null);
return _kShareChannel.invokeMethod('shareImage', image);
}
Objective-C
static NSString *const PLATFORM_CHANNEL = @"example.test.com/share";
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
[GeneratedPluginRegistrant registerWithRegistry:self];
FlutterViewController* controller = (FlutterViewController*)self.window.rootViewController;
FlutterMethodChannel *shareChannel = [FlutterMethodChannel methodChannelWithName:PLATFORM_CHANNEL
binaryMessenger:controller];
[shareChannel setMethodCallHandler:^(FlutterMethodCall *call, FlutterResult result) {
if ([@"shareImage" isEqualToString:call.method]) {
[self share:call.arguments withController:[UIApplication sharedApplication].keyWindow.rootViewController];
result(nil);
} else {
result([FlutterError errorWithCode:@"UNKNOWN_METHOD"
message:@"Unknown share method called"
details:nil]);
}
}];
return [super application:application didFinishLaunchingWithOptions:launchOptions];
}
- (void)share:(id)sharedItems withController:(UIViewController *)controller {
UIActivityViewController *activityViewController = [[UIActivityViewController alloc] initWithActivityItems:@[ sharedItems ]
applicationActivities:nil];
[controller presentViewController:activityViewController animated:YES completion:nil];
}
如果下载了图像文件,我建议将其保存到 Dart 中的临时文件中。
await new File('${systemTempDir.path}/foo.jpg').create();
然后您可以调用 UIActivityViewController
并用 URL 表示图像文件的文件名。这里有一些关于如何在非 Flutter 应用程序中执行此操作的 sample code,应该可以帮助您入门。
如果你的图像文件是动态构造的(例如使用 Canvas
API),你可能想知道如何编码 ui.Image
object into an image file. The Flutter engine doesn't currently provide a way to do that, it would be possible modify the engine to add that support. You can take a look at how screenshot 支持实现灵感,但它赢了不要琐碎。
下面将允许您在 iOS 上使用 UIActivityViewController
发送文件(在此示例中特别是图像)并作为 Android 上的共享意图。
FileProvider overview (Android)
更新 pubspec.yaml
以引用本地图像(本例中为 image.jpg)并使用 path_provider
插件访问文件系统。 https://pub.dartlang.org/packages/path_provider
main.dart
import 'dart:io';
import 'dart:typed_data';
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:path_provider/path_provider.dart';
void main() => runApp(new MyApp());
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return new MaterialApp(
title: 'Share Demo',
theme: new ThemeData(
primarySwatch: Colors.blue,
),
home: new MyHomePage(title: 'Share Demo Home Page'),
);
}
}
class MyHomePage extends StatefulWidget {
MyHomePage({Key key, this.title}) : super(key: key);
final String title;
@override
_MyHomePageState createState() => new _MyHomePageState();
}
class _MyHomePageState extends State<MyHomePage> {
@override
Widget build(BuildContext context) {
return new Scaffold(
appBar: new AppBar(
title: new Text(widget.title),
),
body: new Center(
child: new Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
],
),
),
floatingActionButton: new FloatingActionButton(
onPressed: _shareImage,
tooltip: 'Share',
child: new Icon(Icons.share),
),
);
}
_shareImage() async {
try {
final ByteData bytes = await rootBundle.load('assets/image.jpg');
final Uint8List list = bytes.buffer.asUint8List();
final tempDir = await getTemporaryDirectory();
final file = await new File('${tempDir.path}/image.jpg').create();
file.writeAsBytesSync(list);
final channel = const MethodChannel('channel:me.albie.share/share');
channel.invokeMethod('shareFile', 'image.jpg');
} catch (e) {
print('Share error: $e');
}
}
}
AppDelegate.m
#include "AppDelegate.h"
#include "GeneratedPluginRegistrant.h"
@implementation AppDelegate
static NSString *const SHARE_CHANNEL = @"channel:me.albie.share/share";
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
[GeneratedPluginRegistrant registerWithRegistry:self];
FlutterViewController* controller = (FlutterViewController*)self.window.rootViewController;
FlutterMethodChannel *shareChannel =
[FlutterMethodChannel methodChannelWithName:SHARE_CHANNEL
binaryMessenger:controller];
[shareChannel setMethodCallHandler:^(FlutterMethodCall *call, FlutterResult result) {
if ([@"shareFile" isEqualToString:call.method]) {
[self shareFile:call.arguments
withController:[UIApplication sharedApplication].keyWindow.rootViewController];
}
}];
return [super application:application didFinishLaunchingWithOptions:launchOptions];
}
- (void)shareFile:(id)sharedItems withController:(UIViewController *)controller {
NSMutableString *filePath = [NSMutableString stringWithString:sharedItems];
NSString *docsPath = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) objectAtIndex:0];
NSString *imagePath = [docsPath stringByAppendingPathComponent:filePath];
NSURL *imageUrl = [NSURL fileURLWithPath:imagePath];
NSData *imageData = [NSData dataWithContentsOfURL:imageUrl];
UIImage *shareImage = [UIImage imageWithData:imageData];
UIActivityViewController *activityViewController =
[[UIActivityViewController alloc] initWithActivityItems:@[ shareImage ]
applicationActivities:nil];
[controller presentViewController:activityViewController animated:YES completion:nil];
}
@end
MainActivity.java
package com.example.share;
import android.content.Intent;
import android.net.Uri;
import android.os.Bundle;
import java.io.File;
import io.flutter.app.FlutterActivity;
import io.flutter.plugin.common.MethodCall;
import io.flutter.plugin.common.MethodChannel;
import io.flutter.plugins.GeneratedPluginRegistrant;
import android.support.v4.content.FileProvider;
public class MainActivity extends FlutterActivity {
private static final String SHARE_CHANNEL = "channel:me.albie.share/share";
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
GeneratedPluginRegistrant.registerWith(this);
new MethodChannel(this.getFlutterView(), SHARE_CHANNEL).setMethodCallHandler(new MethodChannel.MethodCallHandler() {
public final void onMethodCall(MethodCall methodCall, MethodChannel.Result result) {
if (methodCall.method.equals("shareFile")) {
shareFile((String) methodCall.arguments);
}
}
});
}
private void shareFile(String path) {
File imageFile = new File(this.getApplicationContext().getCacheDir(), path);
Uri contentUri = FileProvider.getUriForFile(this, "me.albie.share", imageFile);
Intent shareIntent = new Intent(Intent.ACTION_SEND);
shareIntent.setType("image/jpg");
shareIntent.putExtra(Intent.EXTRA_STREAM, contentUri);
this.startActivity(Intent.createChooser(shareIntent, "Share image using"));
}
}
AndroidManifest.xml
<provider
android:name="android.support.v4.content.FileProvider"
android:authorities="me.albie.share"
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>
<cache-path name="images" path="/"/>
</paths>
build.gradle(应用程序)
dependencies {
...
implementation 'com.android.support:support-v4:27.1.1'
}
感谢@albert-lardizabal 上面的代码,它运行得非常完美!!我不得不将它翻译成 Swift 和 Kotlin,所以这里是代码以备你们需要:
Swift:
override func application(
_ application: UIApplication,
didFinishLaunchingWithOptions launchOptions: [UIApplicationLaunchOptionsKey: Any]?
) -> Bool {
GeneratedPluginRegistrant.register(with: self)
let shareChannelName = "channel:me.albie.share/share";
let controller:FlutterViewController = self.window?.rootViewController as! FlutterViewController;
let shareChannel:FlutterMethodChannel = FlutterMethodChannel.init(name: shareChannelName, binaryMessenger: controller);
shareChannel.setMethodCallHandler({
(call: FlutterMethodCall, result: FlutterResult) -> Void in
if (call.method == "shareFile") {
self.shareFile(sharedItems: call.arguments!,controller: controller);
}
});
return super.application(application, didFinishLaunchingWithOptions: launchOptions)
}
func shareFile(sharedItems:Any, controller:UIViewController) {
let filePath:NSMutableString = NSMutableString.init(string: sharedItems as! String);
let docsPath:NSString = (NSSearchPathForDirectoriesInDomains(FileManager.SearchPathDirectory.cachesDirectory, FileManager.SearchPathDomainMask.userDomainMask, true)[0]) as NSString;
let imagePath = docsPath.appendingPathComponent(filePath as String);
let imageUrl = URL.init(fileURLWithPath: imagePath, relativeTo: nil);
do {
let imageData = try Data.init(contentsOf: imageUrl);
let shareImage = UIImage.init(data: imageData);
let activityViewController:UIActivityViewController = UIActivityViewController.init(activityItems: [shareImage!], applicationActivities: nil);
controller.present(activityViewController, animated: true, completion: nil);
} catch let error {
print(error.localizedDescription);
}
}
科特林:
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
GeneratedPluginRegistrant.registerWith(this)
MethodChannel(flutterView,"channel:me.albie.share/share").setMethodCallHandler { methodCall, _ ->
if (methodCall.method == "shareFile") {
shareFile(methodCall.arguments as String)
}
}
}
private fun shareFile(path:String) {
val imageFile = File(this.applicationContext.cacheDir,path)
val contentUri = FileProvider.getUriForFile(this,"me.albie.share",imageFile)
val shareIntent = Intent()
shareIntent.action = Intent.ACTION_SEND
shareIntent.type="image/jpg"
shareIntent.putExtra(Intent.EXTRA_STREAM, contentUri)
startActivity(Intent.createChooser(shareIntent,"Compartir usando"))
}
我们将该功能放入插件中:https://pub.dartlang.org/packages/esys_flutter_share。
飞镖:
final ByteData bytes = await rootBundle.load('assets/image1.png');
await Share.file('esys image', 'esys.png', bytes.buffer.asUint8List(), 'image/png');
我建议使用以下 flutter 插件:
https://pub.dartlang.org/packages/share
文字分享很简单:
Share.share('Text I wish to share');
图片: 最好将图像转换为 Base64 字符串并作为字符串发送。
尝试使用 wc_flutter_share。
https://pub.dev/packages/wc_flutter_share
该插件支持分享图片、文字和主题。这个插件的独特之处在于它还支持同时共享图像和文本,而在我写这个答案时其他插件不支持。
2021 年,您应该使用 share_plus 官方分享插件。它可靠且易于使用。
导入库。
import 'package:share_plus/share_plus.dart';
然后在 Dart 代码中的任何位置调用静态共享方法。
Share.share('check out my website https://example.com');
共享方法还采用可选主题,共享到电子邮件时将使用该主题。
Share.share('check out my website https://example.com', subject: 'Look what I made!');
要共享一个或多个文件,请在 Dart 代码中的任意位置调用静态 shareFiles 方法。您也可以选择传入文本和主题。
Share.shareFiles(['${directory.path}/image.jpg'], text: 'Great picture');
Share.shareFiles(['${directory.path}/image1.jpg', '${directory.path}/image2.jpg']);
我们有两种不同的情况:
- 图像已保存在设备中
- 图像在网络上,例如从 API 获取图像 link 或在线存储图像。
对于第一种情况,使用 share_plus 插件分享很简单,如下所示:
Share.shareFiles(['path_to_image']);
对于第二种情况,我们要做的是:
- 以字节形式读取图像
- 将图像写入临时文件
- 使用1中的方法分享制作好的图片
该代码使用 path_provider 获取临时目录和从 dart:io 使用的文件 class,因此您必须将其添加到开头 import 'dart:io';
代码将是这样的:
// function to get the local path
Future<String> get _localPath async {
final directory = await getTemporaryDirectory();
return directory.path;
}
// create the file
Future<File> get _localFile async {
final path = await _localPath;
return File('$path/image.jpeg');
}
// write the data to the file
Future<File> writeImage(List<int> bytes) async {
final file = await _localFile;
return file.writeAsBytes(bytes);
}
// the function that you send the link of the image to
shareNetworkImage(String url) async {
final path = await _localPath;
http.Response response = await http.get(url);
await writeImage(response.bodyBytes);
Share.shareFiles(['$path/image.jpg']);
}
会这样使用:
shareNetworkImage('https://abdulrazakzakieh.com/images/abdul_razak_zakieh.jpg')