Implementing Hilt in a Kotlin Android Jetpack Compose Project with MVVM Architecture

 In modern Android development, maintaining a scalable codebase can be challenging, especially when it comes to dependency management. Hilt, which is built on top of Dagger, is a powerful dependency injection library that helps streamline dependency management. In this article, we'll explore how to implement Hilt in a Kotlin Android project using Jetpack Compose and the MVVM (Model-View-ViewModel) architecture.

This guide will cover all the necessary steps—setting up Hilt, integrating it into MVVM, and using it to manage dependencies seamlessly throughout your app. Let's dive in!



Step 1: Add Dependencies

First, we need to add the necessary Hilt dependencies to our project.

In your project-level build.gradle file, include the Hilt Gradle plugin:

buildscript {
    dependencies {
        classpath 'com.google.dagger:hilt-android-gradle-plugin:2.x.x' // Replace with the latest version
    }
}

In your app-level build.gradle, add the following dependencies:

plugins {
    id 'com.android.application'
    id 'org.jetbrains.kotlin.android'
    id 'dagger.hilt.android.plugin' // Add this
}

android {
    ...
}

dependencies {
    // Hilt dependencies
    implementation "com.google.dagger:hilt-android:2.x.x" // Replace with the latest version
    kapt "com.google.dagger:hilt-android-compiler:2.x.x"

    // ViewModel for Jetpack Compose
    implementation "androidx.hilt:hilt-lifecycle-viewmodel:1.x.x" // Latest Hilt ViewModel support
    kapt "androidx.hilt:hilt-compiler:1.x.x"
    
    // Other dependencies like lifecycle, Jetpack Compose, etc.
    implementation "androidx.lifecycle:lifecycle-viewmodel-ktx:2.x.x"
    implementation "androidx.activity:activity-compose:1.x.x"
}

Step 2: Apply the Hilt Plugin

To use Hilt in your project, you need to apply the Hilt plugin in your app-level build.gradle file:

apply plugin: 'dagger.hilt.android.plugin'

Step 3: Initialize Hilt in the Application Class

Next, create an application class and annotate it with @HiltAndroidApp. This annotation will allow Hilt to manage dependency injection at the application level:

@HiltAndroidApp
class MyApp : Application() {
    // This will allow Hilt to perform dependency injection
}

Be sure to declare this application class in your AndroidManifest.xml:

<application
    android:name=".MyApp"
    ...>
    ...
</application>

Step 4: Create the ViewModel and Repository

With MVVM architecture, the Repository is responsible for handling data operations, while the ViewModel serves as an intermediate layer between the UI and the repository.

Repository Example:

class MyRepository @Inject constructor(
    private val apiService: ApiService // Injecting the service to fetch data from API
) {
    fun fetchData(): Flow<Data> {
        // Example repository function
        return apiService.getData()
    }
}

Annotate your ViewModel with @HiltViewModel so Hilt can manage its dependencies:

@HiltViewModel
class MyViewModel @Inject constructor(
    private val repository: MyRepository
) : ViewModel() {

    private val _data = MutableStateFlow<Data?>(null)
    val data: StateFlow<Data?> = _data

    init {
        viewModelScope.launch {
            repository.fetchData().collect {
                _data.value = it
            }
        }
    }
}

Step 5: Provide Dependencies Using Hilt Modules

You need to create a Hilt module to provide dependencies like Retrofit or any other services you use in your project.

@Module
@InstallIn(SingletonComponent::class)
object AppModule {

    @Provides
    @Singleton
    fun provideRetrofit(): Retrofit {
        return Retrofit.Builder()
            .baseUrl("https://api.example.com/")
            .addConverterFactory(GsonConverterFactory.create())
            .build()
    }

    @Provides
    @Singleton
    fun provideApiService(retrofit: Retrofit): ApiService {
        return retrofit.create(ApiService::class.java)
    }
}

This module provides the necessary dependencies for Retrofit and ApiService, allowing them to be injected into other parts of your app.

Step 6: Use ViewModel in Composables

To use your ViewModel in a Jetpack Compose screen, you can inject the ViewModel via Hilt using the hiltViewModel() function:

@Composable
fun MyScreen(
    viewModel: MyViewModel = hiltViewModel() // Injecting ViewModel
) {
    val data by viewModel.data.collectAsState()

    Column(modifier = Modifier.fillMaxSize()) {
        Text(text = data?.toString() ?: "Loading...")
    }
}

Step 7: MainActivity Setup

Finally, annotate your MainActivity with @AndroidEntryPoint to let Hilt know that this activity needs dependency injection:

@AndroidEntryPoint
class MainActivity : ComponentActivity() {
    override fun onCreate(savedInstanceState: Bundle?) {
        super.onCreate(savedInstanceState)
        setContent {
            MyScreen()
        }
    }
}

Summary of Components

  1. Dependencies: Add Hilt and related dependencies in your build.gradle file.

  2. Application Class: Annotate your application class with @HiltAndroidApp.

  3. ViewModel: Annotate with @HiltViewModel and inject the repository.

  4. Repository: Handle your data operations and use constructor injection.

  5. Hilt Module: Use @Module and @Provides to provide dependencies (e.g., Retrofit).

  6. MainActivity and Composables: Use @AndroidEntryPoint and hiltViewModel() to inject dependencies.

Conclusion

Using Hilt for dependency injection in a Kotlin Android Jetpack Compose project with MVVM architecture significantly improves code readability and scalability. Hilt makes it easy to manage dependencies, especially in projects that grow complex over time, by providing seamless injections and simplifying boilerplate setup. Following the steps outlined in this article will help you integrate Hilt into your project effectively, ensuring clean and maintainable architecture.

Ready to start building your next Android project using Hilt and Jetpack Compose? Dive in and simplify your dependency management now!

#Kotlin #Code4Kotlin

Kotlin Extension Functions: Unlocking the Power of Clean and Concise Code

 Kotlin, a modern programming language developed by JetBrains, has gained immense popularity for its concise syntax, type safety, and seamless interoperability with Java. One of the most powerful features in Kotlin is extension functions, which allow developers to extend the functionality of existing classes without modifying their source code. This article will dive into Kotlin extensions, providing examples and exploring their benefits, helping you understand why extensions can be a game-changer in your development process.



What Are Extension Functions?

In simple terms, extension functions are functions that allow you to add new methods to existing classes. Kotlin extensions give you the ability to add new behaviors or utilities without having to inherit from or modify the existing class. They let you add methods to classes like String, List, or even custom classes, enhancing their capabilities without touching the original implementation.

The best part about Kotlin extensions is that they maintain a natural and intuitive syntax that looks as if the methods were originally part of the class.

How to Define an Extension Function

An extension function is declared with the fun keyword, followed by the type (class) you want to extend, a dot (.), and then the name of the function you want to add. Here is the basic syntax:

fun ClassName.newFunctionName() {
    // Function body
}

Let’s see some examples to better understand how extension functions work.

Example 1: String Extension

Consider the scenario where you want to determine if a string is a palindrome (a word that reads the same forward and backward). Instead of writing a utility method outside the String class, you can define it as an extension function.

// Defining an extension function for the String class
fun String.isPalindrome(): Boolean {
    val original = this.replace("\s".toRegex(), "").lowercase()
    val reversed = original.reversed()
    return original == reversed
}

fun main() {
    val word = "A man a plan a canal Panama"
    println("'$word' is a palindrome: ${word.isPalindrome()}")
    // Output: 'A man a plan a canal Panama' is a palindrome: true
}

n this example, isPalindrome() is an extension function added to the String class. It can be called on any String instance to determine whether it is a palindrome.

Example 2: List Extension

Suppose you want to calculate the average of a list of integers. You can add an extension function to the List class:

// Defining an extension function for List<Int>
fun List<Int>.averageValue(): Double {
    if (this.isEmpty()) return 0.0
    return this.sum().toDouble() / this.size
}

fun main() {
    val numbers = listOf(10, 20, 30, 40, 50)
    println("The average value is: ${numbers.averageValue()}")
    // Output: The average value is: 30.0
}

Here, averageValue() becomes part of the List<Int> class, making it convenient to calculate the average without external utility functions.

Benefits of Kotlin Extension Functions

Kotlin extension functions bring several benefits to developers, including:

1. Concise and Readable Code

Extension functions help reduce boilerplate code and make your code more concise and readable. Instead of creating utility classes and methods, you can use extension functions directly on instances, making your code more natural and easy to follow.

For example, instead of creating a utility method to reverse strings, you can simply extend the String class with a reverse() function.

2. Enhanced Class Functionality Without Inheritance

Extension functions let you add functionality to classes without inheritance. This means you don't have to create subclasses just to add one or two methods, reducing complexity and avoiding unnecessary inheritance hierarchies.

3. Improved Code Organization

Extensions allow you to group related functionalities in a way that makes sense. Instead of having scattered utility methods, you can group methods that belong to specific classes as extensions, keeping them close to the class they are extending.

For example, you could add multiple utility methods as extensions to a Date class to format and manipulate dates, keeping your code more organized.

4. Java Compatibility

Kotlin extension functions are fully compatible with Java. Although Java code cannot directly call Kotlin extensions as if they were methods, Kotlin generates static helper methods that Java code can call. This means you can still take advantage of extensions while maintaining interoperability with existing Java projects.

Extension Properties

In addition to functions, Kotlin also allows extension properties. These are properties that add new fields to classes. Here’s an example of adding an extension property to the String class to get the first character of the string safely:

val String.firstChar: Char?
    get() = if (this.isNotEmpty()) this[0] else null

fun main() {
    val name = "Kotlin"
    println("First character: ${name.firstChar}")
    // Output: First character: K

    val emptyString = ""
    println("First character: ${emptyString.firstChar}")
    // Output: First character: null
}

Limitations of Extension Functions

While extension functions are extremely useful, they do come with some limitations:

  • No Real Override: Extension functions are resolved statically. This means they do not actually modify the class or override existing methods. If you define an extension function with the same name as a member function, the member function always takes precedence.

  • Limited Access: Extensions cannot access private or protected members of the class they are extending, which means you can only work with public members.

Conclusion

Kotlin extension functions are an incredibly powerful tool that can make your code cleaner, more readable, and more organized. They allow you to add functionality to existing classes, promote code reuse, and reduce boilerplate. Whether you're dealing with custom classes or Kotlin's standard classes, extensions help you write more expressive code with minimal effort.

By leveraging extension functions, you can write more idiomatic Kotlin and benefit from the elegance and flexibility that the language provides.

Now that you understand how extension functions work, why not try adding some of your own extensions to your favorite classes? Happy coding!

#Kotlin #Code4Kotlin



Mastering State Management with Sealed Classes in Android Development

In the world of Android development, managing the different states of your UI is crucial for delivering a seamless user experience. Whether it's loading content from an API, displaying data, or handling errors gracefully, handling these states efficiently can make a huge difference in how your app is perceived by users. One of the best tools available to Kotlin developers for this purpose is the sealed class. In this blog post, we’ll explore how sealed classes can simplify state management, making your code cleaner, more readable, and more maintainable.



Why Sealed Classes?

Before diving into code, let's address why sealed classes are such a valuable tool for managing UI state. In Android development, it is common to represent multiple states for a view, like Loading, Success, and Error. Traditionally, developers used enums or constants for this purpose, but these methods can lead to complex, error-prone code. Kotlin's sealed classes provide a more elegant solution by allowing you to represent a restricted hierarchy of states.

A sealed class ensures that all possible states are defined in one place, and Kotlin's powerful when expressions ensure that you handle all those states comprehensively. This leads to safer, more reliable code—something we all strive for as developers.

Defining State with Sealed Classes

Consider a simple weather app that needs to fetch weather data from an API. During the process, the UI can be in one of several states:

  • Loading: When the app is fetching data from the server.

  • Success: When data is fetched successfully.

  • Error: When there is an issue fetching the data.

We can represent these states in Kotlin using a sealed class like so:

sealed class WeatherUiState {
    object Loading : WeatherUiState()
    data class Success(val weatherData: String) : WeatherUiState() // Replace String with your data class
    data class Error(val message: String) : WeatherUiState()
}

In this class, we define three possible states for our UI—Loading, Success, and Error. By using a sealed class, we are assured that no other state can exist outside of these three, giving us more control and predictability.

Using Sealed Classes in the ViewModel

To implement state management in your ViewModel, we can use Kotlin’s StateFlow to hold the current UI state and update it as we interact with the network. Below is an example of a WeatherViewModel that uses a sealed class to manage the state.

class WeatherViewModel : ViewModel() {

    private val _uiState = MutableStateFlow<WeatherUiState>(WeatherUiState.Loading)
    val uiState: StateFlow<WeatherUiState> = _uiState

    fun fetchWeather() {
        viewModelScope.launch {
            _uiState.value = WeatherUiState.Loading
            
            try {
                // Simulate network call delay
                kotlinx.coroutines.delay(2000)

                // Simulated API response (replace with actual network call)
                val weatherData = "Sunny, 25°C"
                _uiState.value = WeatherUiState.Success(weatherData)
            } catch (e: Exception) {
                _uiState.value = WeatherUiState.Error("Failed to fetch weather data")
            }
        }
    }
}

In this WeatherViewModel, we use MutableStateFlow to represent our state and expose it as an immutable StateFlow to the UI. The fetchWeather() function simulates a network request and updates the state accordingly to reflect Loading, Success, or Error.

Integrating Sealed Classes in the UI with Jetpack Compose

With the WeatherViewModel in place, let's move on to how we can use this state in our UI. Jetpack Compose makes working with state incredibly intuitive. Here's how you can build a composable function that reacts to the different states:

@Composable
fun WeatherScreen(viewModel: WeatherViewModel = viewModel()) {
    val uiState by viewModel.uiState.collectAsState()

    Scaffold {
        when (uiState) {
            is WeatherUiState.Loading -> {
                CircularProgressIndicator() // Show a loading indicator
            }
            is WeatherUiState.Success -> {
                val weatherData = (uiState as WeatherUiState.Success).weatherData
                Text(text = weatherData) // Show weather data
            }
            is WeatherUiState.Error -> {
                val errorMessage = (uiState as WeatherUiState.Error).message
                Text(text = errorMessage) // Show error message
            }
        }
    }
}

In this WeatherScreen composable, we use the collectAsState() function to observe changes in the state flow. The when statement ensures we handle all possible states:

  • Loading: Displays a loading spinner.

  • Success: Shows the fetched weather data.

  • Error: Displays an error message.

Benefits of Using Sealed Classes for State Management

  • Compile-Time Safety: Since sealed classes are exhaustive, the compiler will remind you to handle all possible states, reducing runtime errors.

  • Readability and Maintainability: Defining states in a single sealed class ensures the code is easy to read and maintain. Developers can easily understand what each state means.

  • Single Source of Truth: The UI state has a single source of truth, which is critical for managing complex apps. The sealed class structure ensures consistency in how states are managed and represented.

Conclusion

Sealed classes are a powerful tool for Android developers looking to simplify state management. By providing a well-structured, exhaustive way of defining different UI states, they help ensure your apps are robust, clean, and easy to maintain. This approach pairs wonderfully with Jetpack Compose, making state-driven UI development a breeze.

If you haven't yet, give sealed classes a try in your next Android project—they may just change the way you think about state management for the better!

Have questions or suggestions about state management? Feel free to drop your thoughts in the comments below. Let’s keep the learning going!

#Kotlin #Code4Kotlin



Coding Challenge: Interview - > Shorten Url

URL shortening involves generating abbreviated versions of long URLs, referred to as "short links." When users access these short links, they are automatically redirected to the original, longer URL. Short links offer various benefits, such as saving space in display, print, messages, or tweets. Furthermore, shorter URLs decrease the likelihood of users making typing errors.

import java.util.*
 
class URLShortener {
    private val idToUrlMap = HashMap<String, String>()
    private val urlToIdMap = HashMap<String, String>()
    private val BASE_URL = "http://short.url/"
    private val ALPHABET = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789"
 
    fun shortenURL(longURL: String): String {
        if (urlToIdMap.containsKey(longURL)) {
            return BASE_URL + urlToIdMap[longURL]
        }
        val id = generateID()
        idToUrlMap[id] = longURL
        urlToIdMap[longURL] = id
        return BASE_URL + id
    }
 
    fun expandURL(shortURL: String): String {
        val id = shortURL.substring(BASE_URL.length)
        return idToUrlMap[id] ?: "URL not found"
    }
 
    private fun generateID(): String {
        val random = Random()
        val sb = StringBuilder()
        repeat(6) {
            sb.append(ALPHABET[random.nextInt(ALPHABET.length)])
        }
        return sb.toString()
    }
}
 
fun main() {
    val urlShortener = URLShortener()
    val longURL = "https://www.example.com"
    val shortURL = urlShortener.shortenURL(longURL)
    println("Shortened URL: $shortURL")
    val expandedURL = urlShortener.expandURL(shortURL)
    println("Expanded URL: $expandedURL")
}
 

Details of above code with explanation

  • idToUrlMap: This HashMap maps shortened IDs (generated by the shortening process) to their corresponding original URLs. It facilitates the expansion process.
  • urlToIdMap: This HashMap maps original URLs to their corresponding shortened IDs. It helps avoid duplication of shortened URLs for the same original URL.
  • BASE_URL: This constant string represents the base URL for the shortened URLs. All shortened URLs generated by this URL shortener will start with this base URL.
  • ALPHABET: This string contains the characters used to generate the random alphanumeric IDs for shortening URLs.
  • shortenURL(longURL: String): This method takes a long URL as input and generates a shortened URL for it. If the long URL has already been shortened before, it retrieves the existing shortened URL. Otherwise, it generates a new shortened ID, maps it to the long URL, and returns the shortened URL.
  • expandURL(shortURL: String): This method takes a shortened URL as input and returns the corresponding original URL. It extracts the ID from the shortened URL and looks it up in the idToUrlMap. If the ID exists in the map, it returns the corresponding original URL; otherwise, it indicates that the URL is not found.
  • generateID(): This private method generates a random alphanumeric ID of length 6 using characters from the ALPHABET string. It ensures uniqueness for each shortened URL.
Happy Coding ✌

Coding Challenge: Interview - > Rotate Image

 You are given an n x n 2D matrix representing an image, rotate the image by 90 degrees (clockwise).

You have to rotate the image in-place, which means you have to modify the input 2D matrix directly. DO NOT allocate another 2D matrix and do the rotation.

 Example 1:

Input: matrix = [[1,2,3],[4,5,6],[7,8,9]]
Output: [[7,4,1],[8,5,2],[9,6,3]]

Example 2:

Input: matrix = [[5,1,9,11],[2,4,8,10],[13,3,6,7],[15,14,12,16]]
Output: [[15,13,2,5],[14,3,4,1],[12,6,8,9],[16,7,10,11]]

 

Constraints:

  • n == matrix.length == matrix[i].length
  • 1 <= n <= 20
  • -1000 <= matrix[i][j] <= 1000

Solutions:

fun rotate(matrix: Array<IntArray>) {
    val n = matrix.size
    
    // Transpose the matrix
    for (i in 0 until n) {
        for (j in i until n) {
            val temp = matrix[i][j]
            matrix[i][j] = matrix[j][i]
            matrix[j][i] = temp
        }
    }
    
    // Reverse each row
    for (i in 0 until n) {
        var left = 0
        var right = n - 1
        while (left < right) {
            val temp = matrix[i][left]
            matrix[i][left] = matrix[i][right]
            matrix[i][right] = temp
            left++
            right--
        }
    }
}


Here is the more details of each details

Certainly! Let's break down the solution step by step:

  1. Transpose the matrix:

    • To transpose the matrix means to swap its rows and columns. We iterate over the upper triangle of the matrix (i.e., i from 0 to n-1, j from i to n-1) and swap each element with its corresponding element across the diagonal.
    • For example, if we have a matrix [[1, 2, 3], [4, 5, 6], [7, 8, 9]], transposing it will give us [[1, 4, 7], [2, 5, 8], [3, 6, 9]].
  2. Reverse each row:

    • After transposing the matrix, we iterate over each row, and for each row, we reverse its elements.
    • This reversal effectively rotates each row by 180 degrees.
    • For example, if we have a transposed matrix [[1, 4, 7], [2, 5, 8], [3, 6, 9]], reversing each row will give us [[7, 4, 1], [8, 5, 2], [9, 6, 3]].

By performing these two operations, we achieve the desired result of rotating the matrix by 90 degrees clockwise. The key insight is that transposing the matrix swaps rows and columns, effectively rotating it by 90 degrees counterclockwise. Then, reversing each row completes the rotation to 90 degrees clockwise. This solution modifies the input matrix in-place without using any extra space.


Happy Coding ✌!

Jetpack Compose: How to use of Row and Column

  Jetpack Compose is a modern toolkit for building native Android UI. Jetpack Compose simplifies and accelerates UI development on Android with less code, powerful tools, and intuitive Kotlin APIs.

You won't be editing any XML layouts or using the Layout Editor. Instead, you will call composable functions to define what elements you want, and the Compose compiler will do the rest. 



Use Column to place items vertically on the screen.

use Row to place items horizontally on the screen. Both Column and Row support configuring the alignment of the elements they contain.

In many cases, you can just use Compose's standard layout elements.

Here is the sample code ✌:

class MainActivity : ComponentActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContent {
JetpackComoseTutorialsTheme {
// A surface container using the 'background' color from the theme
ActorCard(Actor("John Wick", "Actor", 49))
}
}
}
}

data class Actor(val name:String, val profession: String, val age: Int)

@Composable
fun ActorCard(actor: Actor) {
Card(modifier = Modifier.fillMaxWidth().padding(all = 4.dp)) {
Row(modifier = Modifier.padding(all = 8.dp)) {
Image(
painter = painterResource(R.drawable.profile),
contentDescription = null,
modifier = Modifier
.size(40.dp)
.clip(CircleShape)
.border(2.dp, MaterialTheme.colorScheme.primary, CircleShape),
alignment = Alignment.BottomCenter
)

Spacer(modifier = Modifier.width(4.dp))

Column {
Row {
Text(
text = actor.name,
style = MaterialTheme.typography.titleMedium,
color = MaterialTheme.colorScheme.secondary
)
Text(
text = ", "+actor.age.toString(),
style = MaterialTheme.typography.titleMedium,
color = MaterialTheme.colorScheme.secondary
)
}

Spacer(modifier = Modifier.height(4.dp))
Text(text = actor.profession)
}
}
}
}class MainActivity : ComponentActivity() {
override fun onCreate(savedInstanceState: Bundle?) {
super.onCreate(savedInstanceState)
setContent {
JetpackComoseTutorialsTheme {
// A surface container using the 'background' color from the theme
ActorCard(Actor("John Wick", "Actor", 49))
}
}
}
}

data class Actor(val name:String, val profession: String, val age: Int)

@Composable
fun ActorCard(actor: Actor) {
Card(modifier = Modifier.fillMaxWidth().padding(all = 4.dp)) {
Row(modifier = Modifier.padding(all = 8.dp)) {
Image(
painter = painterResource(R.drawable.profile),
contentDescription = null,
modifier = Modifier
.size(40.dp)
.clip(CircleShape)
.border(2.dp, MaterialTheme.colorScheme.primary, CircleShape),
alignment = Alignment.BottomCenter
)

Spacer(modifier = Modifier.width(4.dp))

Column {
Row {
Text(
text = actor.name,
style = MaterialTheme.typography.titleMedium,
color = MaterialTheme.colorScheme.secondary
)
Text(
text = ", "+actor.age.toString(),
style = MaterialTheme.typography.titleMedium,
color = MaterialTheme.colorScheme.secondary
)
}

Spacer(modifier = Modifier.height(4.dp))
Text(text = actor.profession)
}
}
}
}


Sample output :


Happy Coding ✌.

Android 15 Developer Preview

 



Developer Preview 1 is now available to try out with your apps. Install a system image and update the tools to get started. During this phase, we're looking for your feedback, so please let us know what you think! To report an issue or submit a feature request, visit the feedback page. The earlier we get your feedback, the more we can include in the final release.
Release dateFebruary 16, 2024
BuildAP31.240119.016
Emulator supportx86 (64-bit), ARM (v8-A)
Security patch levelFebruary 2024
Google Play services24.02.15
API diffAPI 34 → V DP1





Protecting user privacy and security

Android is constantly working to create solutions that maximize user privacy and security.

Privacy Sandbox on Android

Health Connect

File integrity

Partial screen sharing

Supporting creators

In-app Camera Controls

Virtual MIDI 2.0 Devices

Performance and quality

Dynamic Performance

Android 15 continues our investment in the Android Dynamic Performance Framework (ADPF), a set of APIs that allow games and performance intensive apps to interact more directly with power and thermal systems of Android devices. On supported devices, Android 15 will add new ADPF capabilities:

    • power-efficiency mode for hint sessions to indicate that their associated threads should prefer power saving over performance, great for long-running background workloads.
    • GPU and CPU work durations can both be reported in hint sessions, allowing the system to adjust CPU and GPU frequencies together to best meet workload demands.

To learn more about how to use ADPF in your apps and games, head over to the documentation.

Developer Productivity

Android 15 continues to add OpenJDK APIs, including quality-of-life improvements around NIO buffersstreamssecurity, and more. These APIs are updated on over a billion devices running Android 12+ through Google Play System updates.

You can install this release on any of the following Google Pixel devices:

  • Pixel 6 and 6 Pro
  • Pixel 6a
  • Pixel 7 and 7 Pro
  • Pixel 7a
  • Pixel Fold
  • Pixel Tablet
  • Pixel 8 and 8 Pro

See Get Android 15 for details on how to get started.