Compose Native Tray is a modern Kotlin library for creating applications with system tray icons, offering native support for Linux, Windows, and macOS. It uses an intuitive Kotlin DSL syntax and fixes issues with the standard Compose for Desktop solution.
- Cross-platform support for Linux, Windows, and macOS.
- DSL-style syntax to define tray menus with ease.
- Supports standard items, submenus, dividers, and checkable items.
- Ability to enable/disable menu items dynamically.
- Corrects issues with the Compose for Desktop tray, particularly HDPI support on Windows and Linux.
- Improves the appearance of the tray on Linux, which previously resembled Windows 95.
- Adds support for checkable items, dividers, and submenus, including nested submenus.
- Supports primary action for Windows, macOS, and Linux.
- On Windows and macOS, the primary action is triggered by a left-click on the tray icon.
- On Linux, on GNOME the primary action is triggered by a double left-click on the tray icon, while on the majority of other environments, primarily KDE Plasma, it is triggered by a single left-click, similar to Windows and macOS.
- Single Instance Management: Ensures that only one instance of the application can run at a time and allows restoring focus to the running instance when another instance is attempted.
- Tray Position Detection: Allows determining the position of the system tray, which helps in positioning related windows appropriately.
- Compose Recomposition Support: The tray supports Compose recomposition, making it possible to dynamically show or hide the tray icon, for example:
- π Introduction
- π― Why Compose Native Tray?
- πΈ Preview
- β‘ Installation
- π Quick Start
- π Usage Guide
- π§ Advanced Features
β οΈ Platform-Specific Notes- π§ͺ TrayApp (Experimental)
- π License
- π€ Contribution
- π¨βπ» Author
This library was created to solve several limitations of the standard Compose for Desktop solution:
- β Improved HDPI support on Windows and Linux
- β Modern appearance on Linux (no more Windows 95 look!)
- β Extended features: checkable items, nested submenus, separators
- β Native primary action: left-click on Windows/macOS, single-click (KDE) or double-click (GNOME) on Linux
- β Full Compose recomposition support: fully reactive icon and menu, allowing dynamic updates of items, their states, and visibility
![]() Windows |
![]() macOS |
![]() Ubuntu GNOME |
![]() Ubuntu KDE |
Add the dependency to your build.gradle.kts
:
dependencies {
implementation("io.github.kdroidfilter:composenativetray:<version>")
}
Minimal example to create a system tray icon with menu:
application {
Tray(
icon = Icons.Default.Favorite,
tooltip = "My Application"
) {
Item(label = "Settings") {
println("Settings opened")
}
Divider()
Item(label = "Exit") {
exitProcess(0)
}
}
}
π‘ Recommendation: It is highly recommended to check out the demo examples in the project's
demo
directory. These examples showcase various implementation patterns and features that will help you better understand how to use the library effectively.
Tray(
icon = Icons.Default.Favorite,
tint = null, // Optional: if null, the tint automatically adapts (white in dark mode, black in light mode) according to the isMenuBarInDarkMode() API
tooltip = "My Application"
) { /* menu */ }
Tray(
icon = painterResource(Res.drawable.myIcon),
tooltip = "My Application"
) { /* menu */ }
Tray(
iconContent = {
Canvas(modifier = Modifier.fillMaxSize()) { // Important to use fillMaxSize()!
// A simple red circle as an icon
drawCircle(
color = Color.Red,
radius = size.minDimension / 2,
center = center
)
}
},
tooltip = "My Application"
) { /* menu */ }
β οΈ Important: Always useModifier.fillMaxSize()
withiconContent
for proper icon rendering.
This approach allows respecting the design conventions of each platform:
- Windows: Traditionally uses colored icons in the system tray
- macOS/Linux: Prefer monochrome icons that automatically adapt to the theme
val windowsIcon = painterResource(Res.drawable.myIcon)
val macLinuxIcon = Icons.Default.Favorite
Tray(
windowsIcon = windowsIcon, // Windows: full colored icon
macLinuxIcon = macLinuxIcon, // macOS/Linux: adaptive icon
tooltip = "My Application"
) { /* menu */ }
π‘ Note: If no tint is specified, ImageVectors are automatically tinted white (dark mode) or black (light mode) based on the theme.
Define an action for clicking on the icon. The behavior varies by platform:
- Windows/macOS: Left-click on the icon (native implementation for macOS)
- Linux: Single-click on KDE or double-click on GNOME (implementation via DBus)
Tray(
icon = Icons.Default.Favorite,
tooltip = "My Application",
primaryAction = {
println("Icon clicked!")
// Open a window, display a menu, etc.
}
) { /* menu */ }
Important note: It's not mandatory to create a context menu. You can use only an icon in the tray with a primary action (left-click) to restore your application, as shown in the
DemoWithoutContextMenu.kt
example. This minimalist approach is perfect for simple applications that only need a restore function.
The menu uses an intuitive DSL syntax with several types of elements:
Tray(/* configuration */) {
// Simple item with icon
Item(label = "Open", icon = Icons.Default.OpenInNew) {
// Click action
}
// Item with custom icon via iconContent
Item(
label = "Custom",
iconContent = {
Icon(
Icons.Default.Star,
contentDescription = null,
tint = Color.Yellow,
modifier = Modifier.fillMaxSize() // Important!
)
}
) { }
// Checkable item
CheckableItem(
label = "Dark Mode",
icon = Icons.Default.DarkMode,
checked = isDarkMode,
onCheckedChange = { isDarkMode = it }
)
// Submenu
SubMenu(label = "Options", icon = Icons.Default.Settings) {
Item(label = "Option 1") { }
Item(label = "Option 2") { }
// Nested submenus supported!
SubMenu(label = "Advanced") {
Item(label = "Advanced Option") { }
}
}
// Visual separator
Divider()
// Disabled item - the isEnabled property controls whether the item can be clicked
Item(label = "Version 1.0.0", isEnabled = false)
// Enabled item (isEnabled is true by default)
Item(label = "Help", isEnabled = true) {
// This action will be executed when clicked
}
// Exit properly
Item(label = "Exit") {
dispose() // Removes the system tray icon
exitProcess(0)
}
}
When using painterResource
with menu items, declare it in the composable context:
application {
val advancedIcon = painterResource(Res.drawable.advanced) // β
Correct
Tray(/* config */) {
SubMenu(
label = "Advanced",
icon = advancedIcon // Use the variable
) { /* items */ }
}
}
The library supports Compose recomposition for all aspects of the system menu:
// Example 1: Dynamic display/hiding of the icon
var isWindowVisible by remember { mutableStateOf(true) }
// The icon only appears when the window is hidden
if (!isWindowVisible) {
Tray(
icon = Icons.Default.Favorite,
tooltip = "Click to restore"
) {
Item(label = "Restore") {
isWindowVisible = true
}
}
}
// Example 2: Fully reactive menu
application {
var darkMode by remember { mutableStateOf(false) }
var showAdvancedOptions by remember { mutableStateOf(false) }
var notificationsEnabled by remember { mutableStateOf(true) }
var isConfigAvailable by remember { mutableStateOf(false) }
Tray(
// The icon changes based on the mode
icon = if (darkMode) Icons.Default.DarkMode else Icons.Default.LightMode,
tooltip = "My Application"
) {
// Item with reactive label and icon
Item(
label = if (darkMode) "Switch to Light Mode" else "Switch to Dark Mode",
icon = if (darkMode) Icons.Default.LightMode else Icons.Default.DarkMode
) {
darkMode = !darkMode
}
// Reactive checkable item
CheckableItem(
label = "Notifications",
checked = notificationsEnabled,
onCheckedChange = { notificationsEnabled = it }
)
// Conditional display of items
if (showAdvancedOptions) {
Divider()
SubMenu(label = "Advanced Options") {
// Item with dynamically changing isEnabled property
Item(
label = "Configuration",
isEnabled = isConfigAvailable
) { /* action */ }
// This item enables the Configuration option when clicked
Item(label = "Check Configuration Availability") {
isConfigAvailable = true
}
Item(label = "Diagnostics") { /* action */ }
}
}
Divider()
// Visibility control
Item(
label = if (showAdvancedOptions) "Hide Advanced Options" else "Show Advanced Options"
) {
showAdvancedOptions = !showAdvancedOptions
}
}
}
All menu properties (icon, labels, states, item visibility) are reactive and update automatically when application states change, without requiring manual recreation of the menu.
Prevent multiple instances of your application:
The single instance manager combined with the primary action (left-click) is particularly useful for restoring a minimized application in the tray rather than opening a new instance. This improves the user experience by:
- Avoiding resource duplication and confusion with multiple windows
- Preserving the current state of the application during restoration
- Offering behavior similar to native system applications
Implementation example with SingleInstanceManager
:
var isWindowVisible by remember { mutableStateOf(true) }
val isSingleInstance = SingleInstanceManager.isSingleInstance(
onRestoreRequest = {
isWindowVisible = true // Restore the existing window
}
)
if (!isSingleInstance) {
exitApplication()
return@application
}
In some cases, you may want to pass some data to the main instance, e.g. pass a deeplink,
that new instance got in the arguments of the main
function from OS.
For this purpose you can use optional onRestoreFileCreated
handler to write required data to the special file,
that will be later accessible to read in the onRestoreRequest
handler of the main instance.
Both handlers have the Path
as a receiver, so you can do any read/write operations on it.
SingleInstanceManager.isSingleInstance(
onRestoreFileCreated = {
args.firstOrNull()?.let(::writeText)
},
onRestoreRequest = {
log("Restored with arg: '${readText()}'")
// restore window/etc.
}
)
For finer control, configure the SingleInstanceManager
:
SingleInstanceManager.configuration = Configuration(
lockFilesDir = Paths.get("path/to/your/app/data/dir/single_instance_manager"),
appIdentifier = "app_id"
)
This allows limiting the scope of the single instance to a specific directory or identifying different versions of your application.
Precisely position your windows relative to the system tray icon:
val windowWidth = 800
val windowHeight = 600
val windowPosition = getTrayWindowPosition(windowWidth, windowHeight)
Window(
state = rememberWindowState(
width = windowWidth.dp,
height = windowHeight.dp,
position = windowPosition
)
) { /* content */ }
Implementation Details:
- Windows: Uses the Windows native API to get the exact position
- macOS: Uses the Cocoa API for the position in the menu bar
- Linux: Captures coordinates when clicking on the icon
The window is automatically horizontally centered on the icon and vertically positioned based on whether the system tray is at the top or bottom of the screen.
Automatically adapt your icons to the theme:
val isMenuBarDark = isMenuBarInDarkMode()
Tray(
iconContent = {
Icon(
Icons.Default.Favorite,
contentDescription = "",
tint = if (isMenuBarDark) Color.White else Color.Black,
modifier = Modifier.fillMaxSize()
)
},
tooltip = "My Application"
) { /* menu */ }
Platform Behavior:
- macOS: The menu bar depends on the wallpaper, not the system theme
- Windows: Follows the system theme
- Linux: GNOME/XFCE/CINNAMON/MATE always dark, KDE follows the theme
π‘ macOS Note: The system tray icon follows the menu bar color (based on the wallpaper), but the menu item icons follow the system theme.
Two options for customizing rendering:
// Option 1: Optimized for the current OS
Tray(
icon = Icons.Default.Favorite,
iconRenderProperties = IconRenderProperties.forCurrentOperatingSystem(
sceneWidth = 192, // Compose scene width
sceneHeight = 192, // Compose scene height
density = Density(2f) // Rendering density
)
) { /* menu */ }
// Option 2: Without forced scaling
Tray(
icon = Icons.Default.Favorite,
iconRenderProperties = IconRenderProperties.withoutScalingAndAliasing(
sceneWidth = 192,
sceneHeight = 192,
density = Density(2f)
)
) { /* menu */ }
By default, icons are optimized by OS: 32x32px (Windows), 44x44px (macOS), 24x24px (Linux).
- GNOME: Icons don't display in submenus
- Windows: Checkable items with icons don't display the check indicator
- macOS: The menu bar color depends on the wallpaper, not the system theme
- Windows: Follows the system theme
- Linux: Varies by desktop environment (GNOME/KDE/etc.)
TrayApp is a high-level API that creates a system tray icon and an undecorated popup window that toggles when the tray icon is clicked. The popup auto-hides when it loses focus or when you click outside it (macOS/Linux watchers supported) and can fade in/out.
Use TrayApp when you want a compact companion window (like a quick settings or mini dashboard) anchored to the system tray, in addition to or instead of your main window β ideal for building apps in the style of JetBrains Toolbox.
- icon / windowsIcon / macLinuxIcon / iconContent: the tray icon source.
- tint: optional tint (macOS/Linux ImageVector convenience).
- tooltip: text shown on hover.
- windowSize: popup size (default 300x200dp).
- visibleOnStart: if true, shows the popup shortly after startup with OS-specific handling. On Linux, this is not recommended because there is no system API to retrieve the tray position; the library records the position from the first user click, so on the first launch the popup position will be approximate. After that, the position is saved and persists even after a cold boot.
- menu: optional tray context menu (see Tray menu DSL).
- content: the composable content of the popup window.
@OptIn(ExperimentalTrayAppApi::class)
application {
TrayApp(
icon = Icons.Default.Book,
tooltip = "My App",
windowSize = DpSize(300.dp, 500.dp),
visibleOnStart = true,
menu = {
Item("Open") { /* ... */ }
Divider()
Item("Quit") { exitApplication() }
}
) {
// Popup content
MaterialTheme { /* ... */ }
}
}
See full demo: demo/src/jvmMain/kotlin/com/kdroid/composetray/demo/TrayAppDemo.kt
This library is licensed under the MIT License. The Linux module uses Apache 2.0
Contributions are welcome! Feel free to:
- Report bugs via issues
- Propose new features
- Submit pull requests
- Share your projects using this library
Developed and maintained by Elie Gambache with the goal of providing a modern, cross-platform solution for system tray icons in Kotlin.