In this article, I’ll be explaining broadly how I handle Notifications in Flutter using BLoc. There’s so much to cover that I’m going to dive right in!
Let’s start!
Before beginning, you must know how to setup firebase_messaging and local_notification in Flutter. There are plenty of tutorials that you can find online, and I will leave that task to your discretion.
Handling Notifications with BLoc
When you configure the firebase messaging plugin, messages are sent to your Flutter app via onMessage, onLaunch, and onResume callbacks.
The following things are to be handled in NotificationBloc:
- Initialize local notification configurations to generate notifications when onMessage will be called
- Initialize firebase messaging plugin
- Firebase Cloud Messaging(FCM) token generation
- FCM token refresh
- Notification permission on the iOS platform
- Persist information when the app is launched from notifications
All of these cases must be handled within the main() of lib/main.dart file or in the MyApp widget itself because we need app-wide notifications.
1void main() => runApp(MyApp());But where should one initialize the required notification configurations, you ask? e.g., ask notification permission on iOS, FCM token generation.
We can do that before flutter starts rendering the app or MyApp widget renders the screen for the first time and refreshes the state of the widget if required.
The later will attach the widget to the tree asynchronously which can consist of network calls, image downloading, etc. Sounds a little unnecessary doesn’t it?
Here is a better way to do this:
If you want to do some awaiting tasks in main() then WidgetFlutterBinding.ensureInitialized() method must be executed before runApp(), like this:
In case you open the source code then you will find one of the comments saying,
You only need to call this method if you need the binding to be initialized before calling [runApp].
But what is WidgetFlutterBinding?
WidgetFlutterBinding is the glue between the widgets layer and the Flutter engine.
Enough of the theory, show me the code!

To start with Notification BLoc we need to define Events and States for the Bloc. Here is NotificationEvent.dart
// NotificationEvent.dart
class NotificationEvent {
	//carries the payload sent for notification final String payload;
  const NotificationEvent(this.payload);
}
class NotificationErrorEvent extends NotificationEvent {
	final String error;
  const NotificationErrorEvent(this.error) : super(null);
}NotificationEvent will carry notification payload and NotificationErrorEvent will carry error occurred during initialization or somewhere else.
We can represent the Notification state as follow.
1// NotificationState.dart
2
3class NotificationState extends Equatable {
4	const NotificationState();
5  @override List<Object> get props => [];
6}
7
8class StartUpNotificationState extends NotificationState {}
9
10class IndexedNotification extends NotificationState {
11	final int index;
12  IndexedNotification(this.index);
13
14  @override List<Object> get props => [this.index];
15
16  @override bool operator ==(Object other) => false;
17
18  @override int get hashCode => super.hashCode;
19}Here I’ve created base NotificationState class, StartUpNotificationState to represent the initial state of the BLoc and IndexedNotificationState to change the index of the Bottom Navigation page.
You should create your state class to handle every type of notifications for your app if required.
Now we should define NotificationBloc.
We will initialize the instances for local notification and firebase messaging instance in constructor.
1NotificationBloc() {
2 _localNotifications = new FlutterLocalNotificationsPlugin(); 
3 _firebaseMessaging = new FirebaseMessaging(); 
4}We will require one initialize() method to initialize all the configurations in main() method.
1initialize() async {
2  NotificationAppLaunchDetails _appLaunchDetails =
3      await _localNotifications.getNotificationAppLaunchDetails();
4
5  var initializationSettings = _getPlatformSettings();
6  await _localNotifications.initialize(initializationSettings,
7      onSelectNotification: _handleNotificationTap);
8
9  _createNotificationChannel();
10  if (Platform.isIOS) {
11    var hasPermission = await _requestIOSPermissions();
12    if (hasPermission) {
13      await _fcmInitialization();
14    } else {
15      add(NotificationErrorEvent(
16          "You can provide permission by going into Settings later."));
17    }
18  } else {
19    await _fcmInitialization();
20  }
21
22  _hasLaunched = _appLaunchDetails.didNotificationLaunchApp;
23  if (_hasLaunched) {
24    if (_appLaunchDetails.payload != null) {
25      _payLoad = _appLaunchDetails.payload;
26    }
27  }
28}Following things are happening in the initialize() method,
- Initializing local notification instance.
- getNotificationLaunchDetails() is called which helps us with the information, whether the notification has triggered the app launch or not. This information will be used when our MyApp widget is attached to the root. (I’ll come to that part later in this article.)
- Creating a notification channel for Android version ≥ 8 (Oreo).
- Requesting notification permission for the iOS platform only.
- Initializing FCM token if permission is provided on iOS and on Android it will be initialized directly without any checks.
Before we move forward with FCM initialization, we need to define one Notification class which can be used to represent one notification.
1part ‘notification.g.dart’;
2 	 
3abstract class Notification
4implements Built<Notification, NotificationBuilder> {
5  Notification._();
6
7  factory Notification([updates(NotificationBuilder b)]) = _$Notification;
8
9  @nullable
10  String get notificationType;
11
12  @nullable
13  int get notificationId;
14
15  @nullable
16  String get notificationTitle;
17
18  @nullable
19  String get notificationBody;
20
21  String toJson() {
22  	return json.encode(serializers.serializeWith(Notification.serializer, this));
23  }
24
25  static Notification fromJson(String jsonString) {
26    return serializers.deserializeWith(
27    Notification.serializer, json.decode(jsonString));
28  }
29
30  static Serializer<Notification> get serializer => _$notificationSerializer;
31}Here I’m keeping notificationType member variable to identify the type of notification I need to handle. It will be used in mapEventToState() method to yield different states according to types. e.g Yield IndexedNotification to change the index of Bottom navigation.
Here is _fcmInitialization() method,
1Future _fcmInitialization() async {
2  try {
3    _fcmToken = await _firebaseMessaging.getToken();
4
5    _firebaseMessaging.onTokenRefresh.listen((event) {
6      _fcmToken = event;
7    });
8
9    _firebaseMessaging.configure(
10      onMessage: (Map<String, dynamic> message) async {
11        Notification notification =
12            convertToNotification(_notificationId++, message);
13        await _showNotification(notification);
14      },
15      onLaunch: (Map<String, dynamic> message) async {
16        print("onLaunch: $message");
17        Notification notification =
18            convertToNotification(_notificationId++, message);
19        _hasLaunched = true;
20        _payLoad = notification.toJson();
21      },
22      onResume: (Map<String, dynamic> message) async {
23        print("onResume: $message");
24        Notification notification =
25            convertToNotification(_notificationId++, message);
26        add(NotificationEvent(notification.toJson()));
27      },
28    );
29  } catch (e) {
30    add(NotificationErrorEvent(e.toString()));
31  }
32}It does the following things.
- Generates new FCM token
- Attaching FCM token refresh handler to update the new token. Here I’m updating member variable with the token but we can call API to update new token in our back-end.
- onMessage will convert received payload into the Notification object we defined earlier and create a new local notification. If the user taps on that notification it will call _handleNotificationTap().
- onLaunch will assign _hasLaunched and _payload will be used when our MyApp widget is attached to the tree. I’ll come to that part later in this article soon.
- onResume will add one NotificationEvent for Bloc to handle.
1Future _handleNotificationTap(String payload) async {
2  if (payload != null) {
3    add(NotificationEvent(payload));
4  }
5}This method is adding new events for Bloc to handle when the notification is tapped.
Now we will see how we can implement mapEventToState() method.
1@override
2Stream<NotificationState> mapEventToState(NotificationEvent event) async* {
3  switch (event.runtimeType) {
4    case NotificationEvent:
5      Notification notification = Notification.fromJson(event.payload);
6      if (notification.notificationType == Constants.notificationTypeIndex) {
7        yield IndexedNotification(1);
8      }
9      break;
10    case NotificationErrorEvent:
11      yield NotificationErrorState((event as NotificationErrorEvent).error);
12      break;
13  }
14}I’ve handled one notification type here which will change the index of bottom navigation to 1. You can yield multiple states to handle different types of notifications.
Check out the complete code of NotificationBloc here.
Now, we will create an instance of NotificationBloc and call the initialize() method in the main() method. Like this,
1void main() async {
2  WidgetsFlutterBinding.ensureInitialized();
3
4  NotificationBloc notificationBloc = new NotificationBloc();
5  await notificationBloc.initialize();
6  
7  runApp(
8    MultiBlocProvider(providers: [
9      BlocProvider.value(value: notificationBloc),
10    ], child: MyApp()),
11  );
12}I’m providing the same notification bloc instance to MyApp() because we may want to navigate or change the state of the whole application when the notification is tapped. Right?
Here is my main.dart file.
1void main() async {
2  WidgetsFlutterBinding.ensureInitialized();
3
4  NotificationBloc notificationBloc = new NotificationBloc();
5  await notificationBloc.initialize();
6
7  runApp(
8    MultiBlocProvider(providers: [
9      BlocProvider.value(value: notificationBloc),
10    ], child: MyApp()),
11  );
12
13}
14
15class MyApp extends StatefulWidget {
16  const MyApp({Key key}) : super(key: key);
17
18  @override
19  _MyAppState createState() => _MyAppState();
20}
21
22class _MyAppState extends State<MyApp> {
23
24  @override
25  void didChangeDependencies() {
26    super.didChangeDependencies();
27    BlocProvider.of<NotificationBloc>(context)
28        .checkForLaunchedNotifications();
29  }
30
31  @override
32  Widget build(BuildContext context) {
33    return BlocListener<NotificationBloc, NotificationState>(
34      listener: (context, state) {
35        if (state is IndexedNotification) {
36          UiUtilities.showSnack(
37              context, "Here you can navigate to index ${state.index}");
38        } else if (state is NotificationErrorState) {
39          UiUtilities.showSnack(context, state.error);
40        }
41      },
42      child: MaterialApp(
43        theme: bindTheme,
44        onGenerateRoute: router.generateRoute,
45        initialRoute: RouterConstants.myGuidRoute,
46      ),
47    );
48  }
49}Here I’m listening to state changes for NotificationBloc as I don’t want to rebuild the whole widget when the state changes. I just wanted to navigate to another screen, wanted to add events to other blocs, etc.
Now if you see didChangeDepedencies() method we’re identifying launch information and change the state accordingly. This is critical to handle because we don’t get a chance to handle app launch in main().
Pheww!! That’s how we can create NotificationBloc. Thanks for bearing with me.
Also, take a moment to explore this blog post on Flutter InitialRoute: Understanding the Role of the Slash "/"



.webp)

.webp)