Share more logic between iOS and Android
Now that you've implemented common logic using external dependencies, you can start adding more complex logic. Network requests and data serialization are the most popular use cases for sharing code using Kotlin Multiplatform. Learn how to implement these in your first application, so that after completing this onboarding journey you can use them in future projects.
The updated app will retrieve data over the internet from the SpaceX API and display the date of the last successful launch of a SpaceX rocket.
Add more dependencies
You'll need to add the following multiplatform libraries in your project:
kotlinx.coroutines, to use coroutines for asynchronous code, which allows simultaneous operations.kotlinx.serialization, to deserialize JSON responses into objects of entity classes used to process network operations.Ktor, a framework to create an HTTP client for retrieving data over the internet.
kotlinx.coroutines
To add kotlinx.coroutines to your project, specify a dependency in the common source set. To do so, add the following line to the shared/build.gradle.kts file:
The Kotlin Multiplatform Gradle plugin automatically adds a dependency to the platform-specific (iOS and Android) parts of kotlinx.coroutines.
kotlinx.serialization
To use the kotlinx.serialization library, set up a corresponding Gradle plugin. To do that, add the following line to the existing plugins {} block at the very beginning of the shared/build.gradle.kts file:
Ktor
You need to add the core dependency (ktor-client-core) to the common source set of the shared module. You also need to add supporting dependencies:
Add the
ContentNegotiationfunctionality (ktor-client-content-negotiation), which allows serializing and deserializing the content in a specific format.Add the
ktor-serialization-kotlinx-jsondependency to instruct Ktor to use the JSON format andkotlinx.serializationas a serialization library. Ktor will expect JSON data and deserialize it into a data class when receiving responses.Provide the platform engines by adding dependencies on the corresponding artifacts in the platform source sets (
ktor-client-android,ktor-client-darwin).
Synchronize the Gradle files by clicking the Sync Gradle Changes button.
Create API requests
You'll need the SpaceX API to retrieve data, and you'll use a single method to get the list of all launches from the v4/launches endpoint.
Add a data model
In the shared/src/commonMain/.../greetingkmp directory, create a new RocketLaunch.kt file and add a data class which stores data from the SpaceX API:
The
RocketLaunchclass is marked with the@Serializableannotation, so that thekotlinx.serializationplugin can automatically generate a default serializer for it.The
@SerialNameannotation allows you to redefine field names, making it possible to declare properties in data classes with more readable names.
Connect HTTP client
In the
shared/src/commonMain/.../greetingkmpdirectory, create a newRocketComponentclass.Add the
httpClientproperty to retrieve rocket launch information through an HTTP GET request:import io.ktor.client.HttpClient import io.ktor.client.plugins.contentnegotiation.ContentNegotiation import io.ktor.serialization.kotlinx.json.json import kotlinx.serialization.json.Json class RocketComponent { private val httpClient = HttpClient { install(ContentNegotiation) { json(Json { prettyPrint = true isLenient = true ignoreUnknownKeys = true }) } } }The ContentNegotiation Ktor plugin and the JSON serializer deserialize the result of the GET request.
The JSON serializer here is configured in a way that it prints JSON in a more readable manner with the
prettyPrintproperty. It is more flexible when reading malformed JSON withisLenient, and it ignores keys that haven't been declared in the rocket launch model withignoreUnknownKeys.
Add the
getDateOfLastSuccessfulLaunch()suspending function toRocketComponent:class RocketComponent { // ... private suspend fun getDateOfLastSuccessfulLaunch(): String { } }Call the
httpClient.get()function to retrieve information about rocket launches:import io.ktor.client.request.get import io.ktor.client.call.body class RocketComponent { // ... private suspend fun getDateOfLastSuccessfulLaunch(): String { val rockets: List<RocketLaunch> = httpClient.get("https://api.spacexdata.com/v4/launches").body() } }httpClient.get()is also a suspending function because it needs to retrieve data over the network asynchronously without blocking threads.Suspending functions can only be called from coroutines or other suspending functions. This is why
getDateOfLastSuccessfulLaunch()was marked with thesuspendkeyword. The network request is executed in the HTTP client's thread pool.
Update the function again to find the last successful launch in the list:
class RocketComponent { // ... private suspend fun getDateOfLastSuccessfulLaunch(): String { val rockets: List<RocketLaunch> = httpClient.get("https://api.spacexdata.com/v4/launches").body() val lastSuccessLaunch = rockets.last { it.launchSuccess == true } } }The list of rocket launches is sorted by date from oldest to newest.
Convert the launch date from UTC to your local date and format the output:
import kotlinx.datetime.TimeZone import kotlinx.datetime.toLocalDateTime import kotlin.time.ExperimentalTime import kotlin.time.Instant class RocketComponent { // ... @OptIn(ExperimentalTime::class) private suspend fun getDateOfLastSuccessfulLaunch(): String { val rockets: List<RocketLaunch> = httpClient.get("https://api.spacexdata.com/v4/launches").body() val lastSuccessLaunch = rockets.last { it.launchSuccess == true } val date = Instant.parse(lastSuccessLaunch.launchDateUTC) .toLocalDateTime(TimeZone.currentSystemDefault()) return "${date.month} ${date.day}, ${date.year}" } }The date will be in the "MMMM DD, YYYY" format, for example, OCTOBER 5, 2022.
Add another suspending function,
launchPhrase(), which will create a message using thegetDateOfLastSuccessfulLaunch()function:class RocketComponent { // ... suspend fun launchPhrase(): String = try { "The last successful launch was on ${getDateOfLastSuccessfulLaunch()} 🚀" } catch (e: Exception) { println("Exception during getting the date of the last successful launch $e") "Error occurred" } }
Create the flow
You can use flows instead of suspending functions. They emit a sequence of values instead of a single value that suspending functions return.
Open the
Greeting.ktfile in theshared/src/commonMain/kotlindirectory.Add a
rocketComponentproperty to theGreetingclass. The property will store the message with the last successful launch date:private val rocketComponent = RocketComponent()Change the
greet()function to return aFlow:import kotlinx.coroutines.delay import kotlinx.coroutines.flow.Flow import kotlinx.coroutines.flow.flow import kotlin.time.Duration.Companion.seconds class Greeting { // ... fun greet(): Flow<String> = flow { emit(if (Random.nextBoolean()) "Hi!" else "Hello!") delay(1.seconds) emit("Guess what this is! > ${platform.name.reversed()}") delay(1.seconds) emit(daysPhrase()) emit(rocketComponent.launchPhrase()) } }The
Flowis created here with theflow()builder function, which wraps all the statements.The
Flowemits strings with a delay of one second between each emission. The last element is only emitted after the network response returns, so the exact delay depends on your network.
Add internet access permission
To access the internet, the Android application needs the appropriate permission. Since all network requests are made from the shared module, it makes sense to add the internet access permission to its manifest.
Update your composeApp/src/androidMain/AndroidManifest.xml file with the access permission:
You've already updated the API of the shared module by changing the return type of the greet() function to Flow. Now you need to update native parts of the project so that they can properly handle the result of calling the greet() function.
Update native Android UI
As both the shared module and the Android application are written in Kotlin, using shared code from Android is straightforward.
Introduce a view model
Now that the application is becoming more complex, it's time to introduce a view model to the Android activity called MainActivity. It invokes the App() function that implements the UI. The view model will manage the data from the activity and won't disappear when the activity undergoes a lifecycle change.
In the
composeApp/src/androidMain/.../greetingkmpdirectory, create a newMainViewModelKotlin class:import androidx.lifecycle.ViewModel class MainViewModel : ViewModel() { // ... }This class extends Android's
ViewModelclass, which ensures the correct behavior regarding lifecycle and configuration changes.Create a
greetingListvalue of the StateFlow type and its backing property:import kotlinx.coroutines.flow.MutableStateFlow import kotlinx.coroutines.flow.StateFlow class MainViewModel : ViewModel() { private val _greetingList = MutableStateFlow<List<String>>(listOf()) val greetingList: StateFlow<List<String>> get() = _greetingList }StateFlowhere extends theFlowinterface but has a single value or state.The private backing property
_greetingListensures that only clients of this class can access the read-onlygreetingListproperty.
In the
initfunction of the View Model, collect all the strings from theGreeting().greet()flow:import androidx.lifecycle.viewModelScope import kotlinx.coroutines.launch class MainViewModel : ViewModel() { private val _greetingList = MutableStateFlow<List<String>>(listOf()) val greetingList: StateFlow<List<String>> get() = _greetingList init { viewModelScope.launch { Greeting().greet().collect { phrase -> //... } } } }Since the
collect()function is suspended, thelaunchcoroutine is used within the view model's scope. This means that the launch coroutine will run only during the correct phases of the view model's lifecycle.Inside the
collecttrailing lambda, update the value of_greetingListto append the collectedphraseto the list of phrases inlist:import kotlinx.coroutines.flow.update class MainViewModel : ViewModel() { //... init { viewModelScope.launch { Greeting().greet().collect { phrase -> _greetingList.update { list -> list + phrase } } } } }The
update()function will update the value automatically.
Use the view model's flow
In
composeApp/src/androidMain/kotlin, open theApp.ktfile and update it, replacing the previous implementation:import androidx.lifecycle.compose.collectAsStateWithLifecycle import androidx.compose.runtime.getValue import androidx.lifecycle.viewmodel.compose.viewModel @Composable @Preview fun App(mainViewModel: MainViewModel = viewModel()) { MaterialTheme { val greetings by mainViewModel.greetingList.collectAsStateWithLifecycle() Column( modifier = Modifier .safeContentPadding() .fillMaxSize(), verticalArrangement = Arrangement.spacedBy(8.dp), ) { greetings.forEach { greeting -> Text(greeting) HorizontalDivider() } } } }The
collectAsStateWithLifecycle()function calls ongreetingListto collect the value from the ViewModel's flow and represent it as a composable state in a lifecycle-aware manner.When a new flow is created, the compose state will change and display a scrollable
Columnwith greeting phrases arranged vertically and separated by dividers.
To see the results, rerun your composeApp configuration:

Update native iOS UI
For the iOS part of the project, you'll make use of the Model–view–viewmodel pattern again to connect the UI to the shared module, which contains all the business logic.
The module is already imported in the ContentView.swift file with the import Shared declaration.
Introducing a ViewModel
In iosApp/ContentView.swift, create a ViewModel class for ContentView, which will prepare and manage data for it. Call the startObserving() function within a task() call to support concurrency:
ViewModelis declared as an extension toContentView, as they are closely connected.ViewModelhas agreetingsproperty that is an array ofStringphrases. SwiftUI connects the ViewModel (ContentView.ViewModel) with the view (ContentView).ContentView.ViewModelis declared as anObservableObject.The
@Publishedwrapper is used for thegreetingsproperty.The
@ObservedObjectproperty wrapper is used to subscribe to the ViewModel.
This ViewModel will emit signals whenever this property changes. Now you need to implement the startObserving() function to consume flows.
Choose a library to consume flows from iOS
In this tutorial, you can use SKIE the KMP-NativeCoroutines library to help you work with flows in iOS. Both are open-source solutions that support cancellation and generics with flows, which the Kotlin/Native compiler doesn't yet provide by default:
The SKIE library augments the Objective-C API produced by the Kotlin compiler: SKIE transforms flows into an equivalent of Swift’s
AsyncSequence. SKIE directly supports Swift'sasync/await, without thread restriction, and with automatic bidirectional cancellation (Combine and RxSwift require adapters). SKIE offers other features to produce a Swift-friendly API from Kotlin, including bridging various Kotlin types to Swift equivalents. It also doesn’t require adding additional dependencies in iOS projects.The KMP-NativeCoroutines library helps you consume suspending functions and flows from iOS by generating the necessary wrappers. KMP-NativeCoroutines supports Swift's
async/awaitfunctionality as well as Combine and RxSwift. Using KMP-NativeCoroutines requires adding an SPM or CocoaPod dependency in iOS projects.
Option 1. Configure KMP-NativeCoroutines
In the root
build.gradle.ktsfile of your project (not theshared/build.gradle.ktsfile), add the KSP (Kotlin Symbol Processor) and KMP-NativeCoroutines plugins to theplugins {}block:plugins { // ... id("com.google.devtools.ksp").version("2.2.10-2.0.2").apply(false) id("com.rickclephas.kmp.nativecoroutines").version("1.0.0-ALPHA-45").apply(false) }In the
shared/build.gradle.ktsfile, add the KMP-NativeCoroutines plugin:plugins { // ... id("com.google.devtools.ksp") id("com.rickclephas.kmp.nativecoroutines") }Also in the
shared/build.gradle.ktsfile, opt-in to the experimental@ObjCNameannotation:kotlin { // ... sourceSets{ all { languageSettings { optIn("kotlin.experimental.ExperimentalObjCName") optIn("kotlin.time.ExperimentalTime") } } // ... } }Click the Sync Gradle Changes button to synchronize the Gradle files.
Mark the flow with KMP-NativeCoroutines
Open the
Greeting.ktfile in theshared/src/commonMain/kotlindirectory.Add the
@NativeCoroutinesannotation to thegreet()function. This will ensure that the plugin generates the right code to support correct flow handling on iOS:import com.rickclephas.kmp.nativecoroutines.NativeCoroutines class Greeting { // ... @NativeCoroutines fun greet(): Flow<String> = flow { // ... } }
Import the library using SPM in XCode
Go to File | Open Project in Xcode.
In Xcode, right-click the
iosAppproject in the left-hand menu and select Add Package Dependencies.In the search bar, enter the package name:
https://github.com/rickclephas/KMP-NativeCoroutines.git
In the Dependency Rule dropdown, select the Exact Version item and enter the
1.0.0-ALPHA-45version in the adjacent field.Click the Add Package button: Xcode will fetch the package from GitHub and open another window to choose package products.
Add "KMPNativeCoroutinesAsync" and "KMPNativeCoroutinesCore" to your app as shown, then click Add Package:

This should install the parts of the KMP-NativeCoroutines package necessary to work with the async/await mechanism.
Consume the flow using the KMP-NativeCoroutines library
In
iosApp/ContentView.swift, update thestartObserving()function to consume the flow using KMP-NativeCoroutine'sasyncSequence()function for theGreeting().greet()function:func startObserving() async { do { let sequence = asyncSequence(for: Greeting().greet()) for try await phrase in sequence { self.greetings.append(phrase) } } catch { print("Failed with error: \(error)") } }The loop and the
awaitmechanism here are used here to iterate through the flow and update thegreetingsproperty every time the flow emits a value.Make sure
ViewModelis marked with the@MainActorannotation. The annotation ensures that all asynchronous operations withinViewModelrun on the main thread to comply with the Kotlin/Native requirement:// ... import KMPNativeCoroutinesAsync import KMPNativeCoroutinesCore // ... extension ContentView { @MainActor class ViewModel: ObservableObject { @Published var greetings: Array<String> = [] func startObserving() async { do { let sequence = asyncSequence(for: Greeting().greet()) for try await phrase in sequence { self.greetings.append(phrase) } } catch { print("Failed with error: \(error)") } } } }
Option 2. Configure SKIE
To set up the library, specify the SKIE plugin in shared/build.gradle.kts and click the Sync Gradle Changes button.
Consume the flow using SKIE
You'll use a loop and the await mechanism to iterate through the Greeting().greet() flow and update the greetings property every time the flow emits a value.
Make sure ViewModel is marked with the @MainActor annotation. The annotation ensures that all asynchronous operations within ViewModel run on the main thread to comply with the Kotlin/Native requirement:
Consume the ViewModel and run the iOS app
In iosApp/iOSApp.swift, update the entry point for your app:
Run the iosApp configuration from IntelliJ IDEA to make sure your app's logic is synced:

Next step
In the final part of the tutorial, you'll wrap up your project and see what steps to take next.
See also
Explore various approaches to composition of suspending functions.
Learn more about the interoperability with Objective-C frameworks and libraries.
Complete this tutorial on networking and data storage.
Get help
Kotlin Slack. Get an invite and join the #multiplatform channel.
Kotlin issue tracker. Report a new issue.