Tiamat

Project Url: ComposeGears/Tiamat
Introduction: Simple Compose multiplatform navigation library
More: Author   ReportBugs   
Tags:

Tiamat - Compose multiplatform navigation library

Stars Forks License Telegram Slack Slack

https://github.com/user-attachments/assets/daa73bec-47f6-42bf-b38f-6378793540ee

Add the dependency below to your module's build.gradle.kts file:

Module Version
tiamat Tiamat
tiamat-koin Tiamat koin
tiamat-destinations Tiamat destinations
tiamat-destinations (plugin) Tiamat destinations

Last stable version: 1.5.0

Tiamat Destinations README

Migration Tiamat 1. -> Tiamat 2.

Multiplatform

sourceSets {
    commonMain.dependencies {
        // core library
        implementation("io.github.composegears:tiamat:$version")
        // Koin integration (https://github.com/InsertKoinIO/koin) 
        implementation("io.github.composegears:tiamat-koin:$version")
    }
}

Tiamat destinations

plugins {
    // Tiamat-destinations kotlin compiler plugin
    id("io.github.composegears.tiamat.destinations.compiler") version "$version"
}

sourceSets {
    commonMain.dependencies {
        // InstallIn annotations and Graph base class  
        implementation("io.github.composegears:tiamat-destinations:$version")
    }
}

Android / jvm

Use same dependencies in the dependencies { ... } section

Why Tiamat?

  • Code generation free
  • Pure compose
  • Support nested navigation
  • Support back-stack alteration and deep-links
  • Easy to use
  • Allow to pass ANY types as data, even lambdas (!under small condition)
  • Customizable transitions
  • Customizable screen placement logic
  • Customizable save-state logic
  • Support of Extensions

Setup

1) Define your screens in one of 3 available ways:

  • chaotic good (screen name eq to value name)

      val Screen by navDestination<Unit> {
          // content
      }
    
  • chaotic neutral

    
      val Screen = NavDestination<Unit>("ScreenName") {
          // content
      }
    
  • chaotic evil

      object Screen : NavDestination<Unit> {
          override val name: String = "ScreenName"
    
          @Composable
          override fun NavDestinationScope<Unit>.Content() {
              // content
          }
    
      }
    

    2) Create navController

    val navController = rememberNavController(
       key = "Some nav controller",
       startDestination = Screen,
    )
    

    3) Setup navigation

    Navigation(
       navController = navController,
       destinations = arrayOf(
           Screen,
           AnotherScreen,
           // ...,
       ),
       modifier = Modifier.fillMaxSize(),
       contentTransformProvider = { navigationPlatformDefault(it) }
    )
    

    4) Navigate

    val Screen by navDestination<Unit> {
       val navController = navController()
       Column {
           Text("Screen")
           Button(onClick = { navController.navigate(AnotherScreen) }){
               Text("Navigate")
           }
       }
    }
    

see example: App.kt

Overview

Screen

The screens in Tiamat should be an entities (similar to composable functions)

the Args generic define the type of data, acceptable by screen as input parameters in the NavController:navigate fun

val RootScreen by navDestination<Unit> {
    // ...
    val nc = navController()
    // ...
    nc.navigate(DataScreen, DataScreenArgs(1))
    // ...
}

data class DataScreenArgs(val t: Int)

val DataScreen by navDestination<DataScreenArgs> {
    val args = navArgs()
}

The screen content scoped in NavDestinationScope<Args>

The scope provides a number of composable functions:

Some examples:

  • navController - provides current NavController to navigate back/further
  • navArgs - the arguments provided to this screen by NavControllr:navigate(screen, args) fun
  • navArgsOrNull - same as navArgs but provides null if there is no data passed or if it was lost
  • freeArgs - free type arguments, useful to store metadata or pass deeplink info
  • clearFreeArgs - clear free type arguments (eg: clear handled deeplink info)
  • navResult - provide the data passed to NavControllr:back(screen, navResult) as result
  • clearNavResult - clear passed nav result (eg: you want to show notification base on result and clear it not to re-show)
  • rememberViewModel - create or provide view model scoped(linked) to current screen
  • rememberSharedViewModel - create or provide view model scoped(linked) to current/provided NavController
  • rememberSaveableViewModel - create or provide saveable view model scoped(linked) to current/provided NavController , ViewModel should extend from TiamatViewModel and implements Saveable

You can create NavController using one of rememberNavController functions:

fun rememberNavController(
    //...
)

and display as part of any composable function

@Composable
fun Content() {
    val navController = rememberNavController( /*... */)
    Navigation(
        navController = navController,
        destinations = arrayOf(
            // ...
        ),
        modifier = Modifier.fillMaxSize()
    )
}

NavController will keep the screens data, view models, and states during navigation

[!IMPORTANT] The data may be cleared by system (eg: Android may clear memory)

public fun rememberNavController(
  ...
  saveable: Boolean? = null,
  ...
)

saveable property of remembered nav controller will indicate if we need to save/restore state or no

Extensions

You can attach an extension to any destination
There is 2 extension types: with and without content
The content-extension allows to process content before destination body and after by specifying type (Overlay, Underlay)
Here is simple tracker extension:


// define extension
class AnalyticsExt(private val name: String) : ContentExtension<Any?>() {

    @Composable
    override fun NavDestinationScope<out Any?>.Content() {
        val entry = navEntry()
        LaunchedEffect(Unit) {
            val service = ... // receive tracker
            service.trackScreen(screenName = name, destination = entry.destination.name)
        }
    }
}

// apply ext to screen
val SomeScreen by navDestination<Unit>(
    AnalyticsExt("SomeScreen")
) {
    // screen content
}

Storage mode

[!IMPORTANT] Only 'Savable' types of params & args will be available to use within saveable nav controllers

eg: Android - Parcelable + any bundlable primitives

Known limitations

[!IMPORTANT] Type checking has run into a recursive problem. Easiest workaround: specify types of your declarations explicitly ide error.

val SomeScreen1 by navDestination<Unit> {
  val navController = navController()
  Button(
      onClick = { navController.navigate(SomeScreen2) }, // << error here
      content = { Text("goScreen2") }
  )
}

val SomeScreen2 by navDestination<Unit> {
val navController = navController()
  Button(
      onClick = { navController.navigate(SomeScreen1) }, // << or here
      content = { Text("goScreen2") }
  )
}

Appears when it is circular initialization happen (Screen1 knows about Screen2 who knows about Screen1 ...)

Solution: just define types of root(any in chain) screens explicitly

val SomeScreen1: NavDestination<Unit> by navDestination {  /* ... */ }

[!IMPORTANT] Why is my system back button works wired with custom back handler?

While using custom back handler do not forget 2 rules 1) Always place NavBackHandler before Navigation 2) use Navigation(handleSystemBackEvent = false) flag to disable extra back handler

Samples

See the examples here

Or try them in browser (require WASM support) here

Hint

Multiplatform

I want to navigate through multiple nav steps in 1 call (e.g. handle deeplink)

// there is 2 common ideas behind handle complex navigation

//---- idea 1 -----
// create some data/param that will be passed via free args 
// each screen handle this arg and opens `next` screen

val DeeplinkScreen by navDestination<Unit> {
    val deeplink = freeArgs<DeeplinkData>() // take free args 

    val deeplinkNavController = rememberNavController(
        key = "deeplinkNavController",
        startDestination = ShopScreen
    ) {
        // handle deeplink and open next screen
        // passing eitthe same data or appropriate parts of it
        if (deeplink != null) {  
            editBackStack {
                clear()
                add(ShopScreen)
                add(CategoryScreen, deeplink.categoryId)
            }
            replace(
                dest = DetailScreen,
                navArgs = DetailParams(deeplink.productName, deeplink.productId),
                transition = navigationNone()
            )
            clearFreeArgs()
        }
    }

    Navigation(...)
}

//---- idea 2 -----
// use route-api

if (deeplink != null) {
    navController?.route {
        element(ShopScreen)
        element(CategoryScreen.toNavEntry(navArgs = deeplink.categoryId))
        element(DetailScreen.toNavEntry(navArgs = DetailParams(deeplink.productName, deeplink.productId)))
    }
    deepLinkController.clearDeepLink()
}

I use startDestination = null + LaunchEffect \ DisposableEffect to make start destination dynamic and see 1 frame of animation

    // LaunchEffect & DisposableEffect are executed on `next` frame, so you may see 1 frame of animation
    // to avoid this effect use `configuration` lambda within `rememberNavController` fun

    val deeplinkNavController = rememberNavController(
        key = "deeplinkNavController",
        startDestination = ShopScreen,
    ) { // executed right after being created or restored
        // we can do nav actions before 1st screen bing draw without seeing 1st frame
        if (deeplink != null) {
            editBackStack {
                clear()
                add(ShopScreen)
                add(CategoryScreen, deeplink.categoryId)
            }
            replace(
                dest = DetailScreen,
                navArgs = DetailParams(deeplink.productName, deeplink.productId),
                transition = navigationNone()
            )
            clearFreeArgs() // clear args not to process them again when back to this destination
        }
    }

How about 2-pane & custom layout?

    // Yep, there is 2-pane layout example. You can also create fully custom layout by using `scene` api

    val nc = rememberNavController(
        key = "nav controller",
        startDestination = SomeDest1,
    )
    // using scene api
    NavigationScene(
        navController = nc,
        destinations = arrayOf(
            SomeDest1,
            SomeDest2,
            SomeDest3,
        )
    ) {
        // place you destinations as you want ( !!!CAUTION!!! do not render same entry twice in a frame)
        AnimatedContent(
            targetState = nc.currentNavEntryAsState(),
            contentKey = { it?.contentKey() },
            transitionSpec = { navigationFadeInOut() }
        ) {
            // you can also draw an entries from backstack if you need (but be careful)
            EntryContent(it)
        }
    }

Desktop

Nothing specific (yet)

Android

Tiamat overrides LocalLifecycleOwner for each destination (android only) and compatible with lifecycle-aware components

See an example of camera usage: AndroidViewLifecycleScreen.kt

iOS

Nothing specific (yet)

Run/Build sample

Android: ./gradlew example:app:composeApp:assembleDebug

Desktop: ./gradlew example:app:composeApp:run

Web: ./gradlew example:app:composeApp:wasmJsBrowserDevelopmentRun

iOS: run XCode project or else use KMP plugin iOS target

other commands:

  • dumps public API: ./gradlew apiDump

  • check API changes: ./gradlew apiCheck

  • kover html report: ./gradlew :tiamat:koverHtmlReportJvm

Contributors

Thank you for your help! ❤️

License

Developed by ComposeGears 2025

Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at

   http://www.apache.org/licenses/LICENSE-2.0

Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
Apps
About Me
GitHub: Trinea
Facebook: Dev Tools