Compose Media Player is a video player library designed for Compose Multiplatform, supporting multiple platforms including Android, macOS, Windows, and Linux. It is the first fully functional multiplatform video player for Compose for Desktop that requires no additional software installations. The library leverages:
- GStreamer for Linux
- Media Foundation for Windows
- AVPlayer for macOS and iOS
- Media3 for Android
- HTML5 Player for WASMJS
Try the online demo here : π₯ Live Demo
- Multiplatform Support: Works seamlessly on Android, macOS, Windows, Linux and Compose Web (Wasm).
- File and URL Support: Play videos from local files or directly from URLs.
- Media Controls: Includes play, pause, loop toggle, volume control, playback speed, loop playback and timeline slider.
- Custom Video Player UI: Fully customizable using Compose Multiplatform, with support for custom overlays that display even in fullscreen mode.
- Audio Levels: Displays left and right audio levels in real time.
- Fullscreen Mode: Toggle between windowed and fullscreen playback modes.
- Error handling Simple error handling for network or playback issues.
Format | Windows | Linux | macOS & iOS | Android | WasmJS |
---|---|---|---|---|---|
Player | MediaFoundation | GStreamer | AVPlayer | Media 3 | HTML5 Video |
MP4 (H.264) | β | β | β | β | β |
AVI | β | β | β | β | β |
MKV | β | β | β | β | β |
MOV | β | β | β | β | β |
FLV | β | β | β | β | β |
WEBM | β | β | β | β | β |
WMV | β | β | β | β | β |
3GP | β | β | β | β | β |
To add Compose Media Player to your project, include the following dependency in your build.gradle.kts
Β file:
dependencies {
implementation("io.github.kdroidfilter:composemediaplayer:0.7.1")
}
Before using Compose Media Player, you need to create a state for the video player using the rememberVideoPlayerState
function:
val playerState = rememberVideoPlayerState()
After initializing the player state, you can display the surface of the video using VideoPlayerSurface
:
// Video Surface
Box(
modifier = Modifier.weight(1f).fillMaxWidth(),
contentAlignment = Alignment.Center
) {
VideoPlayerSurface(
playerState = playerState,
modifier = Modifier.fillMaxSize()
)
}
Warning
Content scaling support is experimental. The behavior may vary across different platforms.
You can control how the video content is scaled inside the surface using the contentScale
parameter:
VideoPlayerSurface(
playerState = playerState,
modifier = Modifier.fillMaxSize(),
contentScale = ContentScale.Crop // Default is ContentScale.Fit
)
Available content scale options:
ContentScale.Fit
(default): Scales the video to fit within the surface while maintaining aspect ratioContentScale.Crop
: Scales the video to fill the surface while maintaining aspect ratio, potentially cropping partsContentScale.FillBounds
: Stretches the video to fill the surface, may distort the aspect ratioContentScale.Inside
: Similar to Fit, but won't scale up if the video is smaller than the surfaceContentScale.None
: No scaling applied
You can add a custom overlay UI that will always be visible, even in fullscreen mode, by using the overlay
parameter:
VideoPlayerSurface(
playerState = playerState,
modifier = Modifier.fillMaxSize()) {
// This overlay will always be visible
Box(modifier = Modifier.fillMaxSize()) {
// You can customize the UI based on fullscreen state
if (playerState.isFullscreen) {
// Fullscreen UI
IconButton(
onClick = { playerState.toggleFullscreen() },
modifier = Modifier.align(Alignment.TopEnd).padding(16.dp)
) {
Icon(
imageVector = Icons.Default.FullscreenExit,
contentDescription = "Exit Fullscreen",
tint = Color.White
)
}
} else {
// Regular UI
Row(
modifier = Modifier
.align(Alignment.BottomCenter)
.fillMaxWidth()
.background(Color.Black.copy(alpha = 0.5f))
.padding(8.dp),
horizontalArrangement = Arrangement.SpaceBetween
) {
// Your custom controls here
IconButton(onClick = {
if (playerState.isPlaying) playerState.pause() else playerState.play()
}) {
Icon(
imageVector = if (playerState.isPlaying)
Icons.Default.Pause else Icons.Default.PlayArrow,
contentDescription = "Play/Pause",
tint = Color.White
)
}
}
}
}
}
You can play a video by providing a direct URL:
playerState.openUri("http://example.com/video.mp4")
To play a local video file you can use PlatformFile from FileKit.
val file = FileKit.openFilePicker(type = FileKitType.Video)
file?.let { playerState.openFile(file) }
Check the sample project for a complete example.
- Play and Pause:
You can detect the current playback state via playerState.isPlaying
and configure a Play/Pause button as follows:
Button(onClick = {
if (playerState.isPlaying) {
playerState.pause()
println("Playback paused")
} else {
playerState.play()
println("Playback started")
}
}) {
Text(if (playerState.isPlaying) "Pause" else "Play")
}
- Stop:
playerState.stop()
println("Playback stopped")
- Volume:
playerState.volume = 0.5f // Set volume to 50%
println("Volume set to 50%")
- Loop Playback:
playerState.loop = true // Enable loop playback
println("Loop playback enabled")
- Playback Speed:
playerState.playbackSpeed = 1.5f // Set playback speed to 1.5x
println("Playback speed set to 1.5x")
You can adjust the playback speed between 0.5x (slower) and 2.0x (faster). The default value is 1.0x (normal speed).
To display and control playback progress:
Slider(
value = playerState.sliderPos,
onValueChange = {
playerState.sliderPos = it
playerState.userDragging = true
println("Position changed: $it")
},
onValueChangeFinished = {
playerState.userDragging = false
playerState.seekTo(playerState.sliderPos)
println("Position finalized: ${playerState.sliderPos}")
},
valueRange = 0f..1000f
)
To display audio levels:
println("Left level: ${playerState.leftLevel.toInt()}%, Right level: ${playerState.rightLevel.toInt()}%")
Important
This feature is not working on iOS.
In case of an error, you can display it using println
:
playerState.error?.let { error ->
println("Error detected: ${error.message}")
playerState.clearError()
}
To detect if the video is buffering:
if (playerState.isLoading) {
CircularProgressIndicator()
}
Compose Media Player supports adding subtitles from both URLs and local files. Subtitles are now rendered using Compose, providing a uniform appearance across all platforms.
The player supports both SRT and VTT subtitle formats with automatic format detection.
You can add subtitles by specifying a URL:
val track = SubtitleTrack(
label = "English Subtitles",
language = "en",
src = "https://example.com/subtitles.vtt" // Works with both .srt and .vtt files
)
playerState.selectSubtitleTrack(track)
You can customize the appearance of subtitles using the following properties:
// Customize subtitle text style
playerState.subtitleTextStyle = TextStyle(
color = Color.White,
fontSize = 20.sp,
fontWeight = FontWeight.Bold,
textAlign = TextAlign.Center
)
// Customize subtitle background color
playerState.subtitleBackgroundColor = Color.Black.copy(alpha = 0.7f)
To disable subtitles:
playerState.disableSubtitles()
Warning
Fullscreen support is experimental. The behavior may vary across different platforms.
You can toggle between windowed and fullscreen modes using the toggleFullscreen()
method:
// Toggle fullscreen mode
playerState.toggleFullscreen()
// Check current fullscreen state
if (playerState.isFullscreen) {
println("Player is in fullscreen mode")
} else {
println("Player is in windowed mode")
}
The player doesn't display any UI by default in fullscreen mode - you need to create your own custom UI using the overlay
parameter of VideoPlayerSurface
. The overlay will be displayed even in fullscreen mode, and you can customize it based on the fullscreen state:
VideoPlayerSurface(
playerState = playerState,
modifier = Modifier.fillMaxSize(),
overlay = {
Box(modifier = Modifier.fillMaxSize()) {
// Customize UI based on fullscreen state
if (playerState.isFullscreen) {
// Fullscreen UI
// ...
} else {
// Regular UI
// ...
}
}
}
)
See the "Custom Overlay UI" section under "Displaying the Video Surface" for a complete example.
Warning
Metadata support is experimental. There may be inconsistencies between platforms, and on WASM it's currently limited to width and height only.
The player can extract the following metadata:
- Title
- Duration (in milliseconds)
- Video resolution (width and height)
- Bitrate (in bits per second)
- Frame rate
- MIME type
- Audio channels
- Audio sample rate
You can access video metadata through the metadata
property of the player state:
// Access metadata after loading a video
playerState.openUri("http://example.com/video.mp4")
// Display metadata information
val metadata = playerState.metadata
println("Video Metadata:")
metadata.title?.let { println("Title: $it") }
metadata.duration?.let { println("Duration: ${it}ms") }
metadata.width?.let { width ->
metadata.height?.let { height ->
println("Resolution: ${width}x${height}")
}
}
metadata.bitrate?.let { println("Bitrate: ${it}bps") }
metadata.frameRate?.let { println("Frame Rate: ${it}fps") }
metadata.mimeType?.let { println("MIME Type: $it") }
metadata.audioChannels?.let { println("Audio Channels: $it") }
metadata.audioSampleRate?.let { println("Audio Sample Rate: ${it}Hz") }
Here is a minimal example of how to integrate the Compose Media Player into your Compose application with a hardcoded URL:
@Composable
fun App() {
val playerState = rememberVideoPlayerState()
MaterialTheme {
Column(modifier = Modifier.fillMaxSize().padding(8.dp)) {
// Video Surface
Box(
modifier = Modifier.weight(1f).fillMaxWidth(),
contentAlignment = Alignment.Center
) {
VideoPlayerSurface(
playerState = playerState,
modifier = Modifier.fillMaxSize()
)
}
Spacer(modifier = Modifier.height(8.dp))
// Playback Controls
Row(horizontalArrangement = Arrangement.SpaceBetween, modifier = Modifier.fillMaxWidth()) {
Button(onClick = { playerState.play() }) { Text("Play") }
Button(onClick = { playerState.pause() }) { Text("Pause") }
}
Spacer(modifier = Modifier.height(8.dp))
// Open Video URL
Button(
onClick = {
val url = "http://commondatastorage.googleapis.com/gtv-videos-bucket/sample/BigBuckBunny.mp4"
playerState.openUri(url)
}
) {
Text("Open Video")
}
Spacer(modifier = Modifier.height(8.dp))
// Volume Control
Text("Volume: ${(playerState.volume * 100).toInt()}%")
Slider(
value = playerState.volume,
onValueChange = { playerState.volume = it },
valueRange = 0f..1f
)
}
}
}
Compose Media Player is licensed under the MIT License. See LICENSE for details.
- Audio Player: Introduce a standalone audio player for handling audio-only content.
- Player with Separate Audio and Video Streams: Add functionality to support different audio and video streams for advanced playback scenarios.