This is an introductory article on how to build your first Kotlin Multiplatform Mobile using Atlas Device Sync.
Introduction
Mobile development has evolved a lot in recent years and in this tutorial, we are going discuss Kotlin Multiplatform Mobile (KMM), one such platform which disrupted the development communities by its approach and thoughts on how to build mobile apps.
Traditional mobile apps, either built with a native or hybrid approach, have their tradeoffs from development time to performance. But with the Kotlin Multiplatform approach, we can have the best of both worlds.
What is Kotlin Multiplatform Mobile (KMM)?
Kotlin Multiplatform is all about code sharing within apps for different environments (iOS, Android). Some common use cases for shared code are getting data from the network, saving it into the device, filtering or manipulating data, etc. This is different from other cross-development frameworks as this enforces developers to share only business logic code rather than complete code which often makes things complicated, especially when it comes to building different complex custom UI for each platform.
Setting up your environment
If you are an Android developer, then you don't need to do much. The primary development of KMM apps is done using Android Studio. The only additional step for you is to install the KMM plugin via IDE plugin manager. One of the key benefits of this is it allows to you build and run the iOS app as well from Android Studio.
To enable iOS building and running via Android Studio, your system should have Xcode installed, which is development IDE for iOS development.
To verify all dependencies are installed correctly, we can use kdoctor
, which can be installed using brew.
brew install kdoctor
Building Hello World!
With our setup complete, it's time to get our hands dirty and build our first Hello World application.
Creating a KMM application is very easy. Open Android Studio and then select Kotlin Multiplatform App from the New Project template. Hit Next.
On the next screen, add the basic application details like the name of the application, location of the project, etc.
Finally, select the dependency manager for the iOS app, which is recommended for Regular framework
, and then hit finish.
Once gradle sync is complete, we can run both iOS and Android app using the run button from the toolbar.
That will start the Android emulator or iOS simulator, where our app will run.
src="https://mongodb-devhub-cms.s3.us-west-1.amazonaws.com/first_multiplatform_project_on_ios_1_cda32945d8.png" width=40%>
Basics of the Kotlin Multiplatform
Now it's time to understand what's happening under the hood to grasp the basic concepts of KMM.
Understanding project structure
Any KMM project can be split into three logic folders — i.e., androidApp
, iosApp
, and shared
— and each of these folders has a specific purpose.
Since KMM is all about sharing business-/logic-related code, all the shared code is written under shared
the folder. This code is then exposed as libs to androidApp
and iosApp
folders, allowing us to use shared logic by calling classes or functions and building a user interface on top of it.
Writing platform-specific code
There can be a few use cases where you like to use platform-specific APIs for writing business logic like in the Hello World!
app where we wanted to know the platform type and version. To handle such use cases, KMM has introduced the concept of actual
and expect
, which can be thought of as KMM's way of interface
or Protocols
.
In this concept, we define expect
for the functionality to be exposed, and then we write its implementation actual
for the different environments. Something like this:
expect fun getPlatform(): String
actual fun getPlatform(): String = "Android ${android.os.Build.VERSION.SDK_INT}"
actual fun getPlatform(): String =
UIDevice.currentDevice.systemName() + " " + UIDevice.currentDevice.systemVersion
In the above example, you'll notice that we are using platform-specific APIs like android.os
or UIDevice
in shared
folder. To keep this organised and readable, KMM has divided the shared
folder into three subfolders: commonMain
, androidMain
, iOSMain
.
With this, we covered the basics of KMM (and that small learning curve for KMM is especially for people coming from an android
background) needed before building a complex and full-fledged real app.
Building a more complex app
Now let's build our first real-world application, Querize, an app that helps you collect queries in real time during a session. Although this is a very simple app, it still covers all the basic use cases highlighting the benefits of the KMM app with a complex one, like accessing data in real time.
The tech stack for our app will be:
- JetPack Compose for UI building.
- Kotlin Multiplatform with Realm as a middle layer.
- Atlas Flexible Device Sync from MongoDB, serverless backend supporting our data sharing.
- MongoDB Atlas, our cloud database.
We will be following a top to bottom approach in building the app, so let's start building the UI using Jetpack compose with ViewModel
.
class MainActivity : ComponentActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContent {
MaterialTheme {
Container()
}
}
}
}
@Preview
@Composable
fun Container() {
val viewModel = viewModel<MainViewModel>()
Scaffold(
topBar = {
CenterAlignedTopAppBar(
title = {
Text(
text = "Querize",
fontSize = 24.sp,
modifier = Modifier.padding(horizontal = 8.dp)
)
},
colors = TopAppBarDefaults.centerAlignedTopAppBarColors(MaterialTheme.colorScheme.primaryContainer),
navigationIcon = {
Icon(
painterResource(id = R.drawable.ic_baseline_menu_24),
contentDescription = ""
)
}
)
},
containerColor = (Color(0xffF9F9F9))
) {
Column(
modifier = Modifier
.fillMaxSize()
.padding(it),
) {
Row(modifier = Modifier.fillMaxWidth(), horizontalArrangement = Arrangement.Center) {
Image(
painter = painterResource(id = R.drawable.ic_realm_logo),
contentScale = ContentScale.Fit,
contentDescription = "App Logo",
modifier = Modifier
.width(200.dp)
.defaultMinSize(minHeight = 200.dp)
.padding(bottom = 20.dp),
)
}
AddQuery(viewModel)
Text(
"Queries",
modifier = Modifier
.fillMaxWidth()
.padding(bottom = 8.dp),
textAlign = TextAlign.Center,
fontSize = 24.sp
)
QueriesList(viewModel)
}
}
}
@Composable
fun AddQuery(viewModel: MainViewModel) {
val queryText = remember { mutableStateOf("") }
TextField(
modifier = Modifier
.fillMaxWidth()
.padding(8.dp),
placeholder = { Text(text = "Enter your query here") },
trailingIcon = {
Icon(
painterResource(id = R.drawable.ic_baseline_send_24),
contentDescription = "",
modifier = Modifier.clickable {
viewModel.saveQuery(queryText.value)
queryText.value = ""
})
},
value = queryText.value,
onValueChange = {
queryText.value = it
})
}
@Composable
fun QueriesList(viewModel: MainViewModel) {
val queries = viewModel.queries.observeAsState(initial = emptyList()).value
LazyColumn(
verticalArrangement = Arrangement.spacedBy(12.dp),
contentPadding = PaddingValues(8.dp),
content = {
items(items = queries, itemContent = { item: String ->
QueryItem(query = item)
})
})
}
@Preview
@Composable
fun QueryPreview() {
QueryItem(query = "Sample text")
}
@Composable
fun QueryItem(query: String) {
Row(
modifier = Modifier
.fillMaxWidth()
.background(Color.White)
.padding(8.dp)
.clip(RoundedCornerShape(8.dp))
) {
Text(text = query, modifier = Modifier.fillMaxWidth())
}
}
class MainViewModel : ViewModel() {
private val repo = RealmRepo()
val queries: LiveData<List<String>> = liveData {
emitSource(repo.getAllData().flowOn(Dispatchers.IO).asLiveData(Dispatchers.Main))
}
fun saveQuery(query: String) {
viewModelScope.launch {
repo.saveInfo(query)
}
}
}
In our viewModel, we have a method saveQuery
to capture the user queries and share them with the speaker. This information is then passed on to our logic layer, RealmRepo
, which is built using Kotlin Multiplatform for Mobile (KMM) as we would like to reuse this for code when building an iOS app.
class RealmRepo {
suspend fun saveInfo(query: String) {
}
}
Now, to save and share this information, we need to integrate it with Atlas Device Sync, which will automatically save and share it with our clients in real time. To connect with Device Sync, we need to add Realm
SDK first to our project, which provides us integration with Device Sync out of the box.
Realm is not just SDK for integration with Atlas Device Sync, but it's a very powerful object-oriented mobile database built using KMM. One of the key advantages of using this is it makes our app work offline without any effort.
Adding Realm SDK
This step is broken down further for ease of understanding.
Adding Realm plugin
Open the build.gradle
file under project root and add the Realm
plugin.
From
plugins {
id("com.android.application").version("7.3.1").apply(false)
id("com.android.library").version("7.3.1").apply(false)
kotlin("android").version("1.7.10").apply(false)
kotlin("multiplatform").version("1.7.20").apply(false)
}
To
plugins {
id("com.android.application").version("7.3.1").apply(false)
id("com.android.library").version("7.3.1").apply(false)
kotlin("android").version("1.7.10").apply(false)
kotlin("multiplatform").version("1.7.20").apply(false)
// Added Realm plugin
id("io.realm.kotlin") version "0.10.0"
}
Enabling Realm plugin
Now let's enable the Realm plugin for our project. We should make corresponding changes to the build.gradle
file under the shared
module.
From
plugins {
kotlin("multiplatform")
kotlin("native.cocoapods")
id("com.android.library")
}
To
plugins {
kotlin("multiplatform")
kotlin("native.cocoapods")
id("com.android.library")
// Enabled Realm Plugin
id("io.realm.kotlin")
}
Adding dependencies
With the last step done, we are just one step away from completing the Realm setup. In this step, we add the Realm dependency to our project.
Since the Realm
database will be shared across all platforms, we will be adding the Realm dependency to the common source shared
. In the same build.gradle
file, locate the sourceSet
tag and update it to:
From
sourceSets {
val commonMain by getting {
dependencies {
}
}
// Other config
}
To
sourceSets {
val commonMain by getting {
dependencies {
implementation("io.realm.kotlin:library-sync:1.4.0")
}
}
}
With this, we have completed the Realm
setup for our KMM project. If you would like to use any part of the SDK inside the Android module, you can add the dependency in Android Module build.gradle
file.
dependencies {
compileOnly("io.realm.kotlin:library-sync:1.4.0")
}
Since Realm is an object-oriented database, we can save objects directly without getting into the hassle of converting them into different formats. To save any object into the Realm
database, it should be derived from RealmObject
class.
class QueryInfo : RealmObject {
@PrimaryKey
var _id: String = ""
var queries: String = ""
}
Now let's save our query into the local database, which will then be synced using Atlas Device Sync and saved into our cloud database, Atlas.
class RealmRepo {
suspend fun saveInfo(query: String) {
val info = QueryInfo().apply {
_id = RandomUUID().randomId
queries = query
}
realm.write {
copyToRealm(info)
}
}
}
The next step is to create a Realm
instance, which we use to save the information. To create a Realm
, an instance of Configuration
is needed which in turn needs a list of classes that can be saved into the database.
val realm by lazy {
val config = RealmConfiguration.create(setOf(QueryInfo::class))
Realm.open(config)
}
This Realm
instance is sufficient for saving data into the device but in our case, we need to integrate this with Atlas Device Sync to save and share our data into the cloud. To do this, we take four more steps:
- Create a free MongoDB account.
- Follow the setup wizard after signing up to create a free cluster.
- Create an App with App Service UI to enable Atlas Device Sync.
- Enable Atlas Device Sync using Flexible Sync. Select the App services tab and enable sync, as shown below.
Now let's connect our Realm and Atlas Device Sync. To do this, we need to modify our Realm
instance creation. Instead of using RealmConfiguration
, we need to use SyncConfiguration
.
SyncConfiguration
instance can be created using its builder, which needs a user instance and initialSubscriptions
as additional information. Since our application doesn't have a user registration form, we can use anonymous sign-in provided by Atlas App Services to identify as user session. So our updated code looks like this:
private val appServiceInstance by lazy {
val configuration =
AppConfiguration.Builder("application-0-elgah").log(LogLevel.ALL).build()
App.create(configuration)
}
lateinit var realm: Realm
private suspend fun setupRealmSync() {
val user = appServiceInstance.login(Credentials.anonymous())
val config = SyncConfiguration
.Builder(user, setOf(QueryInfo::class))
.initialSubscriptions { realm ->
// information about the data that can be read or modified.
add(
query = realm.query<QueryInfo>(),
name = "subscription name",
updateExisting = true
)
}
.build()
realm = Realm.open(config)
}
suspend fun saveInfo(query: String) {
if (!this::realm.isInitialized) {
setupRealmSync()
}
val info = QueryInfo().apply {
_id = RandomUUID().randomId
queries = query
}
realm.write {
copyToRealm(info)
}
}
Now, the last step to complete our application is to write a read function to get all the queries and show it on UI.
suspend fun getAllData(): CommonFlow<List<String>> {
if (!this::realm.isInitialized) {
setupRealmSync()
}
return realm.query<QueryInfo>().asFlow().map {
it.list.map { it.queries }
}.asCommonFlow()
}
Also, you can view or modify the data received via the saveInfo
function using the Atlas
UI.
With this done, our application is ready to send and receive data in real time. Yes, in real time. No additional implementation is required.
Summary
Thank you for reading this article! I hope you find it informative. The complete source code of the app can be found on GitHub.
If you have any queries or comments, you can share them on
the MongoDB Realm forum or tweet me @codeWithMohit.
Top comments (0)