π» Landscapist is a highly optimized, pluggable Jetpack Compose and Kotlin Multiplatform image loading solution that fetches and displays network images with Glide, Coil, and Fresco. This library supports tracing image loading states, composing custom implementations, and some valuable animations, such as crossfades, blur transformation, and circular reveals. You can also configure and attach image-loading behaviors easily and fast with image plugins.
See official documentation for Landscapist
π Check out who's using Landscapist.
Landscapist hits +1,100,000 downloads every month around the globe!
Landscapist is built with a lot of consideration to improve the performance of image loadings in Jetpack Compose. Most composable functions of Landscapist are Restartable and Skippable, which indicates fairly improved recomposition performance according to the Compose compiler metrics. Also, the library performance was improved with Baseline Profiles and it supports many pluggable features, such as ImageOptions, listening image state changes, custom composables, preview on Android Studio, ImageComponent and ImagePlugin, placeholder, animations (circular reveal, crossfade), transformation (blur), palette, and zoomable.
For comprehensive information about Landscapist, please refer to the official documentation.
For more details of the history, performance, customizability, and how to load network images and implement placeholders, animations, and transformations with Landscapist, check out Optimized Image Loading for Compose and Kotlin Multiplatform.
You can see the use cases of this library in the repositories below:
- google/modernstorage: ModernStorage is a group of libraries that provide an abstraction layer over storage on Android to simplify its interactions.
- GetStream/WhatsApp-Clone-Compose: π± WhatsApp clone project demonstrates modern Android development built with Jetpack Compose and Stream Chat SDK for Compose.
- android/storage-samples: Multiple samples showing the best practices in storage APIs on Android.
- skydoves/DisneyCompose: π§Έ A demo Disney app using Jetpack Compose and Hilt based on modern Android tech-stacks and MVVM architecture.
- skydoves/MovieCompose: π A demo movie app using Jetpack Compose and Hilt based on modern Android tech stacks.
Landscapist now provides two foundational modules designed for Kotlin Multiplatform and Compose Multiplatform from the scratch, giving you full control over image loading across all platforms:
landscapist-core: A standalone, Kotlin Multiplatform image loading engine with built-in memory/disk caching, progressive loading, and network fetching via Ktor. Works on Android, iOS, Desktop, and Web without any UI dependencies.landscapist-image: A Compose Multiplatform image component built on top oflandscapist-corewith full plugin support. Seamlessly works across all Compose Multiplatform targets.
These modules are perfect if you want a lightweight, customizable image loader without depending on Glide, Coil, or Fresco, with first-class support for all Kotlin Multiplatform and Compose Multiplatform targets.
The landscapist-core module is a complete, Kotlin Multiplatform image loading solution that works standalone without any UI dependencies. It provides:
- Network image loading via Ktor HTTP client.
- Memory caching with LRU eviction and weak references.
- Disk caching with size limits and automatic cleanup.
- Progressive loading for better perceived performance.
- Priority-based scheduling for optimized resource usage.
- Kotlin Multiplatform support (Android, iOS, Desktop, Web).
- Image transformations and custom decoders.
- Event listeners for monitoring load states.
Landscapist Core is exceptionally lightweight compared to other image loading libraries, making it the ideal choice for SDK and library developers who need to minimize their dependency footprint.
AAR Size Comparison (Android Release Build):
| Library | AAR Size | vs Landscapist Core | Impact on APK |
|---|---|---|---|
| landscapist-core | ~145 KB | Baseline (Smallest) | Minimal |
| Glide | ~527 KB | +263% larger | Significant |
| Coil3 | ~312 KB | +115% larger | Moderate |
| Fresco | ~3.2 MB | +2,107% larger | Very High |
Performance (Android Release Build):
| Library | Avg Load Time | Memory Usage | Supports KMP |
|---|---|---|---|
| LandscapistImage | 1,245ms | 4,520KB | β |
| GlideImage | 1,312ms (+5%) | 5,124KB (+13%) | β |
| CoilImage | 1,389ms (+12%) | 4,876KB (+8%) | β |
| FrescoImage | 1,467ms (+18%) | 5,342KB (+18%) | β |
For detailed performance analysis and test methodology, see the Landscapist Core documentation.
Add the dependency below to your module's build.gradle file:
dependencies {
implementation("com.github.skydoves:landscapist-core:$version")
}For Kotlin Multiplatform, add to your module's build.gradle.kts:
sourceSets {
commonMain.dependencies {
implementation("com.github.skydoves:landscapist-core:$version")
}
}All platform-specific Ktor engines are included automatically based on your target platforms.
You can use landscapist-core as a standalone image loader for fetching and caching network images without any UI dependencies. This is useful for pre-loading images, implementing custom image components, or using images in non-Compose contexts.
This example demonstrates creating a Landscapist instance with custom cache sizes and loading an image from a URL. The result is delivered as a Flow, allowing you to handle loading, success, and failure states reactively.
import com.skydoves.landscapist.core.Landscapist
import com.skydoves.landscapist.core.LandscapistConfig
import com.skydoves.landscapist.core.ImageRequest
import kotlinx.coroutines.flow.collect
// Create a Landscapist instance (typically once in your app)
val landscapist = Landscapist.builder(context)
.config(
LandscapistConfig(
memoryCacheSize = 64 * 1024 * 1024L, // 64MB
diskCacheSize = 100 * 1024 * 1024L, // 100MB
)
)
.build()
// Load an image
lifecycleScope.launch {
val request = ImageRequest.builder()
.model("https://example.com/image.jpg")
.size(width = 800, height = 600)
.build()
landscapist.load(request).collect { result ->
when (result) {
is ImageResult.Loading -> {
// Show loading state
}
is ImageResult.Success -> {
val imageBitmap = result.data
// Use the loaded ImageBitmap
}
is ImageResult.Failure -> {
// Handle error
}
}
}
}For non-Android platforms (iOS, Desktop, Web), use the singleton instance which comes pre-configured with sensible defaults. This example shows a simple suspend function that loads an image and returns the ImageBitmap, suitable for use in shared Kotlin Multiplatform code.
import com.skydoves.landscapist.core.Landscapist
import com.skydoves.landscapist.core.ImageRequest
// Get the default instance (works on all platforms)
val landscapist = Landscapist.getInstance()
suspend fun loadImage(url: String): ImageBitmap? {
val request = ImageRequest.builder()
.model(url)
.build()
var bitmap: ImageBitmap? = null
landscapist.load(request).collect { result ->
if (result is ImageResult.Success) {
bitmap = result.data
}
}
return bitmap
}Customize the Landscapist instance with advanced options including network timeouts, memory optimizations, and event listeners. This example shows how to configure various aspects of the image loader to match your app's specific requirements.
val landscapist = Landscapist.builder(context)
.config(
LandscapistConfig(
// Memory cache
memoryCacheSize = 64 * 1024 * 1024L,
// Disk cache
diskCacheSize = 100 * 1024 * 1024L,
// Network settings
networkConfig = NetworkConfig(
connectTimeout = 10.seconds,
readTimeout = 30.seconds,
userAgent = "MyApp/1.0"
),
// Performance optimizations
allowRgb565 = true, // Use less memory for images without transparency
weakReferencesEnabled = true,
// Event listener
eventListenerFactory = EventListener.Factory { request ->
object : EventListener {
override fun onStart(request: ImageRequest) {
println("Started loading: ${request.model}")
}
override fun onSuccess(request: ImageRequest, result: ImageResult.Success) {
println("Loaded from: ${result.dataSource}")
}
}
}
)
)
.build()The landscapist-image module provides a Compose Multiplatform UI component built on top of landscapist-core. It integrates seamlessly with the Landscapist plugin ecosystem and works across all Compose Multiplatform targets (Android, iOS, Desktop, Web).
Add the dependency below to your module's build.gradle file:
dependencies {
implementation("com.github.skydoves:landscapist-image:$version")
}Note: This module depends on
landscapist-core, which includes Ktor client automatically. No need to add Ktor dependencies separately.
For Kotlin Multiplatform:
sourceSets {
commonMain.dependencies {
implementation("com.github.skydoves:landscapist-image:$version")
}
}Load images in Compose using LandscapistImage:
import com.skydoves.landscapist.image.LandscapistImage
import com.skydoves.landscapist.ImageOptions
LandscapistImage(
imageModel = { "https://example.com/image.jpg" },
modifier = Modifier.size(300.dp),
imageOptions = ImageOptions(
contentScale = ContentScale.Crop,
alignment = Alignment.Center
)
)LandscapistImage supports all Landscapist plugins:
import com.skydoves.landscapist.components.rememberImageComponent
import com.skydoves.landscapist.placeholder.shimmer.ShimmerPlugin
import com.skydoves.landscapist.animation.crossfade.CrossfadePlugin
import com.skydoves.landscapist.transformation.blur.BlurTransformationPlugin
LandscapistImage(
imageModel = { imageUrl },
modifier = Modifier.fillMaxWidth(),
component = rememberImageComponent {
+ShimmerPlugin(
baseColor = Color.Gray,
highlightColor = Color.LightGray
)
+CrossfadePlugin(duration = 550)
+BlurTransformationPlugin(radius = 10)
}
)Provide a custom Landscapist instance to your composition tree:
import com.skydoves.landscapist.core.Landscapist
import com.skydoves.landscapist.image.LocalLandscapist
import androidx.compose.runtime.CompositionLocalProvider
// Create custom instance
val customLandscapist = Landscapist.builder(context)
.config(
LandscapistConfig(
memoryCacheSize = 128 * 1024 * 1024L // 128MB
)
)
.build()
// Provide to composition
CompositionLocalProvider(LocalLandscapist provides customLandscapist) {
LandscapistImage(
imageModel = { imageUrl },
// Will use the custom instance
)
}Handle loading, success, and failure states:
LandscapistImage(
imageModel = { imageUrl },
loading = {
Box(modifier = Modifier.fillMaxSize()) {
CircularProgressIndicator(modifier = Modifier.align(Alignment.Center))
}
},
success = { state, painter ->
Image(
painter = painter,
contentDescription = "Loaded image"
)
},
failure = {
Text("Failed to load image")
}
)Monitor state changes with a callback:
var currentState by remember { mutableStateOf<LandscapistImageState>(LandscapistImageState.None) }
LandscapistImage(
imageModel = { imageUrl },
onImageStateChanged = { state ->
currentState = state
}
)
when (currentState) {
is LandscapistImageState.Loading -> { /* loading */ }
is LandscapistImageState.Success -> { /* success */ }
is LandscapistImageState.Failure -> { /* failure */ }
else -> { /* none */ }
}LandscapistImage supports various image sources including network URLs, local files, drawable resources, and more. See the Landscapist Image documentation for a complete list of supported image sources per platform.
Add the codes below to your root build.gradle file (not your module-level build.gradle file):
allprojects {
repositories {
mavenCentral()
}
}Next, add the dependency below to your module's build.gradle file:
dependencies {
implementation("com.github.skydoves:landscapist-glide:2.8.2")
}Note:
Landscapist-Glideincludes version4.16.0of Glide internally. So please make sure your project is using the same Glide version or exclude the Glide dependency to adapt yours. Also, please make sure the Jetpack Compose version on the release page.
You can load images simply by using GlideImage composable function as the following example below:
GlideImage(
imageModel = { imageUrl }, // loading a network image using an URL.
imageOptions = ImageOptions(
contentScale = ContentScale.Crop,
alignment = Alignment.Center
)
)π Read further for more details
You can customize your request-options with your own RequestOptions and TransitionOptions for applying caching strategies, loading transformations like below:
GlideImage(
imageModel = { imageUrl },
requestOptions = {
RequestOptions()
.override(256, 256)
.diskCacheStrategy(DiskCacheStrategy.ALL)
.centerCrop()
}
)You can request image with your own RequestBuilder, which is the backbone of the request in Glide and is responsible for bringing your options together with your requested url or model to start a new load.
GlideImage(
imageModel = { imageUrl },
requestBuilder = { Glide.with(LocalContext.current.applicationContext).asDrawable() },
modifier = Modifier.constrainAs(image) {
centerHorizontallyTo(parent)
top.linkTo(parent.top)
}.aspectRatio(0.8f)
)You can register your own RequestListener, which allows you to trace the status of a request while images load.
GlideImage(
imageModel = { imageUrl },
requestListener = object: RequestListener<Drawable> {
override fun onLoadFailed(
e: GlideException?,
model: Any?,
target: Target<Drawable>?,
isFirstResource: Boolean
): Boolean {
// do something
return false
}
override fun onResourceReady(
resource: Drawable?,
model: Any?,
target: Target<Drawable>?,
dataSource: DataSource?,
isFirstResource: Boolean
): Boolean {
// do something
return true
}
}
)You can pass the same instance of your RequestOptions down through the Composition in your composable hierarchy as following the example below:
val requestOptions = RequestOptions()
.override(300, 300)
.circleCrop()
CompositionLocalProvider(LocalGlideRequestOptions provides requestOptions) {
// Loads images with the custom `requestOptions` without explicit defines.
GlideImage(
imageModel = ...
)
}Add the dependency below to your module's build.gradle file:
dependencies {
implementation("com.github.skydoves:landscapist-coil:$version")
}If you're targeting on Kotlin Multiplatform, add the dependency below to your module's build.gradle.kts file:
sourceSets {
val commonMain by getting {
dependencies {
implementation("com.github.skydoves:landscapist-coil3:$version")
}
}
}The coil3-landscapist package functions identically to the coil-landscapist package, with the key distinction being its focus on Kotlin Multiplatform. This enables the use of Coil3 across various platforms, including Android, iOS, and Desktop (JVM), facilitating a unified image loading experience across different environments.
Note: Please make sure your project uses the same Jetpack Compose version on the release page.
You can load images by using the CoilImage composable function as the following example below:
CoilImage(
imageModel = { imageUrl }, // loading a network image or local resource using an URL.
imageOptions = ImageOptions(
contentScale = ContentScale.Crop,
alignment = Alignment.Center
)
)π Read further for more details
You can load images with your own ImageRequest and ImageLoader, which provides all the necessary information for loading images like caching strategies and transformations.
CoilImage(
imageRequest = {
ImageRequest.Builder(LocalContext.current)
.data(poster.poster)
.crossfade(true)
.build() },
imageLoader = {
ImageLoader.Builder(LocalContext.current)
.availableMemoryPercentage(0.25)
.crossfade(true)
.build() },
modifier = modifier,
)You can pass the same instance of your ImageLoader down through the Composition in your composable hierarchy as following the example below:
val imageLoader = ImageLoader.Builder(context).build()
CompositionLocalProvider(LocalCoilImageLoader provides imageLoader) {
// This will automatically use the value of current imageLoader in the hierarchy.
CoilImage(
imageModel = ...
)
}
You can load animated GIFs and WebP Images with your ImageLoader.
val context = LocalContext.current
val imageLoader = ImageLoader.Builder(context)
.components {
if (SDK_INT >= 28) {
add(ImageDecoderDecoder.Factory())
} else {
add(GifDecoder.Factory())
}
}
.build()
CoilImage(
imageModel = { poster.gif }, // URL of an animated image.
imageLoader = { imageLoader },
shimmerParams = ShimmerParams(
baseColor = background800,
highlightColor = shimmerHighLight
),
modifier = Modifier
.fillMaxWidth()
.padding(8.dp)
.height(500.dp)
.clip(RoundedCornerShape(8.dp))
)Add the dependency below to your module's build.gradle file:
dependencies {
implementation("com.github.skydoves:landscapist-fresco:$version")
}Note:
Landscapist-Frescoincludes version3.1.0of Fresco. So please make sure your project is using the same Fresco version or exclude the Fresco dependency to adapt yours. Also, please make sure the Jetpack Compose version on the release page.
To get started, you should set up Fresco with ImagePipelineConfig in your Application class. Generally, it's recommended initializing with OkHttpImagePipelineConfigFactory. Also, you can customize caching, networking, and thread pool strategies with your own ImagePipelineConfig. For more details, you can check out Using Other Network Layers.
class App : Application() {
override fun onCreate() {
super.onCreate()
val pipelineConfig =
OkHttpImagePipelineConfigFactory
.newBuilder(this, OkHttpClient.Builder().build())
.setDiskCacheEnabled(true)
.setDownsampleEnabled(true)
.setResizeAndRotateEnabledForNetwork(true)
.build()
Fresco.initialize(this, pipelineConfig)
}
}You can load images by using the FrescoImage composable function as the following example below:
FrescoImage(
imageUrl = stringImageUrl, // loading a network image using an URL.
imageOptions = ImageOptions(
contentScale = ContentScale.Crop,
alignment = Alignment.Center
)
)π Read further for more details
You can load images with your own ImageRequest, which provides some necessary information for loading images like decoding strategies and resizing.
val imageRequest = ImageRequestBuilder
.newBuilderWithSource(uri)
.setImageDecodeOptions(decodeOptions)
.setLocalThumbnailPreviewsEnabled(true)
.setLowestPermittedRequestLevel(RequestLevel.FULL_FETCH)
.setProgressiveRenderingEnabled(false)
.setResizeOptions(ResizeOptions(width, height))
.build()
FrescoImage(
imageUrl = stringImageUrl,
imageRequest = { imageRequest }
)You can pass the same instance of your imageRequestBuilder down through the Composition in your composable hierarchy as following the example below:
// customize the ImageRequest as needed
val imageRequestBuilder = ImageRequestBuilder
.newBuilderWithSource(uri)
.setImageDecodeOptions(decodeOptions)
.setLocalThumbnailPreviewsEnabled(true)
.setLowestPermittedRequestLevel(RequestLevel.FULL_FETCH)
.setProgressiveRenderingEnabled(false)
.setResizeOptions(ResizeOptions(width, height))
CompositionLocalProvider(LocalFrescoImageRequest provides imageRequestBuilder) {
// This will automatically use the value of current ImageRequest in the hierarchy.
FrescoImage(
imageUrl = ...
)
}
Add the below dependency to your module's build.gradle file.
dependencies {
implementation("com.github.skydoves:landscapist-fresco-websupport:$version")
}You can load animated GIFs and WebP Images with FrescoWebImage composable function. You should pass the AbstractDraweeController like the following example below:
FrescoWebImage(
controllerBuilder = {
Fresco.newDraweeControllerBuilder()
.setUri(poster.gif) // GIF or Webp image url.
.setAutoPlayAnimations(true)
},
modifier = Modifier
.fillMaxWidth()
.height(300.dp)
)For more details, check out DraweeController, and Supported URIs for setting URI addresses. Also, you can load general images (jpeg, png, etc) which can be loaded with FrescoImage by using FrescoWebImage and your custom controller.
You can give image options to your image composable functions by passing ImageOptions instance like the below:
GlideImage(
..
imageOptions = ImageOptions(
contentScale = ContentScale.Crop,
alignment = Alignment.Center,
contentDescription = "main image",
colorFilter = null,
alpha = 1f
)
)You can set the request size of your image by giving requestSize property as seen in the below:
GlideImage(
..
imageOptions = ImageOptions(requestSize = IntSize(800, 600)),
)You can listen the image state changes by giving onImageStateChanged parameter to your image composable functions like the below:
GlideImage(
..
onImageStateChanged = {
when (it) {
GlideImageState.None -> ..
GlideImageState.Loading -> ..
is GlideImageState.Success -> ..
is GlideImageState.Failure -> ..
}
}
)Note: You can use
CoilImageStateforCoilImageandFrescoImageStateforFrescoImage.
For the success state, you can trace the origin of the image with the DataSource parameter. DataSource represents the following source origins below:
- Memory: Represents an in-memory data source or cache (e.g. bitmap, ByteBuffer).
- Disk: Represents a disk-based data source (e.g. drawable resource, or File).
- Network: Represents a network-based data source.
- Unknown: Represents an unknown data source.
You can execute your own composable functions depending on the three request states below:
- loading: Executed while loading an image.
- success: Executed if loading an image successfully.
- failure: Executed if fails to load an image (e.g. network error, wrong destination).
GlideImage( // CoilImage, FrescoImage
imageModel = { imageUrl },
modifier = modifier,
// shows an indicator while loading an image.
loading = {
Box(modifier = Modifier.matchParentSize()) {
CircularProgressIndicator(
modifier = Modifier.align(Alignment.Center)
)
}
},
// shows an error text if fail to load an image.
failure = {
Text(text = "image request failed.")
}
)Also, you can customize the image content with our own composable function like the example below:
GlideImage( // CoilImage, FrescoImage
imageModel = { imageUrl },
success = { state, painter ->
Image(
painter = painter,
modifier = Modifier.size(128.dp), // draw a resized image.
contentDescription = "Image"
)
},
..
)Note: You can also use the custom Composables for
CoilImageandFrescoImage.
Landscapist supports preview mode for each image library; Glide, Coil, and Fresco. You can show the preview image on your editor with a previewPlaceholder parameter as following:
GlideImage(
imageModel = { imageUrl },
modifier = Modifier.aspectRatio(0.8f),
previewPlaceholder = painterResource(id = R.drawable.poster)
)Note: You can also use the the
previewPlaceholderparameter forCoilImageandFrescoImage.
You can compose supported image plugins by Landscapist or you can create your own image plugin that will be composed following the image loading state.
ImagePlugin is a pluggable compose interface that will be executed for loading images. ImagePlugin provides following types below:
- PainterPlugin: A pinter plugin interface to be composed with the given
Painter. - LoadingStatePlugin: A pluggable state plugin that will be composed while the state is
ImageLoadState.Loading. - SuccessStatePlugin: A pluggable state plugin that will be composed when the state is
ImageLoadState.Success. - FailureStatePlugin: A pluggable state plugin that will be composed when the state is
ImageLoadState.Failure.
For example, you can implement your own LoadingStatePlugin that will be composed while loading an image like the below:
data class LoadingPlugin(val source: Any?) : ImagePlugin.LoadingStatePlugin {
@Composable
override fun compose(
modifier: Modifier,
imageOptions: ImageOptions?
): ImagePlugin = apply {
if (source != null && imageOptions != null) {
ImageBySource(
source = source,
modifier = modifier,
alignment = imageOptions.alignment,
contentDescription = imageOptions.contentDescription,
contentScale = imageOptions.contentScale,
colorFilter = imageOptions.colorFilter,
alpha = imageOptions.alpha
)
}
}
}Next, you can compose plugins by adding them in the rememberImageComponent like the below:
GlideImage(
imageModel = { poster.image },
component = rememberImageComponent {
add(CircularRevealPlugin())
add(LoadingPlugin(source))
},
)or you can just add plugins by using the + expression like the below:
GlideImage(
imageModel = { poster.image },
component = rememberImageComponent {
+CircularRevealPlugin()
+LoadingPlugin(source)
},
)You can provide the same ImageComponent instance in the composable hierarchy by using imageComponent extension and LocalImageComponent like the below:
val component = imageComponent {
+CrossfadePlugin()
+PalettePlugin()
}
CompositionLocalProvider(LocalImageComponent provides component) {
..
}The landscapist-placeholder package provides useful image plugins, such as loading & failure placeholder supports and shimmering animation.
To use placeholder supports, add the dependency below:
dependencies {
implementation("com.github.skydoves:landscapist-placeholder:$version")
}You can implement a shimmering effect while loading an image by using the ShimmerPlugin as following the example below:
GlideImage( // CoilImage, FrescoImage
imageModel = { imageUrl },
modifier = modifier,
component = rememberImageComponent {
// shows a shimmering effect when loading an image.
+ShimmerPlugin(
Shimmer.Flash(
baseColor = Color.White,
highlightColor = Color.LightGray,
),
)
},
// shows an error text message when request failed.
failure = {
Text(text = "image request failed.")
}
)Note: You can also use the Shimmer effect for
CoilImageandFrescoImage.
Shimmer sealed class provides following the three different types: Resonate, Fade, and Flash.
| Resonate | Fade | Flash |
|---|---|---|
![]() |
![]() |
![]() |
You can show your own placeholder while loading an image or when fails to load an image with PlaceholderPlugin.Loading and PlaceholderPlugin.Failure.
GlideImage(
..
component = rememberImageComponent {
+PlaceholderPlugin.Loading(painterResource(id = R.drawable.placeholder_loading))
+PlaceholderPlugin.Failure(painterResource(id = R.drawable.placeholder_failure))
},
)Note: The source should be one of
ImageBitmap,ImageVector, orPainter.
Landscapist supports the thumbnail feature, which pre-loads and displays small sizes of images while loading the original image. So you can make users feel images loading faster and give images a nature loading effect while displaying an original image. To show thumbnail, add the image plugin into your image component like the example below:
GlideImage(
..,
component = rememberImageComponent {
+ThumbnailPlugin()
},
)You can also adjust the request sizes by giving the requestSize parameter:
component = rememberImageComponent {
+ThumbnailPlugin(IntSize(30 ,30))
},Note: It's highly recommended to use a small size of the request size on the thumbnail plugin to load the pre-load images process faster.
The landscapist-animation package provides useful image plugins related to animations, such as crossfade and circular reveal animation.
To use animation supports, add the dependency below:
dependencies {
implementation("com.github.skydoves:landscapist-animation:$version")
}| Circular Reveal | Crossfade |
|---|---|
![]() |
![]() |
You can implement the crossfade animation while drawing images with CrossfadePlugin as the following:
GlideImage(
imageModel = { poster.image },
component = rememberImageComponent {
+CrossfadePlugin(
duration = 550
)
}
)Note: You can also use the crossfade animation for
CoilImageandFrescoImage.
You can implement the circular reveal animation while drawing images with CircularRevealplugin as the following:
GlideImage(
imageModel = { poster.image },
component = rememberImageComponent {
+CircularRevealPlugin(
duration = 350
)
}
)Note: You can also use the Circular Reveal animation for
CoilImageandFrescoImage.
The landscapist-transformation package provides useful image transformation plugins, such as the blur effect.
To use transformation supports, add the dependency below:
dependencies {
implementation("com.github.skydoves:landscapist-transformation:$version")
}You can implement the blur effect with BlurTransformationPlugin as the following:
GlideImage( // CoilImage, FrescoImage also can be used.
imageModel = { poster.image },
component = rememberImageComponent {
+BlurTransformationPlugin(radius = 10) // between 0 to Int.MAX_VALUE.
}
)Note: Landscapist's blur transformation falls back onto a CPU-based implementation to support older API levels. So you don't need to worry about API compatibilities and performance issues.
The landscapist-palette package provides useful image plugins related to palette, such as extracting primary color sets.
To use palette supports, add the dependency below:
dependencies {
implementation("com.github.skydoves:landscapist-palette:$version")
}You can extract primary (theme) color profiles with PalettePlugin. You can check out Extract color profiles to see what kinds of colors can be extracted.
var palette by rememberPaletteState(null)
GlideImage( // CoilImage, FrescoImage also can be used.
imageModel = { poster.image },
component = rememberImageComponent {
+PalettePlugin { palette = it }
}
)
Crossfade(
targetState = palette,
modifier = Modifier
.padding(horizontal = 8.dp)
.size(45.dp)
) {
Box(
modifier = Modifier
.background(color = Color(it?.lightVibrantSwatch?.rgb ?: 0))
.fillMaxSize()
)
}Also, you can customize attributes of PalettePlugin like the example below:
var palette by remember { mutableStateOf<Palette?>(null) }
GlideImage( // CoilImage, FrescoImage also can be used.
imageModel = { poster.image },
component = rememberImageComponent {
+PalettePlugin(
imageModel = poster.image,
useCache = true, // use cache strategies for the same image model.
interceptor = {
it.addFilter { rgb, hsl ->
// here edit to add the filter colors.
false
}
},
paletteLoadedListener = {
palette = it
}
)
}
)Note: You can also use the Palette for
CoilImageandFrescoImage.
The landscapist-zoomable package provides a ZoomablePlugin that enables zoom and pan gestures for images. This plugin supports both Android and Kotlin Multiplatform (iOS, Desktop).
To use zoomable supports, add the dependency below:
dependencies {
implementation("com.github.skydoves:landscapist-zoomable:$version")
}You can implement zoom and pan gestures by adding ZoomablePlugin to your image component:
GlideImage( // CoilImage, FrescoImage also can be used.
imageModel = { poster.image },
component = rememberImageComponent {
+ZoomablePlugin()
}
)You can create and remember a ZoomableState with rememberZoomableState to customize the zoom behavior and access the current transformation state:
val zoomableState = rememberZoomableState(
config = ZoomableConfig(
minZoom = 30f, // Minimum zoom scale
maxZoom = 4f, // Maximum zoom scale
doubleTapZoom = 20f, // Zoom scale on double-tap
enableDoubleTapZoom = true,
)
)
GlideImage( // or CoilImage
imageModel = { poster.image },
component = rememberImageComponent {
+ZoomablePlugin(state = zoomableState)
}
)
// Access current zoom state
val currentScale = zoomableState.transformation.scale
val currentOffset = zoomableState.transformation.offsetFor very large images, Landscapist supports sub-sampling to efficiently display high-resolution images without running out of memory:
val zoomableState = rememberZoomableState(
config = ZoomableConfig(
enableSubSampling = true,
subSamplingConfig = SubSamplingConfig(
tileSize = 512.dp,
threshold = 2000.dp,
)
)
)
GlideImage( // or CoilImage
imageModel = { poster.image },
component = rememberImageComponent {
+ZoomablePlugin(state = zoomableState)
}
)Note: Sub-sampling is supported on Android (Glide, Coil3) and Kotlin Multiplatform (Coil3, targeting Android, iOS/macOS, and Destkop).
The landscapist Bill of Materials (BOM) lets you manage all of your landscapist library versions by specifying only the BOMβs version.
dependencies {
// Import the landscapist BOM
implementation("com.github.skydoves:landscapist-bom:$version")
// Import landscapist libraries
implementation("com.github.skydoves:landscapist-glide") // fresco or coil
implementation("com.github.skydoves:landscapist-placeholder")
implementation("com.github.skydoves:landscapist-palette")
implementation("com.github.skydoves:landscapist-transformation")
implementation("com.github.skydoves:landscapist-zoomable")
}Paparazzi allows you to take snapshot images of your Composable functions without running them on physical devices. You can take proper snapshots images about your images with Paparazzi like the below:
paparazzi.snapshot {
CompositionLocalProvider(LocalInspectionMode provides true) {
GlideImage(
modifier = Modifier.fillMaxSize(),
imageModel = { ".." },
previewPlaceholder = painterResource(R.drawable.placeholder)
)
}
}If your project uses Landscapist, please let me know by creating a new issue! π€
This library was mostly inspired by Accompanist.
Accompanist is a group of libraries that contains some utilities which I've found myself copying around projects which use Jetpack Compose. Currently, it contains image loading and insets. You can get more variety and recent systems from the library maintained by Google.
Support it by joining stargazers for this repository. β
Also follow me for my next creations! π€©
Designed and developed by 2020 skydoves (Jaewoong Eum)
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.


















