An article to understand the communication between Android and Flutter

An article to understand the communication between Android and Flutter

As a cross-platform solution, Flutter is often embedded as a module into native Android and iOS applications. Communication between Flutter and the native Android end is essential. So this article will describe how Android communicates with Flutter.

1. Architecture Overview

Messages are transmitted between native (host) and flutter (client) through platform channels, as shown in the following figure:

To ensure that the user interface can respond correctly, messages are delivered asynchronously, whether native sends messages to Flutter or Flutter sends messages to native.

In flutter, MethodChannel can send messages corresponding to method calls. On native platforms, MethodChannel on Android can receive method calls and return results. These classes can help us develop platform plugins with very little code.

Note: This section is from the flutter official website and readers can check it out on their own.

2. Platform channel data type support and codecs

Platform channels can encode and decode messages using provided codecs that support efficient binary serialization of simple JSON-like values ​​such as booleans, numbers, strings, byte buffers, and lists and maps of these. These values ​​are automatically serialized and deserialized when you send and receive them.

The following table shows how to receive Dart values ​​on the platform side and vice versa:

Regarding codecs, the Android side provides the following.

  1. BinaryCodec: It is the simplest codec. Its return value type is the same as the input parameter type, both in binary format (ByteBuffer). Since BinaryCodec does nothing during the encoding and decoding process, it just returns the binary data intact. Therefore, the transmitted data is free from copying during encoding and decoding. This method is very useful when the amount of data transmitted is relatively large. For example, a picture is passed from the Android side to the Flutter side for display.
  2. StandardMessageCodec: It is the default codec for BasicMessageChannel, supporting basic data types, lists, dictionaries, etc. When encoding, data is first written to the ByteArrayOutputStream stream, and then the data in the stream is written to the ByteBuffer. When decoding, data is read directly from the ByteBuffer.
  3. StandardMethodCodec: is a wrapper based on StandardMessageCodec. It is the default codec for MethodChannel and EventChannel.
  4. StringCodec: It is used for encoding and decoding between strings and binary data. Its encoding format is UTF-8. When encoding, it converts the string into a byte array, and then writes the array into the ByteBuffer. When decoding, it reads the data directly from the ByteBuffer.
  5. JSONMessageCodec: internally calls StringCodec to implement encoding and decoding.
  6. JSONMethodCodec: Encapsulation based on JSONMessageCodec. Can be used in MethodChannel and EventChannel.

ByteBuffer is a class in Nio, as the name implies - it is an area for storing bytes. It has two implementation classes - DirectByteBuffer and HeapByteBuffer. DirectByteBuffer directly opens up an area in the memory to store data, while HeapByteBuffer opens up an area in the JVM heap to store data. Therefore, if you want to communicate data between DirectByteBuffer and HeapByteBuffer, you need to copy it.

3. Communication method

We have discussed some basic knowledge about the communication between Android and Flutter. Now let’s get to the point and see how Android communicates with Flutter.

There are four ways to implement communication between Android and Flutter.

  1. Since a string, route, is passed when the flutter page is initialized, we can use route to pass the data we want to pass. This method only supports one-way data transmission and the data type can only be a string, with no return value.
  2. This is achieved through EventChannel, which only supports one-way data transmission and has no return value.
  3. This is achieved through MethodChannel, which supports two-way data transmission and has return values.
  4. This is achieved through BasicMessageChannel, which supports two-way data transmission and has return values.

Let’s take a look at how to use these methods.

3.1、Transfer value during initialization

The main purpose is to create a route for flutter page transmission. I think this method is a trick, but it can still be used to transmit data. It is very simple to use, the code is as follows.

Let's look at the Android code first.

  1. //The third parameter can be replaced with the string we want.
  2. FlutterView flutterView = Flutter.createView(this, getLifecycle(), "route" );

In flutter, we only need to use the following code to get the value.

  1. void main() => runApp(MyApp(
  2. initParams: window.defaultRouteName,
  3. ));
  4. class MyApp extends StatelessWidget {
  5. final String initParams; //This is the value passed previously——route
  6. MyApp({ Key   key , @required this.initParams}) : super( key : key );
  7. @override
  8. Widget build(BuildContext context) {...}
  9. }

In this way, Android can pass data to Flutter when initializing Flutter. Since runApp is only called once, this method can only pass data once and the data can only be a string.

  • To use window related APIs, you need to import the package dart:ui

3.2 EventChannel

EventChannel is a one-way communication method for native to send data to Flutter. Flutter cannot return any data to native. It is mainly used for native to send mobile phone power changes, network connection changes, gyroscopes, sensors, etc. to Flutter. It is used as follows.

Let's look at the Android code first.

  1. public class EventChannelPlugin implements EventChannel.StreamHandler {
  2. private static final String TAG = EventChannelPlugin.class.getSimpleName();
  3. private EventChannel.EventSink eventSink;
  4. private Activity activity;
  5. static EventChannelPlugin registerWith(FlutterView flutterView) {
  6. EventChannelPlugin plugin = new EventChannelPlugin(flutterView);
  7. new EventChannel(flutterView, "EventChannelPlugin" ).setStreamHandler(plugin);
  8. return plugin;
  9. }
  10. private EventChannelPlugin(FlutterView flutterView) {
  11. this.activity = (Activity) flutterView.getContext();
  12. }
  13. void send(Object params) {
  14. if (eventSink != null ) {
  15. eventSink.success(params);
  16. }
  17. }
  18. void sendError(String str1, String str2, Object params) {
  19. if (eventSink != null ) {
  20. eventSink.error(str1, str2, params);
  21. }
  22. }
  23. void cancel() {
  24. if (eventSink != null ) {
  25. eventSink.endOfStream();
  26. }
  27. }
  28. //The first parameter is the value returned when flutter initializes EventChannel, only once
  29. @Override
  30. public void onListen(Object o, EventChannel.EventSink eventSink) {
  31. this.eventSink = eventSink;
  32. Log.i(TAG, "eventSink:" + eventSink);
  33. Log.i(TAG, "Object:" + o.toString());
  34. Toast.makeText(activity, "onListen——obj:" + o, Toast.LENGTH_SHORT).show();
  35. }
  36. @Override
  37. public void onCancel(Object o) {
  38. Log.i(TAG, "onCancel:" + o.toString());
  39. Toast.makeText(activity, "onCancel——obj:" + o, Toast.LENGTH_SHORT).show();
  40. this.eventSink = null ;
  41. }
  42. }

The author has made a simple encapsulation of the Android code, which is still easy to understand. Let's take a look at the flutter code implementation.

  1. class _MyHomePageState extends State<MyHomePage> {
  2. EventChannel _eventChannelPlugin = EventChannel( "EventChannelPlugin" );
  3. StreamSubscription _streamSubscription;
  4. @override
  5. void initState() {
  6. _streamSubscription = _eventChannelPlugin
  7. //[ "abc" , 123, "Hello" ] corresponds to the first parameter of the onListen method on the Android side, and no value is required
  8. .receiveBroadcastStream([ "abc" , 123, "Hello" ])
  9. .listen(_onToDart, onError: _onToDartError, onDone: _onDone);
  10. super.initState();
  11. }
  12. @override
  13. void dispose() {
  14. if (_streamSubscription != null ) {
  15. _streamSubscription.cancel();
  16. _streamSubscription = null ;
  17. }
  18. super.dispose();
  19. }
  20. //The native end sends normal data
  21. void _onToDart(message) {
  22. print(message);
  23. }
  24. //When native fails, the data sent
  25. void _onToDartError(error) {
  26. print(error);
  27. }
  28. //The method called when native completes sending data. It will be called every time the sending is completed.
  29. void _onDone() {
  30. print( "Message delivery completed" );
  31. }
  32. @override
  33. Widget build(BuildContext context) {...}
  34. }

The above is the code implementation for communication through EventChannel. Calling the send method of EventChannelPlugin can send data to Flutter.

3.3 MethodChannel

MethodChannel is a communication method for sending data between native and flutter. As the name implies, the corresponding methods in native and flutter can be called through MethodChannel, and this method has a return value. Its usage is as follows.

First, let’s look at the code implementation on the Android side.

  1. public class MethodChannelPlugin implements MethodChannel.MethodCallHandler {
  2. private Activity activity;
  3. private MethodChannel channel;
  4. public   static MethodChannelPlugin registerWith(FlutterView flutterView) {
  5. MethodChannel channel = new MethodChannel(flutterView, "MethodChannelPlugin" );
  6. MethodChannelPlugin methodChannelPlugin = new MethodChannelPlugin((Activity) flutterView.getContext(), channel);
  7. channel.setMethodCallHandler(methodChannelPlugin);
  8. return methodChannelPlugin;
  9. }
  10. private MethodChannelPlugin(Activity activity, MethodChannel channel) {
  11. this.activity = activity;
  12. this.channel = channel;
  13. }
  14. //Call the flutter method, no return value
  15. public void invokeMethod(String method, Object o) {
  16. channel.invokeMethod(method, o);
  17. }
  18. //Call the flutter method and get a return value
  19. public void invokeMethod(String method, Object o, MethodChannel.Result result) {
  20. channel.invokeMethod(method, o, result);
  21. }
  22. @Override
  23. public void onMethodCall(MethodCall methodCall, MethodChannel.Result result) {
  24. switch (methodCall.method) {
  25. case   "send" ://The returned method name
  26. //Return value to flutter
  27. result.success( "MethodChannelPlugin received: " + methodCall.arguments);
  28. Toast.makeText(activity, methodCall.arguments + "" , Toast.LENGTH_SHORT).show();
  29. if (activity instanceof FlutterAppActivity) {
  30. ((FlutterAppActivity) activity).showContent(methodCall.arguments);
  31. }
  32. break;
  33. default :
  34. result.notImplemented();
  35. break;
  36. }
  37. }
  38. }

The author has made a simple encapsulation of the Android code, which is still easy to understand. Let's take a look at the flutter code implementation.

  1. class _MyHomePageState extends State<MyHomePage> {
  2. MethodChannel _methodChannel = MethodChannel( "MethodChannelPlugin" );
  3. @override
  4. void initState() {
  5. _methodChannel.setMethodCallHandler((handler) => Future<String>(() {
  6. print( "_methodChannel:${handler}" );
  7. //Monitor the method name and parameters sent by native
  8. switch (handler.method) {
  9. case   "send" :
  10. _send(handler.arguments); //handler.arguments represents the method parameters passed by native
  11. break;
  12. }
  13. }));
  14. super.initState();
  15. }
  16. //Flutter method called by native
  17. void _send(arg) {
  18. setState(() {
  19. _content = arg;
  20. });
  21. }
  22. String _resultContent = "" ;
  23. //Flutter calls the corresponding method of native
  24. void _sendToNative() {
  25. Future<String> future =
  26. _methodChannel.invokeMethod( "send" , _controller.text);
  27. future.then ((message) {
  28. setState(() {
  29. //message is the data returned by native
  30. _resultContent = "Return value:" + message;
  31. });
  32. });
  33. }
  34. @override
  35. Widget build(BuildContext context) {...}
  36. }

The above is the code implementation of communication through MethodChannel. It is relatively simple. To use it on the Android side, you only need to call the invokeMethod method of MethodChannelPlugin. To use it on the Flutter side, you only need to refer to the implementation of the _sendToNative method.

3.4 BasicMessageChannel

BasicMessageChannel is a communication method that can send messages between native and flutter. It supports the most data types and has the widest range of applications. The application scenarios of EventChannel and MethodChannel can be implemented using BasicMessageChannel, but the application scenarios of BasicMessageChannel may not be implemented using EventChannel and MethodChannel. This method has a return value. Its usage is as follows.

First, let’s look at the implementation of the Android code.

  1. //The supported data type here is String.
  2. public class BasicMessageChannelPlugin implements BasicMessageChannel.MessageHandler<String> {
  3. private Activity activity;
  4. private BasicMessageChannel<String> messageChannel;
  5. static BasicMessageChannelPlugin registerWith(FlutterView flutterView) {
  6. return new BasicMessageChannelPlugin(flutterView);
  7. }
  8. private BasicMessageChannelPlugin(FlutterView flutterView) {
  9. this.activity = (Activity) flutterView.getContext();
  10. this.messageChannel = new BasicMessageChannel<String>(flutterView, "BasicMessageChannelPlugin" , StringCodec.INSTANCE);
  11. messageChannel.setMessageHandler(this);
  12. }
  13. @Override
  14. public void onMessage(String s, BasicMessageChannel.Reply<String> reply) {
  15. reply.reply( "BasicMessageChannelPlugin received: " + s);
  16. if (activity instanceof FlutterAppActivity) {
  17. ((FlutterAppActivity) activity).showContent(s);
  18. }
  19. }
  20. void send(String str, BasicMessageChannel.Reply<String> reply) {
  21. messageChannel.send(str, reply);
  22. }
  23. }

The author has made a simple encapsulation of the Android code, which is still easy to understand. Let's take a look at the flutter code implementation.

  1. class _MyHomePageState extends State<MyHomePage> {
  2. //StringCodec() is the encoding format
  3. BasicMessageChannel<String> _basicMessageChannel =
  4. BasicMessageChannel( "BasicMessageChannelPlugin" , StringCodec());
  5. @override
  6. void initState() {
  7. _basicMessageChannel.setMessageHandler((message) => Future<String>(() {
  8. print(message);
  9. //message is the data passed by native
  10. setState(() {
  11. _content = message;
  12. });
  13. //Return value to Android side
  14. return   "Received Native message:" + message;
  15. }));
  16. _controller = TextEditingController();
  17. super.initState();
  18. }
  19. //Send a message to native
  20. void _sendToNative() {
  21. Future<String> future = _basicMessageChannel.send(_controller.text);
  22. future.then ((message) {
  23. _resultContent = "Return value:" + message;
  24. });
  25. }
  26. @override
  27. Widget build(BuildContext context) {...}
  28. }

The above is the code implementation for communication through BasicMessageChannel. On the Android side, you only need to call the send method of BasicMessageChannelPlugin to send data to Flutter. BasicMessageChannel.Reply is the callback method of the return value. On the Flutter side, you only need to refer to the implementation of the _sendToNative method.

4. Communication Principle

From the analysis of the source code of communication between Android and Flutter, the implementation is relatively simple. ByteBuffer is used as the data carrier, and then BinaryMessenger is used to send and receive data. The overall design is as follows.

As can be seen from the figure, the Android side and the Flutter side use the same design. As mentioned earlier, communication is asynchronous, so where is the thread switching? In fact, it is implemented at the bottom of the system. In the communication between Android and Flutter, the bottom of the system shields a large number of complex operations such as thread switching and data copying. This allows the Android side and the Flutter side to communicate conveniently.

On the Android side, BinaryMessenger is an interface that is implemented in FlutterView. In the BinaryMessenger method, JNI is used to communicate with the underlying system. On the Flutter side, BinaryMessenger is a class that communicates with the window class, and the window class actually communicates with the underlying system.

5. Summary

In the hybrid development mode of Android and Flutter, there will certainly be many scenarios where they need to communicate with each other. Understanding the various ways and uses of communication between Android and Flutter will help you choose a reasonable way to implement it.

at last

If you have read this far and think the article is well written, please give me a thumbs up. If you think there is something that needs to be improved, please leave me a message. I will definitely check it carefully and correct the deficiencies. Thank you.

<<:  Two weeks, use Flutter to build an APP

>>:  Five reasons why you shouldn't upgrade to iOS 13 or iPadOS right now

Recommend

Could Apple reintroduce Touch ID in future devices?

A new report says Apple may be considering bringi...

Tips for making popular short videos!

I have always wanted to interview Zhu Feng to tal...

How to operate a WeChat public account? Any operating skills?

With the development of Internet marketing and pr...

Summary of essential tools for new media operations and promotion! (superior)

If you want to do your work well, you must first ...

Google Glass has failed? It seems too early to say

[[127642]] In January this year, Google shut down...

Five major schools of brand IPization!

IP, which stands for Intellectual Property, origi...

Top 10 Brand Creative Case Studies in 2021

As the final chapter of the year-end review, this...

New changes to WeChat Moments in iOS 7.0.18, no option to turn it off

Five days ago, iOS WeChat launched version 7.0.18...

Commercial advertising monetization strategy!

"How should an app with millions of DAUs mon...