This is the official MagicBell SDK for Android.
This SDK offers:
- Real-time updates
- Low-level wrappers for the MagicBell API
- Support for the Compose framework
It requires:
- API 23+
- Android Studio Arctic Fox
First, grab your API key from your MagicBell dashboard. Then, initialize the client and set the current user:
import com.magicbell.sdk.MagicBellClient
// Create the MagicBell client with your project's API key
val magicbell = MagicBellClient(
apiKey = "[MAGICBELL_API_KEY]",
context = applicationContext
)
// Set the MagicBell user
val user = magicbell.connectUserEmail("[email protected]")
// Create a store of notifications
val store = user.store.build()
// Fetch the first page of notifications. There is also a method without coroutine.
coroutineScope.launch {
store.fetch().fold(
onSuccess = { notificationList ->
},
onFailure = { error ->
}
)
}
This repo also contains a full blown example. To run the project:
- Clone the repo
- Open the root
build.gradle
in XCode - Run
app
from theExample
directory
- Installation
- The MagicBell client
- User
- NotificationStore
- Notification Preferences
- Push Notification Support
- Contributing
Add the dependency in your build.gradle file.
// MagicBell SDK
implementation 'com.magicbell:magicbell-sdk:3.0.0'
// MagicBell Compose
implementation 'com.magicbell:magicbell-sdk-compose:3.0.0'
The first step is to create a MagicBellClient
instance. It will manage users and other functionality for you. The API key for your MagicBell project is
required to initialize it.
val magicbell = MagicBellClient(
apiKey = "[MAGICBELL_API_KEY]",
context = applicationContext
)
You can provide additional options when initializing a client:
val magicbell = MagicBellClient(
apiKey = "[MAGICBELL_API_KEY]",
baseURL = defaultBaseUrl,
logLevel = LogLevel.NONE,
context = applicationContext,
magicBellScope = coroutineScope
)
Param | Default Value | Description |
---|---|---|
apiKey |
- | Your MagicBell's API key |
logLevel |
.none |
Set it to .debug to enable logs |
context |
- | Application Context |
logLevel |
Dispatchers(Main) |
Scope to run all the tasks. |
Though the API key is meant to be published, you should not distribute the API secret. Rather, enable HMAC in your project and generate the user secret on your backend before distributing your app.
You should create the client instance as early as possible in your application and ensure that only one instance is used across your application.
import com.magicbell.sdk.MagicBellClient
// Store the instance at a place of your convenience
val magicbell = MagicBellClient("[MAGICBELL_API_KEY]")
We recommend to create the instance in your Application class or in your Dependency Injection graph as a Singleton.
Requests to the MagicBell API require that you identify the MagicBell user. This can be done by calling the
connectUser(...)
method on the MagicBellClient
instance with the user's email or external ID:
// Identify the user by its email
val user = magicbell.connectUserEmail("[email protected]")
// Identify the user by its external id
val user = magicbell.connectUserExternalId("001")
// Identify the user by both, email and external id
val user = magicbell.connectUserWith(email = "[email protected]", externalId = "0001")
Each variant of connectUser
supports a variant for passing an hmac
parameter that should be send when HMAC Security was enabled for the project.
You can connect as many users as you need.
IMPORTANT: User
instances are singletons. Therefore, calls to the connectUser
method with the same arguments will yield the same user:
val userOne = magicbell.connectUserEmail("[email protected]")
val userTwo = magicbell.connectUserEmail("[email protected]")
assert(userOne === userTwo, "Both users reference to the same instance")
If your app supports multiple logins, you may want to display the status of notifications for all logged in users at the same time. The MagicBell SDK allows you to that.
You can call the connectUser(:)
method with the r external ID of your logged in users as many times as you need.
val userOne = magicbell.connectUserEmail("[email protected]")
val userTwo = magicbell.connectUserEmail("[email protected]")
val userThree = magicbell.connectUserExternalId("001")
When the user is logged out from your application you want to:
- Remove user's notifications from memory
- Stop the real-time connection with the MagicBell API
- Unregister the device from push notifications
This can be achieved with the disconnectUser
method of the MagicBell
client instance:
// Remove by email
magicbell.disconnectUserEmail("[email protected]")
// Remove by external id
magicbell.disconnectUserExternalId("001")
// Remove by email and external id
magicbell.disconnectUserWith(email = "[email protected]", externalId = "001")
The MagicBell User
instances need to available across your app. Here you have some options:
- extend your own user object
- define a global attribute
- use your own dependency injection graph
This approach is useful if you have a user object across your app. MagicBell will guarantee the User
instance for a given email/externalId is unique, and you
only need to provide access to the instance. For example:
// Your own user
data class User {
val name: String
val email: String
}
/// Returns the logged in MagicBell user
fun User.magicBell(): MagicBell.User {
return magicbell.connectUserEmail(email)
}
This is how you can define a nullable global variable that will represent your MagicBell user:
val magicbell = MagicBellClient("[MAGICBELL_API_KEY]")
var magicbellUser: MagicBell.User? = null
As soon as you perform a login, assign a value to this variable. Keep in mind, you will have to check the
magicbellUser
variable was actually set before accessing it in your code.
You can also inject the MagicBell User
instance in your own graph and keep track on it using your preferred pattern.
The NotificationStore
class represents a collection of MagicBell notifications. You can create an instance of this class through
the .build(...)
method on the user store object.
For example:
val allNotifications = user.store.build()
val readNotifications = user.store.build(read = true)
val unreadNotifications = user.store.build(read = false)
val archivedNotifications = user.store.build(archived = true)
val billingNotifications = user.store.build(category = "billing")
val firstOrderNotifications = user.store.build(topic = "order:001")
These are the attributes of a notification store:
Attributes | Type | Description |
---|---|---|
totalCount |
Int |
The total number of notifications |
unreadCount |
Int |
The number of unread notifications |
unseenCount |
Int |
The number of unseen notifications |
hasNextPage |
Bool |
Whether there are more items or not when paginating forwards |
count |
Int |
The current number of notifications in the store |
predicate |
StorePredicate |
The predicate used to filter notifications |
And these are the available methods:
Method | Description |
---|---|
refresh |
Resets the store and fetches the first page of notifications |
fetch |
Fetches the next page of notifications |
get(index:) |
Subscript to access the notifications: store[index] |
delete |
Deletes a notification |
delete |
Deletes a notification |
markAsRead |
Marks a notification as read |
markAsUnread |
Marks a notification as unread |
archive |
Archives a notification |
unarchive |
Unarchives a notification |
markAllRead |
Marks all notifications as read |
markAllUnseen |
Marks all notifications as seen |
Most methods have two implementations:
- Using suspended functions returning a
Result
object - Using lambdas returning
onSucess
oronFailure
// Delete notification. Lambdas
store.delete(
notification,
onCompletion = {
println("Notification deleted")
},
onFailure = {
print("Failed: ${error})")
}
)
// Read a notification
store.markAsRead(notification).fold(
onSuccess = {
println("Notification marked as read")
},
onFailure = {
println("Failed: $error")
}
)
These methods ensure the state of the store is consistent when a notification changes. For example, when a notification is read, stores with the
predicate read: .unread
, will remove that notification from themselves notifying all observers of the notification store.
You can also create stores with more advanced filters. To do it, fetch a store using the .build(...)
method with a
StorePredicate
.
val predicate = StorePredicate()
val notifications = user.store.build(predicate)
These are the available options:
Param | Options | Default | Description |
---|---|---|---|
read |
true , false , null |
null |
Filter by the read state (null means unspecified) |
seen |
true , false , null |
null |
Filter by the seen state (null means unspecified) |
archived |
true , false |
false |
Filter by the archived state |
category |
String |
null |
Filter by category |
topic |
String |
null |
Filter by topic |
For example, use this predicate to fetch unread notifications of the "important"
category:
val predicate = StorePredicate(read = true, category = "important")
val store = user.store.build(predicate)
Notification stores are singletons. Creating a store with the same predicate twice will yield the same instance.
Note: Once a store is fetched, it will be kept alive in memory so it can be updated in real-time. You can force the removal of a store using the .dispose
method.
val predicate = StorePredicate()
user.store.dispose(predicate)
This is automatically done for you when you remove a user instance.
When either fetch
or refresh
is called, the store will notify the content observers with the newly added notifications (read about
observers here).
// Obtaining a new notification store (first time)
val store = user.store.build()
// First loading
val listNotifications = store.fetch().getOrElse {
// An error occurred
}
To reset and fetch the store:
val listNotifications = store.refresh().getOrElse {
// An error occurred
}
The NotificationStore
is a list and has all list methods available. Therefore, notifications can be accessed as expected:
// forEach
store.forEach { notification ->
println("Notification = $notification")
}
// for in
for (notification in store) {
println("Notification = $notification")
}
// As an array
val notifications = store.notifications
Enumeration is also available:
// forEach
store.forEachIndexed { index, notification ->
println("Notification = $notification is in position $index")
}
NotificationStore
exposes two flows with Content changes and Count changes. You can subscribe both of them to receive all the changes in the store. For
Content event returns:
sealed class NotificationStoreContentEvent {
object Reloaded : NotificationStoreContentEvent()
class Inserted(val indexes: List<Int>) : NotificationStoreContentEvent()
class Changed(val indexes: List<Int>) : NotificationStoreContentEvent()
class Deleted(val indexes: List<Int>) : NotificationStoreContentEvent()
class HasNextPageChanged(val hasNextPage: Boolean) : NotificationStoreContentEvent()
}
For Count events returns:
sealed class NotificationStoreCountEvent {
class TotalCountChanged(val count: Int) : NotificationStoreCountEvent()
class UnreadCountChanged(val count: Int) : NotificationStoreCountEvent()
class UnseenCountChanged(val count: Int) : NotificationStoreCountEvent()
}
Example. Subscribe to the flows:
yourScope.launch {
store.contentFlow.onEach { contentEvent ->
// when(contentEvent)
println("Content $it)
}.launchIn(this)
store.countFlow.onEach { countEvent ->
// when(countEvent)
print("Count $it")
}.launchIn(this)
}
Instances of NotificationStore
are automatically updated when new notifications arrive, or a notification's state changes (marked read, archived, etc.)
To observe changes on a notification store, your observers must implement the following protocols:
// Get notified when the list of notifications of a notification store changes
interface NotificationStoreContentObserver {
fun onStoreReloaded()
fun onNotificationsChanged(indexes: List<Int>)
fun onNotificationsDeleted(indexes: List<Int>)
fun onStoreHasNextPageChanged(hasNextPage: Boolean)
}
// Get notified when the counters of a notification store change
interface NotificationStoreCountObserver {
fun onTotalCountChanged(count: Int)
fun onUnreadCountChanged(count: Int)
fun onUnseenCountChanged(count: Int)
}
To observe changes, implement these protocols (or one of them), and register as an observer to a notification store.
val store = user.store.build()
val observer = myObserverClassInstance
store.addContentObserver(observer)
store.addCountObserver(observer)
Use the class NotificationStoreViewModel
to create a reactive object compatible with Compose and capable of publishing changes on the main attributes of a
NotificaitonStore
.
This object must be created and retained by the user whenever it is needed.
Attribute | Type | Description |
---|---|---|
totalCount |
State Int |
The total count |
unreadCount |
State Int |
The unread count |
unseenCount |
State Int |
The unseen count |
hasNextPage |
State Bool |
Bool indicating if there is more content to fetch. |
notifications |
State [Notification] |
The array of notifications. |
The Notification Store
is a list also and we recommend to use it in your RecyclerView
adapters. Thanks to the observers you can refresh your notification
list very easy and with animations.
class NotificationsAdapter(
var store: NotificationStore,
private val notificationClick: (Notification, Int) -> Unit,
) : RecyclerView.Adapter<NotificationsAdapter.ViewHolder>()
Another option would be to have your own list of notifications and modify it every time that the user does an action.
You can fetch and set notification preferences for MagicBell channels and categories.
class NotificationPreferences(
val categories: List<Category>
)
class Category(
val slug: String,
val label: String,
val channels: List<Channel>
)
class Channel(
val slug: String,
val label: String,
val enabled: Boolean
)
To fetch notification preferences, use the fetch
method as follows:
user.preferences.fetch().fold(onSuccess = { notificationPreferences ->
println(preferences)
}, onFailure = {
// An error occurred
})
To update the preferences, use either update
.
// Updating all preferences at once.
// Only preference for the included categories will be changed
user.preferences.update().getOrElse { }
To update a single channel you can use the provided convenience function updateChannel
.
user.preferences.updateChannel("new_comment", "in_app", true).getOrElse { }
You can register the device token with MagicBell for mobile push notifications. To do it, set the device token as soon as it is provided by FCM or your notification SDK:
// FCM Example
FirebaseMessaging.getInstance().token.addOnCompleteListener(OnCompleteListener { task ->
if (!task.isSuccessful) {
Log.w(TAG, "Fetching FCM registration token failed", task.exception)
return@OnCompleteListener
}
// Get new FCM registration token
val token = task.result
// Log and toast
magicbell.setDeviceToken(token)
})
MagicBell will keep that device token stored temporarily in memory and send it as soon as new users are declared via
MagicBellClient.connectUser
.
Whe a user is disconnected (MagicBellClient.disconnectUser
), the device token is automatically unregistered for that user.
We welcome contributions of any kind. To do so, clone the repo and open build.gradle
with Android Studio Arctic Fox or above.